WP to Twitter - Version 2.6.9

Version Description

  • Error with post_with_media check. All apologies.
Download this release

Release Info

Developer joedolson
Plugin Icon 128x128 WP to Twitter
Version 2.6.9
Comparing to
See all releases

Code changes from version 2.4.11 to 2.6.9

Files changed (34) hide show
  1. WP_OAuth.php +0 -876
  2. functions.php +0 -378
  3. gpl.txt +674 -674
  4. image.png +0 -0
  5. jd_twitterOAuth.php +0 -175
  6. js/jquery.charcount.js +62 -64
  7. wp-to-twitter-be_BY.mo → lang/wp-to-twitter-be_BY.mo +0 -0
  8. wp-to-twitter-be_BY.po → lang/wp-to-twitter-be_BY.po +548 -548
  9. lang/wp-to-twitter-ca.mo +0 -0
  10. lang/wp-to-twitter-ca.po +1170 -0
  11. lang/wp-to-twitter-da_DK.mo +0 -0
  12. lang/wp-to-twitter-da_DK.po +1162 -0
  13. lang/wp-to-twitter-de_DE.mo +0 -0
  14. lang/wp-to-twitter-de_DE.po +1215 -0
  15. wp-to-twitter-es_ES.mo → lang/wp-to-twitter-es_ES.mo +0 -0
  16. wp-to-twitter-es_ES.po → lang/wp-to-twitter-es_ES.po +519 -519
  17. wp-to-twitter-et_ET.mo → lang/wp-to-twitter-et_ET.mo +0 -0
  18. wp-to-twitter-et_ET.po → lang/wp-to-twitter-et_ET.po +759 -759
  19. lang/wp-to-twitter-fr_FR.mo +0 -0
  20. lang/wp-to-twitter-fr_FR.po +1777 -0
  21. wp-to-twitter-ga_IR.mo → lang/wp-to-twitter-ga_IR.mo +0 -0
  22. wp-to-twitter-ga_IR.po → lang/wp-to-twitter-ga_IR.po +585 -585
  23. lang/wp-to-twitter-it_IT.mo +0 -0
  24. wp-to-twitter-it_IT.po → lang/wp-to-twitter-it_IT.po +1214 -1081
  25. wp-to-twitter-ja.mo → lang/wp-to-twitter-ja.mo +0 -0
  26. wp-to-twitter-ja.po → lang/wp-to-twitter-ja.po +892 -892
  27. wp-to-twitter-lt_LT.mo → lang/wp-to-twitter-lt_LT.mo +0 -0
  28. wp-to-twitter-lt_LT.po → lang/wp-to-twitter-lt_LT.po +548 -548
  29. lang/wp-to-twitter-nl_NL.mo +0 -0
  30. wp-to-twitter-nl_NL.po → lang/wp-to-twitter-nl_NL.po +1143 -1094
  31. wp-to-twitter-pt_BR.mo → lang/wp-to-twitter-pt_BR.mo +0 -0
  32. wp-to-twitter-pt_BR.po → lang/wp-to-twitter-pt_BR.po +881 -881
  33. wp-to-twitter-ro_RO.mo → lang/wp-to-twitter-ro_RO.mo +0 -0
  34. wp-to-twitter-ro_RO.po → lang/wp-to-twitter-ro_RO.po +0 -484
WP_OAuth.php DELETED
@@ -1,876 +0,0 @@
1
- <?php
2
- // vim: foldmethod=marker
3
-
4
- if (!class_exists('WPOAuthException')) {
5
-
6
- /* Generic exception class
7
- */
8
- class WPOAuthException extends Exception {
9
- // pass
10
- }
11
-
12
- class WPOAuthConsumer {
13
- public $key;
14
- public $secret;
15
-
16
- function __construct($key, $secret, $callback_url=NULL) {
17
- $this->key = $key;
18
- $this->secret = $secret;
19
- $this->callback_url = $callback_url;
20
- }
21
-
22
- function __toString() {
23
- return "OAuthConsumer[key=$this->key,secret=$this->secret]";
24
- }
25
- }
26
-
27
- class WPOAuthToken {
28
- // access tokens and request tokens
29
- public $key;
30
- public $secret;
31
-
32
- /**
33
- * key = the token
34
- * secret = the token secret
35
- */
36
- function __construct($key, $secret) {
37
- $this->key = $key;
38
- $this->secret = $secret;
39
- }
40
-
41
- /**
42
- * generates the basic string serialization of a token that a server
43
- * would respond to request_token and access_token calls with
44
- */
45
- function to_string() {
46
- return "oauth_token=" .
47
- WPOAuthUtil::urlencode_rfc3986($this->key) .
48
- "&oauth_token_secret=" .
49
- WPOAuthUtil::urlencode_rfc3986($this->secret);
50
- }
51
-
52
- function __toString() {
53
- return $this->to_string();
54
- }
55
- }
56
-
57
- /**
58
- * A class for implementing a Signature Method
59
- * See section 9 ("Signing Requests") in the spec
60
- */
61
- abstract class WPOAuthSignatureMethod {
62
- /**
63
- * Needs to return the name of the Signature Method (ie HMAC-SHA1)
64
- * @return string
65
- */
66
- abstract public function get_name();
67
-
68
- /**
69
- * Build up the signature
70
- * NOTE: The output of this function MUST NOT be urlencoded.
71
- * the encoding is handled in OAuthRequest when the final
72
- * request is serialized
73
- * @param OAuthRequest $request
74
- * @param OAuthConsumer $consumer
75
- * @param OAuthToken $token
76
- * @return string
77
- */
78
- abstract public function build_signature($request, $consumer, $token);
79
-
80
- /**
81
- * Verifies that a given signature is correct
82
- * @param OAuthRequest $request
83
- * @param OAuthConsumer $consumer
84
- * @param OAuthToken $token
85
- * @param string $signature
86
- * @return bool
87
- */
88
- public function check_signature($request, $consumer, $token, $signature) {
89
- $built = $this->build_signature($request, $consumer, $token);
90
- return $built == $signature;
91
- }
92
- }
93
-
94
- /**
95
- * The HMAC-SHA1 signature method uses the HMAC-SHA1 signature algorithm as defined in [RFC2104]
96
- * where the Signature Base String is the text and the key is the concatenated values (each first
97
- * encoded per Parameter Encoding) of the Consumer Secret and Token Secret, separated by an '&'
98
- * character (ASCII code 38) even if empty.
99
- * - Chapter 9.2 ("HMAC-SHA1")
100
- */
101
- class WPOAuthSignatureMethod_HMAC_SHA1 extends WPOAuthSignatureMethod {
102
- function get_name() {
103
- return "HMAC-SHA1";
104
- }
105
-
106
- public function build_signature($request, $consumer, $token) {
107
- $base_string = $request->get_signature_base_string();
108
- $request->base_string = $base_string;
109
-
110
- $key_parts = array(
111
- $consumer->secret,
112
- ($token) ? $token->secret : ""
113
- );
114
-
115
- $key_parts = WPOAuthUtil::urlencode_rfc3986($key_parts);
116
- $key = implode('&', $key_parts);
117
-
118
- return base64_encode(hash_hmac('sha1', $base_string, $key, true));
119
- }
120
- }
121
-
122
- /**
123
- * The PLAINTEXT method does not provide any security protection and SHOULD only be used
124
- * over a secure channel such as HTTPS. It does not use the Signature Base String.
125
- * - Chapter 9.4 ("PLAINTEXT")
126
- */
127
- class WPOAuthSignatureMethod_PLAINTEXT extends WPOAuthSignatureMethod {
128
- public function get_name() {
129
- return "PLAINTEXT";
130
- }
131
-
132
- /**
133
- * oauth_signature is set to the concatenated encoded values of the Consumer Secret and
134
- * Token Secret, separated by a '&' character (ASCII code 38), even if either secret is
135
- * empty. The result MUST be encoded again.
136
- * - Chapter 9.4.1 ("Generating Signatures")
137
- *
138
- * Please note that the second encoding MUST NOT happen in the SignatureMethod, as
139
- * OAuthRequest handles this!
140
- */
141
- public function build_signature($request, $consumer, $token) {
142
- $key_parts = array(
143
- $consumer->secret,
144
- ($token) ? $token->secret : ""
145
- );
146
-
147
- $key_parts = WPOAuthUtil::urlencode_rfc3986($key_parts);
148
- $key = implode('&', $key_parts);
149
- $request->base_string = $key;
150
-
151
- return $key;
152
- }
153
- }
154
-
155
- /**
156
- * The RSA-SHA1 signature method uses the RSASSA-PKCS1-v1_5 signature algorithm as defined in
157
- * [RFC3447] section 8.2 (more simply known as PKCS#1), using SHA-1 as the hash function for
158
- * EMSA-PKCS1-v1_5. It is assumed that the Consumer has provided its RSA public key in a
159
- * verified way to the Service Provider, in a manner which is beyond the scope of this
160
- * specification.
161
- * - Chapter 9.3 ("RSA-SHA1")
162
- */
163
- abstract class WPOAuthSignatureMethod_RSA_SHA1 extends WPOAuthSignatureMethod {
164
- public function get_name() {
165
- return "RSA-SHA1";
166
- }
167
-
168
- // Up to the SP to implement this lookup of keys. Possible ideas are:
169
- // (1) do a lookup in a table of trusted certs keyed off of consumer
170
- // (2) fetch via http using a url provided by the requester
171
- // (3) some sort of specific discovery code based on request
172
- //
173
- // Either way should return a string representation of the certificate
174
- protected abstract function fetch_public_cert(&$request);
175
-
176
- // Up to the SP to implement this lookup of keys. Possible ideas are:
177
- // (1) do a lookup in a table of trusted certs keyed off of consumer
178
- //
179
- // Either way should return a string representation of the certificate
180
- protected abstract function fetch_private_cert(&$request);
181
-
182
- public function build_signature($request, $consumer, $token) {
183
- $base_string = $request->get_signature_base_string();
184
- $request->base_string = $base_string;
185
-
186
- // Fetch the private key cert based on the request
187
- $cert = $this->fetch_private_cert($request);
188
-
189
- // Pull the private key ID from the certificate
190
- $privatekeyid = openssl_get_privatekey($cert);
191
-
192
- // Sign using the key
193
- $ok = openssl_sign($base_string, $signature, $privatekeyid);
194
-
195
- // Release the key resource
196
- openssl_free_key($privatekeyid);
197
-
198
- return base64_encode($signature);
199
- }
200
-
201
- public function check_signature($request, $consumer, $token, $signature) {
202
- $decoded_sig = base64_decode($signature);
203
-
204
- $base_string = $request->get_signature_base_string();
205
-
206
- // Fetch the public key cert based on the request
207
- $cert = $this->fetch_public_cert($request);
208
-
209
- // Pull the public key ID from the certificate
210
- $publickeyid = openssl_get_publickey($cert);
211
-
212
- // Check the computed signature against the one passed in the query
213
- $ok = openssl_verify($base_string, $decoded_sig, $publickeyid);
214
-
215
- // Release the key resource
216
- openssl_free_key($publickeyid);
217
-
218
- return $ok == 1;
219
- }
220
- }
221
-
222
- class WPOAuthRequest {
223
- private $parameters;
224
- private $http_method;
225
- private $http_url;
226
- // for debug purposes
227
- public $base_string;
228
- public static $version = '1.0';
229
- public static $POST_INPUT = 'php://input';
230
-
231
- function __construct($http_method, $http_url, $parameters=NULL) {
232
- @$parameters or $parameters = array();
233
- $parameters = array_merge( WPOAuthUtil::parse_parameters(parse_url($http_url, PHP_URL_QUERY)), $parameters);
234
- $this->parameters = $parameters;
235
- $this->http_method = $http_method;
236
- $this->http_url = $http_url;
237
- }
238
-
239
-
240
- /**
241
- * attempt to build up a request from what was passed to the server
242
- */
243
- public static function from_request($http_method=NULL, $http_url=NULL, $parameters=NULL) {
244
- $scheme = (!isset($_SERVER['HTTPS']) || $_SERVER['HTTPS'] != "on")
245
- ? 'http'
246
- : 'https';
247
- @$http_url or $http_url = $scheme .
248
- '://' . $_SERVER['HTTP_HOST'] .
249
- ':' .
250
- $_SERVER['SERVER_PORT'] .
251
- $_SERVER['REQUEST_URI'];
252
- @$http_method or $http_method = $_SERVER['REQUEST_METHOD'];
253
-
254
- // We weren't handed any parameters, so let's find the ones relevant to
255
- // this request.
256
- // If you run XML-RPC or similar you should use this to provide your own
257
- // parsed parameter-list
258
- if (!$parameters) {
259
- // Find request headers
260
- $request_headers = WPOAuthUtil::get_headers();
261
-
262
- // Parse the query-string to find GET parameters
263
- $parameters = WPOAuthUtil::parse_parameters($_SERVER['QUERY_STRING']);
264
-
265
- // It's a POST request of the proper content-type, so parse POST
266
- // parameters and add those overriding any duplicates from GET
267
- if ($http_method == "POST"
268
- && @strstr($request_headers["Content-Type"],
269
- "application/x-www-form-urlencoded")
270
- ) {
271
- $post_data = WPOAuthUtil::parse_parameters(
272
- file_get_contents(self::$POST_INPUT)
273
- );
274
- $parameters = array_merge($parameters, $post_data);
275
- }
276
-
277
- // We have a Authorization-header with OAuth data. Parse the header
278
- // and add those overriding any duplicates from GET or POST
279
- if (@substr($request_headers['Authorization'], 0, 6) == "OAuth ") {
280
- $header_parameters = WPOAuthUtil::split_header(
281
- $request_headers['Authorization']
282
- );
283
- $parameters = array_merge($parameters, $header_parameters);
284
- }
285
-
286
- }
287
-
288
- return new WPOAuthRequest($http_method, $http_url, $parameters);
289
- }
290
-
291
- /**
292
- * pretty much a helper function to set up the request
293
- */
294
- public static function from_consumer_and_token($consumer, $token, $http_method, $http_url, $parameters=NULL) {
295
- @$parameters or $parameters = array();
296
- $defaults = array("oauth_version" => WPOAuthRequest::$version,
297
- "oauth_nonce" => WPOAuthRequest::generate_nonce(),
298
- "oauth_timestamp" => WPOAuthRequest::generate_timestamp(),
299
- "oauth_consumer_key" => $consumer->key);
300
- if ($token)
301
- $defaults['oauth_token'] = $token->key;
302
-
303
- $parameters = array_merge($defaults, $parameters);
304
-
305
- return new WPOAuthRequest($http_method, $http_url, $parameters);
306
- }
307
-
308
- public function set_parameter($name, $value, $allow_duplicates = true) {
309
- if ($allow_duplicates && isset($this->parameters[$name])) {
310
- // We have already added parameter(s) with this name, so add to the list
311
- if (is_scalar($this->parameters[$name])) {
312
- // This is the first duplicate, so transform scalar (string)
313
- // into an array so we can add the duplicates
314
- $this->parameters[$name] = array($this->parameters[$name]);
315
- }
316
-
317
- $this->parameters[$name][] = $value;
318
- } else {
319
- $this->parameters[$name] = $value;
320
- }
321
- }
322
-
323
- public function get_parameter($name) {
324
- return isset($this->parameters[$name]) ? $this->parameters[$name] : null;
325
- }
326
-
327
- public function get_parameters() {
328
- return $this->parameters;
329
- }
330
-
331
- public function unset_parameter($name) {
332
- unset($this->parameters[$name]);
333
- }
334
-
335
- /**
336
- * The request parameters, sorted and concatenated into a normalized string.
337
- * @return string
338
- */
339
- public function get_signable_parameters() {
340
- // Grab all parameters
341
- $params = $this->parameters;
342
-
343
- // Remove oauth_signature if present
344
- // Ref: Spec: 9.1.1 ("The oauth_signature parameter MUST be excluded.")
345
- if (isset($params['oauth_signature'])) {
346
- unset($params['oauth_signature']);
347
- }
348
-
349
- return WPOAuthUtil::build_http_query($params);
350
- }
351
-
352
- /**
353
- * Returns the base string of this request
354
- *
355
- * The base string defined as the method, the url
356
- * and the parameters (normalized), each urlencoded
357
- * and the concated with &.
358
- */
359
- public function get_signature_base_string() {
360
- $parts = array(
361
- $this->get_normalized_http_method(),
362
- $this->get_normalized_http_url(),
363
- $this->get_signable_parameters()
364
- );
365
-
366
- $parts = WPOAuthUtil::urlencode_rfc3986($parts);
367
-
368
- return implode('&', $parts);
369
- }
370
-
371
- /**
372
- * just uppercases the http method
373
- */
374
- public function get_normalized_http_method() {
375
- return strtoupper($this->http_method);
376
- }
377
-
378
- /**
379
- * parses the url and rebuilds it to be
380
- * scheme://host/path
381
- */
382
- public function get_normalized_http_url() {
383
- $parts = parse_url($this->http_url);
384
-
385
- $port = @$parts['port'];
386
- $scheme = @$parts['scheme'];
387
- $host = @$parts['host'];
388
- $path = @$parts['path'];
389
-
390
- $port or $port = ($scheme == 'https') ? '443' : '80';
391
-
392
- if (($scheme == 'https' && $port != '443')
393
- || ($scheme == 'http' && $port != '80')) {
394
- $host = "$host:$port";
395
- }
396
- return "$scheme://$host$path";
397
- }
398
-
399
- /**
400
- * builds a url usable for a GET request
401
- */
402
- public function to_url() {
403
- $post_data = $this->to_postdata();
404
- $out = $this->get_normalized_http_url();
405
- if ($post_data) {
406
- $out .= '?'.$post_data;
407
- }
408
- return $out;
409
- }
410
-
411
- /**
412
- * builds the data one would send in a POST request
413
- */
414
- public function to_postdata() {
415
- return WPOAuthUtil::build_http_query($this->parameters);
416
- }
417
-
418
- /**
419
- * builds the Authorization: header
420
- */
421
- public function to_header($realm=null) {
422
- $first = true;
423
- if($realm) {
424
- $out = 'Authorization: OAuth realm="' . WPOAuthUtil::urlencode_rfc3986($realm) . '"';
425
- $first = false;
426
- } else
427
- $out = 'Authorization: OAuth';
428
-
429
- $total = array();
430
- foreach ($this->parameters as $k => $v) {
431
- if (substr($k, 0, 5) != "oauth") continue;
432
- if (is_array($v)) {
433
- throw new WPOAuthException('Arrays not supported in headers');
434
- }
435
- $out .= ($first) ? ' ' : ',';
436
- $out .= WPOAuthUtil::urlencode_rfc3986($k) .
437
- '="' .
438
- WPOAuthUtil::urlencode_rfc3986($v) .
439
- '"';
440
- $first = false;
441
- }
442
- return $out;
443
- }
444
-
445
- public function __toString() {
446
- return $this->to_url();
447
- }
448
-
449
-
450
- public function sign_request($signature_method, $consumer, $token) {
451
- $this->set_parameter(
452
- "oauth_signature_method",
453
- $signature_method->get_name(),
454
- false
455
- );
456
- $signature = $this->build_signature($signature_method, $consumer, $token);
457
- $this->set_parameter("oauth_signature", $signature, false);
458
- }
459
-
460
- public function build_signature($signature_method, $consumer, $token) {
461
- $signature = $signature_method->build_signature($this, $consumer, $token);
462
- return $signature;
463
- }
464
-
465
- /**
466
- * util function: current timestamp
467
- */
468
- private static function generate_timestamp() {
469
- return time();
470
- }
471
-
472
- /**
473
- * util function: current nonce
474
- */
475
- private static function generate_nonce() {
476
- $mt = microtime();
477
- $rand = mt_rand();
478
-
479
- return md5($mt . $rand); // md5s look nicer than numbers
480
- }
481
- }
482
-
483
- class WPOAuthServer {
484
- protected $timestamp_threshold = 300; // in seconds, five minutes
485
- protected $version = '1.0'; // hi blaine
486
- protected $signature_methods = array();
487
-
488
- protected $data_store;
489
-
490
- function __construct($data_store) {
491
- $this->data_store = $data_store;
492
- }
493
-
494
- public function add_signature_method($signature_method) {
495
- $this->signature_methods[$signature_method->get_name()] =
496
- $signature_method;
497
- }
498
-
499
- // high level functions
500
-
501
- /**
502
- * process a request_token request
503
- * returns the request token on success
504
- */
505
- public function fetch_request_token(&$request) {
506
- $this->get_version($request);
507
-
508
- $consumer = $this->get_consumer($request);
509
-
510
- // no token required for the initial token request
511
- $token = NULL;
512
-
513
- $this->check_signature($request, $consumer, $token);
514
-
515
- // Rev A change
516
- $callback = $request->get_parameter('oauth_callback');
517
- $new_token = $this->data_store->new_request_token($consumer, $callback);
518
-
519
- return $new_token;
520
- }
521
-
522
- /**
523
- * process an access_token request
524
- * returns the access token on success
525
- */
526
- public function fetch_access_token(&$request) {
527
- $this->get_version($request);
528
-
529
- $consumer = $this->get_consumer($request);
530
-
531
- // requires authorized request token
532
- $token = $this->get_token($request, $consumer, "request");
533
-
534
- $this->check_signature($request, $consumer, $token);
535
-
536
- // Rev A change
537
- $verifier = $request->get_parameter('oauth_verifier');
538
- $new_token = $this->data_store->new_access_token($token, $consumer, $verifier);
539
-
540
- return $new_token;
541
- }
542
-
543
- /**
544
- * verify an api call, checks all the parameters
545
- */
546
- public function verify_request(&$request) {
547
- $this->get_version($request);
548
- $consumer = $this->get_consumer($request);
549
- $token = $this->get_token($request, $consumer, "access");
550
- $this->check_signature($request, $consumer, $token);
551
- return array($consumer, $token);
552
- }
553
-
554
- // Internals from here
555
- /**
556
- * version 1
557
- */
558
- private function get_version(&$request) {
559
- $version = $request->get_parameter("oauth_version");
560
- if (!$version) {
561
- // Service Providers MUST assume the protocol version to be 1.0 if this parameter is not present.
562
- // Chapter 7.0 ("Accessing Protected Ressources")
563
- $version = '1.0';
564
- }
565
- if ($version !== $this->version) {
566
- throw new WPOAuthException("OAuth version '$version' not supported");
567
- }
568
- return $version;
569
- }
570
-
571
- /**
572
- * figure out the signature with some defaults
573
- */
574
- private function get_signature_method(&$request) {
575
- $signature_method =
576
- @$request->get_parameter("oauth_signature_method");
577
-
578
- if (!$signature_method) {
579
- // According to chapter 7 ("Accessing Protected Ressources") the signature-method
580
- // parameter is required, and we can't just fallback to PLAINTEXT
581
- throw new WPOAuthException('No signature method parameter. This parameter is required');
582
- }
583
-
584
- if (!in_array($signature_method,
585
- array_keys($this->signature_methods))) {
586
- throw new WPOAuthException(
587
- "Signature method '$signature_method' not supported " .
588
- "try one of the following: " .
589
- implode(", ", array_keys($this->signature_methods))
590
- );
591
- }
592
- return $this->signature_methods[$signature_method];
593
- }
594
-
595
- /**
596
- * try to find the consumer for the provided request's consumer key
597
- */
598
- private function get_consumer(&$request) {
599
- $consumer_key = @$request->get_parameter("oauth_consumer_key");
600
- if (!$consumer_key) {
601
- throw new WPOAuthException("Invalid consumer key");
602
- }
603
-
604
- $consumer = $this->data_store->lookup_consumer($consumer_key);
605
- if (!$consumer) {
606
- throw new WPOAuthException("Invalid consumer");
607
- }
608
-
609
- return $consumer;
610
- }
611
-
612
- /**
613
- * try to find the token for the provided request's token key
614
- */
615
- private function get_token(&$request, $consumer, $token_type="access") {
616
- $token_field = @$request->get_parameter('oauth_token');
617
- $token = $this->data_store->lookup_token(
618
- $consumer, $token_type, $token_field
619
- );
620
- if (!$token) {
621
- throw new WPOAuthException("Invalid $token_type token: $token_field");
622
- }
623
- return $token;
624
- }
625
-
626
- /**
627
- * all-in-one function to check the signature on a request
628
- * should guess the signature method appropriately
629
- */
630
- private function check_signature(&$request, $consumer, $token) {
631
- // this should probably be in a different method
632
- $timestamp = @$request->get_parameter('oauth_timestamp');
633
- $nonce = @$request->get_parameter('oauth_nonce');
634
-
635
- $this->check_timestamp($timestamp);
636
- $this->check_nonce($consumer, $token, $nonce, $timestamp);
637
-
638
- $signature_method = $this->get_signature_method($request);
639
-
640
- $signature = $request->get_parameter('oauth_signature');
641
- $valid_sig = $signature_method->check_signature(
642
- $request,
643
- $consumer,
644
- $token,
645
- $signature
646
- );
647
-
648
- if (!$valid_sig) {
649
- throw new WPOAuthException("Invalid signature");
650
- }
651
- }
652
-
653
- /**
654
- * check that the timestamp is new enough
655
- */
656
- private function check_timestamp($timestamp) {
657
- if( ! $timestamp )
658
- throw new WPOAuthException(
659
- 'Missing timestamp parameter. The parameter is required'
660
- );
661
-
662
- // verify that timestamp is recentish
663
- $now = time();
664
- if (abs($now - $timestamp) > $this->timestamp_threshold) {
665
- throw new WPOAuthException(
666
- "Expired timestamp, yours $timestamp, ours $now"
667
- );
668
- }
669
- }
670
-
671
- /**
672
- * check that the nonce is not repeated
673
- */
674
- private function check_nonce($consumer, $token, $nonce, $timestamp) {
675
- if( ! $nonce )
676
- throw new WPOAuthException(
677
- 'Missing nonce parameter. The parameter is required'
678
- );
679
-
680
- // verify that the nonce is uniqueish
681
- $found = $this->data_store->lookup_nonce(
682
- $consumer,
683
- $token,
684
- $nonce,
685
- $timestamp
686
- );
687
- if ($found) {
688
- throw new WPOAuthException("Nonce already used: $nonce");
689
- }
690
- }
691
-
692
- }
693
-
694
- class WPOAuthDataStore {
695
- function lookup_consumer($consumer_key) {
696
- // implement me
697
- }
698
-
699
- function lookup_token($consumer, $token_type, $token) {
700
- // implement me
701
- }
702
-
703
- function lookup_nonce($consumer, $token, $nonce, $timestamp) {
704
- // implement me
705
- }
706
-
707
- function new_request_token($consumer, $callback = null) {
708
- // return a new token attached to this consumer
709
- }
710
-
711
- function new_access_token($token, $consumer, $verifier = null) {
712
- // return a new access token attached to this consumer
713
- // for the user associated with this token if the request token
714
- // is authorized
715
- // should also invalidate the request token
716
- }
717
-
718
- }
719
-
720
- class WPOAuthUtil {
721
- public static function urlencode_rfc3986($input) {
722
- if (is_array($input)) {
723
- return array_map(array('WPOAuthUtil', 'urlencode_rfc3986'), $input);
724
- } else if (is_scalar($input)) {
725
- return str_replace(
726
- '+',
727
- ' ',
728
- str_replace('%7E', '~', rawurlencode($input))
729
- );
730
- } else {
731
- return '';
732
- }
733
- }
734
-
735
-
736
- // This decode function isn't taking into consideration the above
737
- // modifications to the encoding process. However, this method doesn't
738
- // seem to be used anywhere so leaving it as is.
739
- public static function urldecode_rfc3986($string) {
740
- return urldecode($string);
741
- }
742
-
743
- // Utility function for turning the Authorization: header into
744
- // parameters, has to do some unescaping
745
- // Can filter out any non-oauth parameters if needed (default behaviour)
746
- public static function split_header($header, $only_allow_oauth_parameters = true) {
747
- $pattern = '/(([-_a-z]*)=("([^"]*)"|([^,]*)),?)/';
748
- $offset = 0;
749
- $params = array();
750
- while (preg_match($pattern, $header, $matches, PREG_OFFSET_CAPTURE, $offset) > 0) {
751
- $match = $matches[0];
752
- $header_name = $matches[2][0];
753
- $header_content = (isset($matches[5])) ? $matches[5][0] : $matches[4][0];
754
- if (preg_match('/^oauth_/', $header_name) || !$only_allow_oauth_parameters) {
755
- $params[$header_name] = WPOAuthUtil::urldecode_rfc3986($header_content);
756
- }
757
- $offset = $match[1] + strlen($match[0]);
758
- }
759
-
760
- if (isset($params['realm'])) {
761
- unset($params['realm']);
762
- }
763
-
764
- return $params;
765
- }
766
-
767
- // helper to try to sort out headers for people who aren't running apache
768
- public static function get_headers() {
769
- if (function_exists('apache_request_headers')) {
770
- // we need this to get the actual Authorization: header
771
- // because apache tends to tell us it doesn't exist
772
- $headers = apache_request_headers();
773
-
774
- // sanitize the output of apache_request_headers because
775
- // we always want the keys to be Cased-Like-This and arh()
776
- // returns the headers in the same case as they are in the
777
- // request
778
- $out = array();
779
- foreach( $headers AS $key => $value ) {
780
- $key = str_replace(
781
- " ",
782
- "-",
783
- ucwords(strtolower(str_replace("-", " ", $key)))
784
- );
785
- $out[$key] = $value;
786
- }
787
- } else {
788
- // otherwise we don't have apache and are just going to have to hope
789
- // that $_SERVER actually contains what we need
790
- $out = array();
791
- if( isset($_SERVER['CONTENT_TYPE']) )
792
- $out['Content-Type'] = $_SERVER['CONTENT_TYPE'];
793
- if( isset($_ENV['CONTENT_TYPE']) )
794
- $out['Content-Type'] = $_ENV['CONTENT_TYPE'];
795
-
796
- foreach ($_SERVER as $key => $value) {
797
- if (substr($key, 0, 5) == "HTTP_") {
798
- // this is chaos, basically it is just there to capitalize the first
799
- // letter of every word that is not an initial HTTP and strip HTTP
800
- // code from przemek
801
- $key = str_replace(
802
- " ",
803
- "-",
804
- ucwords(strtolower(str_replace("_", " ", substr($key, 5))))
805
- );
806
- $out[$key] = $value;
807
- }
808
- }
809
- }
810
- return $out;
811
- }
812
-
813
- // This function takes a input like a=b&a=c&d=e and returns the parsed
814
- // parameters like this
815
- // array('a' => array('b','c'), 'd' => 'e')
816
- public static function parse_parameters( $input ) {
817
- if (!isset($input) || !$input) return array();
818
-
819
- $pairs = explode('&', $input);
820
-
821
- $parsed_parameters = array();
822
- foreach ($pairs as $pair) {
823
- $split = explode('=', $pair, 2);
824
- $parameter = WPOAuthUtil::urldecode_rfc3986($split[0]);
825
- $value = isset($split[1]) ? WPOAuthUtil::urldecode_rfc3986($split[1]) : '';
826
-
827
- if (isset($parsed_parameters[$parameter])) {
828
- // We have already recieved parameter(s) with this name, so add to the list
829
- // of parameters with this name
830
-
831
- if (is_scalar($parsed_parameters[$parameter])) {
832
- // This is the first duplicate, so transform scalar (string) into an array
833
- // so we can add the duplicates
834
- $parsed_parameters[$parameter] = array($parsed_parameters[$parameter]);
835
- }
836
-
837
- $parsed_parameters[$parameter][] = $value;
838
- } else {
839
- $parsed_parameters[$parameter] = $value;
840
- }
841
- }
842
- return $parsed_parameters;
843
- }
844
-
845
- public static function build_http_query($params) {
846
- if (!$params) return '';
847
-
848
- // Urlencode both keys and values
849
- $keys = WPOAuthUtil::urlencode_rfc3986(array_keys($params));
850
- $values = WPOAuthUtil::urlencode_rfc3986(array_values($params));
851
- $params = array_combine($keys, $values);
852
-
853
- // Parameters are sorted by name, using lexicographical byte value ordering.
854
- // Ref: Spec: 9.1.1 (1)
855
- uksort($params, 'strcmp');
856
-
857
- $pairs = array();
858
- foreach ($params as $parameter => $value) {
859
- if (is_array($value)) {
860
- // If two or more parameters share the same name, they are sorted by their value
861
- // Ref: Spec: 9.1.1 (1)
862
- natsort($value);
863
- foreach ($value as $duplicate_value) {
864
- $pairs[] = $parameter . '=' . $duplicate_value;
865
- }
866
- } else {
867
- $pairs[] = $parameter . '=' . $value;
868
- }
869
- }
870
- // For each parameter, the name is separated from the corresponding value by an '=' character (ASCII code 61)
871
- // Each name-value pair is separated by an '&' character (ASCII code 38)
872
- return implode('&', $pairs);
873
- }
874
- }
875
-
876
- } // class_exists check
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
functions.php DELETED
@@ -1,378 +0,0 @@
1
- <?php
2
- // This file contains secondary functions supporting WP to Twitter
3
- // These functions don't perform any WP to Twitter actions, but are sometimes called for when
4
- // support for primary functions is lacking.
5
-
6
- if ( version_compare( $wp_version,"2.9.3",">" )) {
7
- if (!class_exists('WP_Http')) {
8
- require_once( ABSPATH.WPINC.'/class-http.php' );
9
- }
10
- }
11
-
12
- function jd_remote_json( $url, $array=true ) {
13
- $input = jd_fetch_url( $url );
14
- $obj = json_decode($input, $array );
15
- return $obj;
16
- // TODO: some error handling ?
17
- }
18
-
19
- function is_valid_url( $url ) {
20
- if (is_string($url)) {
21
- $url = urldecode($url);
22
- return preg_match('|^http(s)?://[a-z0-9-]+(.[a-z0-9-]+)*(:[0-9]+)?(/.*)?$|i', $url);
23
- } else {
24
- return false;
25
- }
26
- }
27
- // Fetch a remote page. Input url, return content
28
- function jd_fetch_url( $url, $method='GET', $body='', $headers='', $return='body' ) {
29
- $request = new WP_Http;
30
- $result = $request->request( $url , array( 'method'=>$method, 'body'=>$body, 'headers'=>$headers, 'user-agent'=>'WP to Twitter http://www.joedolson.com/articles/wp-to-twitter/' ) );
31
- // Success?
32
- if ( !is_wp_error($result) && isset($result['body']) ) {
33
- if ( $result['response']['code'] == 200 ) {
34
- if ($return == 'body') {
35
- return $result['body'];
36
- } else {
37
- return $result;
38
- }
39
- } else {
40
- return $result['response']['code'];
41
- }
42
- // Failure (server problem...)
43
- } else {
44
- return false;
45
- }
46
- }
47
-
48
- if (!function_exists('mb_strlen')) {
49
- function mb_strlen($data) {
50
- return strlen($data);
51
- }
52
- }
53
-
54
- if (!function_exists('mb_substr')) {
55
- function mb_substr($data,$start,$length = null, $encoding = null) {
56
- return substr($data,$start,$length);
57
- }
58
- }
59
-
60
- // str_ireplace substitution for PHP4
61
- if ( !function_exists( 'str_ireplace' ) ) {
62
- function str_ireplace( $needle, $str, $haystack ) {
63
- $needle = preg_quote( $needle, '/' );
64
- return preg_replace( "/$needle/i", $str, $haystack );
65
- }
66
- }
67
- // str_split substitution for PHP4
68
- if( !function_exists( 'str_split' ) ) {
69
- function str_split( $string,$string_length=1 ) {
70
- if( strlen( $string )>$string_length || !$string_length ) {
71
- do {
72
- $c = strlen($string);
73
- $parts[] = substr($string,0,$string_length);
74
- $string = substr($string,$string_length);
75
- } while($string !== false);
76
- } else {
77
- $parts = array($string);
78
- }
79
- return $parts;
80
- }
81
- }
82
- // mb_substr_replace substition for PHP4
83
- if ( !function_exists( 'mb_substr_replace' ) ) {
84
- function mb_substr_replace( $string, $replacement, $start, $length = null, $encoding = null ) {
85
- if ( extension_loaded( 'mbstring' ) === true ) {
86
- $string_length = (is_null($encoding) === true) ? mb_strlen($string) : mb_strlen($string, $encoding);
87
- if ( $start < 0 ) {
88
- $start = max(0, $string_length + $start);
89
- } else if ( $start > $string_length ) {
90
- $start = $string_length;
91
- }
92
- if ( $length < 0 ) {
93
- $length = max( 0, $string_length - $start + $length );
94
- } else if ( ( is_null( $length ) === true ) || ( $length > $string_length ) ) {
95
- $length = $string_length;
96
- }
97
- if ( ( $start + $length ) > $string_length) {
98
- $length = $string_length - $start;
99
- }
100
- if ( is_null( $encoding ) === true) {
101
- return mb_substr( $string, 0, $start ) . $replacement . mb_substr( $string, $start + $length, $string_length - $start - $length );
102
- }
103
- return mb_substr( $string, 0, $start, $encoding ) . $replacement . mb_substr( $string, $start + $length, $string_length - $start - $length, $encoding );
104
- }
105
- return ( is_null( $length ) === true ) ? substr_replace( $string, $replacement, $start ) : substr_replace( $string, $replacement, $start, $length );
106
- }
107
- }
108
-
109
- function print_settings() {
110
- global $wpt_version;
111
-
112
- $bitlyapi = ( get_option ( 'bitlyapi' ) != '' )?"Saved.":"Blank.";
113
- $yourlsapi = ( get_option ( 'yourlsapi' ) != '' )?"Saved.":"Blank.";
114
- $post_type_settings = get_option('wpt_post_types');
115
- $group = array();
116
- if (is_array($post_type_settings)) {
117
- $post_types = array_keys($post_type_settings);
118
- foreach ($post_types as $type) {
119
- foreach ($post_type_settings[$type] as $key=>$value ) {
120
- $group[$type][$key] = $value;
121
- }
122
- }
123
- }
124
- $options = array(
125
- 'comment-published-update'=>get_option('comment-published-update'),
126
- 'comment-published-text'=>get_option('comment-published-text'),
127
-
128
- 'jd_twit_blogroll'=>get_option( 'jd_twit_blogroll' ),
129
-
130
- 'jd_shortener'=>get_option( 'jd_shortener' ),
131
-
132
- 'wtt_twitter_username'=>get_option( 'wtt_twitter_username' ),
133
- 'app_consumer_key'=>get_option('app_consumer_key'),
134
- 'app_consumer_secret'=>get_option('app_consumer_secret'),
135
- 'oauth_token'=>get_option('oauth_token'),
136
- 'oauth_token_secret'=>get_option('oauth_token_secret'),
137
-
138
- 'suprapi'=>get_option( 'suprapi' ),
139
- 'bitlylogin'=>get_option( 'bitlylogin' ),
140
- 'bitlyapi'=>$bitlyapi,
141
- 'yourlsapi'=>$yourlsapi,
142
- 'yourlspath'=>get_option( 'yourlspath' ),
143
- 'yourlsurl' =>get_option( 'yourlsurl' ),
144
- 'yourlslogin'=>get_option( 'yourlslogin' ),
145
- 'jd_keyword_format'=>get_option( 'jd_keyword_format' ),
146
-
147
- 'jd_strip_nonan'=>get_option( 'jd_strip_nonan' ),
148
- 'jd_replace_character'=>get_option( 'jd_replace_character' ),
149
- 'jd_max_tags'=>get_option('jd_max_tags'),
150
- 'jd_max_characters'=>get_option('jd_max_characters'),
151
- 'jd_post_excerpt'=>get_option( 'jd_post_excerpt' ),
152
- 'jd_date_format'=>get_option( 'jd_date_format' ),
153
- 'jd_twit_prepend'=>get_option( 'jd_twit_prepend' ),
154
- 'jd_twit_append'=>get_option( 'jd_twit_append' ),
155
- 'jd_twit_custom_url'=>get_option( 'jd_twit_custom_url' ),
156
-
157
- 'jd_tweet_default'=>get_option( 'jd_tweet_default' ),
158
- 'jd_tweet_default_edit'=>get_option( 'jd_tweet_default_edit' ),
159
- 'jd_twit_remote'=>get_option( 'jd_twit_remote' ),
160
-
161
- 'use-twitter-analytics'=>get_option( 'use-twitter-analytics' ),
162
- 'twitter-analytics-campaign'=>get_option( 'twitter-analytics-campaign' ),
163
- 'use_dynamic_analytics'=>get_option( 'use_dynamic_analytics' ),
164
- 'jd_dynamic_analytics'=>get_option( 'jd_dynamic_analytics' ),
165
-
166
- 'jd_individual_twitter_users'=>get_option( 'jd_individual_twitter_users' ),
167
- 'wtt_user_permissions'=>get_option('wtt_user_permissions'),
168
-
169
- 'wp_twitter_failure'=>get_option( 'wp_twitter_failure' ),
170
- 'wp_url_failure' =>get_option( 'wp_url_failure' ),
171
- 'wp_bitly_error'=>get_option( 'wp_bitly_error' ),
172
- 'wp_supr_error'=>get_option( 'wp_supr_error' ),
173
- 'wp_to_twitter_version'=>get_option( 'wp_to_twitter_version'),
174
-
175
- 'disable_url_failure'=>get_option('disable_url_failure' ),
176
- 'disable_twitter_failure'=>get_option('disable_twitter_failure' ),
177
- 'disable_oauth_notice'=>get_option('disable_oauth_notice'),
178
- 'wp_debug_oauth'=>get_option('wp_debug_oauth'),
179
- 'jd_donations'=>get_option( 'jd_donations' ),
180
-
181
- 'tweet_categories'=>get_option('tweet_categories' ),
182
- 'limit_categories'=>get_option('limit_categories' ),
183
- 'twitterInitialised'=>get_option( 'twitterInitialised' )
184
- );
185
- echo "<div class=\"settings\">";
186
- echo "<strong>Raw Settings Output: Version $wpt_version</strong>";
187
- echo "<ol>";
188
- foreach ( $group as $key=>$value) {
189
- echo "<li><code>$key</code>:<ul>";
190
- foreach ( $value as $k=>$v ) {
191
- echo "<li><code>$k</code>: $v</li>";
192
- }
193
- echo "</ul></li>";
194
- }
195
- foreach ($options as $key=>$value) {
196
- echo "<li><code>$key</code>:$value</li>";
197
- }
198
-
199
- echo "</ol>";
200
- echo "<p>";
201
- _e( "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support.",'wp-to-twitter');
202
- echo "</p></div>";
203
- }
204
-
205
- function wtt_option_selected($field,$value,$type='checkbox') {
206
- switch ($type) {
207
- case 'radio':
208
- case 'checkbox':
209
- $result = ' checked="checked"';
210
- break;
211
- case 'option':
212
- $result = ' selected="selected"';
213
- break;
214
- }
215
- if ($field == $value) {
216
- $output = $result;
217
- } else {
218
- $output = '';
219
- }
220
- return $output;
221
- }
222
-
223
- function wpt_date_compare($early,$late) {
224
- $firstdate = strtotime($early);
225
- $lastdate = strtotime($late);
226
- if ($early <= $late ) { // if post_modified is before or equal to post_date
227
- return 1;
228
- } else {
229
- return 0;
230
- }
231
- }
232
-
233
- function wpt_get_support_form() {
234
- global $current_user, $wpt_version;
235
- get_currentuserinfo();
236
- $request = '';
237
- // send fields for WP to Twitter
238
- $license = ( get_option('wpt_license_key') != '' )?get_option('wpt_license_key'):'none';
239
- $license = "License Key: ".$license;
240
-
241
- $version = $wpt_version;
242
- $wtt_twitter_username = get_option('wtt_twitter_username');
243
- // send fields for all plugins
244
- $wp_version = get_bloginfo('version');
245
- $home_url = home_url();
246
- $wp_url = get_bloginfo('wpurl');
247
- $language = get_bloginfo('language');
248
- $charset = get_bloginfo('charset');
249
- // server
250
- $php_version = phpversion();
251
-
252
- $curl_init = ( function_exists('curl_init') )?'yes':'no';
253
- $curl_exec = ( function_exists('curl_exec') )?'yes':'no';
254
-
255
- // theme data
256
- if ( function_exists( 'wp_get_theme' ) ) {
257
- $theme = wp_get_theme();
258
- $theme_name = $theme->Name;
259
- $theme_uri = $theme->ThemeURI;
260
- $theme_parent = $theme->Template;
261
- $theme_version = $theme->Version;
262
- } else {
263
- $theme_path = get_stylesheet_directory().'/style.css';
264
- $theme = get_theme_data($theme_path);
265
- $theme_name = $theme['Name'];
266
- $theme_uri = $theme['ThemeURI'];
267
- $theme_parent = $theme['Template'];
268
- $theme_version = $theme['Version'];
269
- }
270
- // plugin data
271
- $plugins = get_plugins();
272
- $plugins_string = '';
273
- foreach( array_keys($plugins) as $key ) {
274
- if ( is_plugin_active( $key ) ) {
275
- $plugin =& $plugins[$key];
276
- $plugin_name = $plugin['Name'];
277
- $plugin_uri = $plugin['PluginURI'];
278
- $plugin_version = $plugin['Version'];
279
- $plugins_string .= "$plugin_name: $plugin_version; $plugin_uri\n";
280
- }
281
- }
282
- $data = "
283
- ================ Installation Data ====================
284
- ==WP to Twitter==
285
- Version: $version
286
- Twitter username: $wtt_twitter_username
287
- $license
288
-
289
- ==WordPress:==
290
- Version: $wp_version
291
- URL: $home_url
292
- Install: $wp_url
293
- Language: $language
294
- Charset: $charset
295
-
296
- ==Extra info:==
297
- PHP Version: $php_version
298
- Server Software: $_SERVER[SERVER_SOFTWARE]
299
- User Agent: $_SERVER[HTTP_USER_AGENT]
300
- cURL Init: $curl_init
301
- cURL Exec: $curl_exec
302
-
303
- ==Theme:==
304
- Name: $theme_name
305
- URI: $theme_uri
306
- Parent: $theme_parent
307
- Version: $theme_version
308
-
309
- ==Active Plugins:==
310
- $plugins_string
311
- ";
312
- if ( isset($_POST['wpt_support']) ) {
313
- $nonce=$_REQUEST['_wpnonce'];
314
- if (! wp_verify_nonce($nonce,'wp-to-twitter-nonce') ) die("Security check failed");
315
- $request = ( !empty($_POST['support_request']) )?stripslashes($_POST['support_request']):false;
316
- $has_donated = ( $_POST['has_donated'] == 'on')?"Donor":"No donation";
317
- $has_read_faq = ( $_POST['has_read_faq'] == 'on')?"Read FAQ":false;
318
- if ( function_exists( 'wpt_pro_exists' ) ) { $pro = " PRO"; } else { $pro = ''; }
319
- $subject = "WP to Twitter$pro support request. $has_donated";
320
- $message = $request ."\n\n". $data;
321
- $from = "From: \"$current_user->display_name\" <$current_user->user_email>\r\n";
322
-
323
- if ( !$has_read_faq ) {
324
- echo "<div class='message error'><p>".__('Please read the FAQ and other Help documents before making a support request.','wp-to-twitter')."</p></div>";
325
- } else if ( !$request ) {
326
- echo "<div class='message error'><p>".__('Please describe your problem. I\'m not psychic.','wp-to-twitter')."</p></div>";
327
- } else {
328
- wp_mail( "plugins@joedolson.com",$subject,$message,$from );
329
- if ( $has_donated == 'Donor' || $has_purchased == 'Purchaser' ) {
330
- echo "<div class='message updated'><p>".__('Thank you for supporting the continuing development of this plug-in! I\'ll get back to you as soon as I can.','wp-to-twitter')."</p></div>";
331
- } else {
332
- echo "<div class='message updated'><p>".__('I cannot provide free support, but will treat your request as a bug report, and will incorporate any permanent solutions I discover into the plug-in.','wp-to-twitter')."</p></div>";
333
- }
334
- }
335
- }
336
- if ( function_exists( 'wpt_pro_exists' ) ) { $checked="checked='checked'"; } else { $checked=''; }
337
- $admin_url = ( is_plugin_active('wp-tweets-pro/wpt-pro-functions.php') )?admin_url('admin.php?page=wp-tweets-pro'):admin_url('options-general.php?page=wp-to-twitter/wp-to-twitter.php');
338
-
339
- echo "
340
- <form method='post' action='$admin_url'>
341
- <div><input type='hidden' name='_wpnonce' value='".wp_create_nonce('wp-to-twitter-nonce')."' /></div>
342
- <div>";
343
- if ( function_exists( 'wpt_pro_exists' ) ) {
344
- echo "
345
- <p>".
346
- __('Please include your license key in your support request.','wp-to-twitter')
347
- ."</p>";
348
- } else {
349
- echo "
350
- <p>".
351
- __('<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message.','wp-to-twitter')
352
- ."</p>";
353
- }
354
- echo "
355
- <p>
356
- <code>".__('From:','wp-to-twitter')." \"$current_user->display_name\" &lt;$current_user->user_email&gt;</code>
357
- </p>
358
- <p>
359
- <input type='checkbox' name='has_read_faq' id='has_read_faq' value='on' /> <label for='has_read_faq'>".sprintf(__('I have read <a href="%1$s">the FAQ for this plug-in</a> <span>(required)</span>','wp-to-twitter'),'http://www.joedolson.com/articles/wp-to-twitter/support-2/')."
360
- </p>
361
- <p>
362
- <input type='checkbox' name='has_donated' id='has_donated' value='on' $checked /> <label for='has_donated'>".sprintf(__('I have <a href="%1$s">made a donation to help support this plug-in</a>','wp-to-twitter'),'http://www.joedolson.com/donate.php')."</label>
363
- </p>
364
- <p>
365
- <label for='support_request'>".__('Support Request:','wp-to-twitter')."</label><br /><textarea name='support_request' id='support_request' cols='80' rows='10'>".stripslashes($request)."</textarea>
366
- </p>
367
- <p>
368
- <input type='submit' value='".__('Send Support Request','wp-to-twitter')."' name='wpt_support' class='button-primary' />
369
- </p>
370
- <p>".
371
- __('The following additional information will be sent with your support request:','wp-to-twitter')
372
- ."</p>
373
- <div class='mc_support'>
374
- ".wpautop($data)."
375
- </div>
376
- </div>
377
- </form>";
378
- }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
gpl.txt CHANGED
@@ -1,674 +1,674 @@
1
- GNU GENERAL PUBLIC LICENSE
2
- Version 3, 29 June 2007
3
-
4
- Copyright (C) 2007 Free Software Foundation, Inc. <http://fsf.org/>
5
- Everyone is permitted to copy and distribute verbatim copies
6
- of this license document, but changing it is not allowed.
7
-
8
- Preamble
9
-
10
- The GNU General Public License is a free, copyleft license for
11
- software and other kinds of works.
12
-
13
- The licenses for most software and other practical works are designed
14
- to take away your freedom to share and change the works. By contrast,
15
- the GNU General Public License is intended to guarantee your freedom to
16
- share and change all versions of a program--to make sure it remains free
17
- software for all its users. We, the Free Software Foundation, use the
18
- GNU General Public License for most of our software; it applies also to
19
- any other work released this way by its authors. You can apply it to
20
- your programs, too.
21
-
22
- When we speak of free software, we are referring to freedom, not
23
- price. Our General Public Licenses are designed to make sure that you
24
- have the freedom to distribute copies of free software (and charge for
25
- them if you wish), that you receive source code or can get it if you
26
- want it, that you can change the software or use pieces of it in new
27
- free programs, and that you know you can do these things.
28
-
29
- To protect your rights, we need to prevent others from denying you
30
- these rights or asking you to surrender the rights. Therefore, you have
31
- certain responsibilities if you distribute copies of the software, or if
32
- you modify it: responsibilities to respect the freedom of others.
33
-
34
- For example, if you distribute copies of such a program, whether
35
- gratis or for a fee, you must pass on to the recipients the same
36
- freedoms that you received. You must make sure that they, too, receive
37
- or can get the source code. And you must show them these terms so they
38
- know their rights.
39
-
40
- Developers that use the GNU GPL protect your rights with two steps:
41
- (1) assert copyright on the software, and (2) offer you this License
42
- giving you legal permission to copy, distribute and/or modify it.
43
-
44
- For the developers' and authors' protection, the GPL clearly explains
45
- that there is no warranty for this free software. For both users' and
46
- authors' sake, the GPL requires that modified versions be marked as
47
- changed, so that their problems will not be attributed erroneously to
48
- authors of previous versions.
49
-
50
- Some devices are designed to deny users access to install or run
51
- modified versions of the software inside them, although the manufacturer
52
- can do so. This is fundamentally incompatible with the aim of
53
- protecting users' freedom to change the software. The systematic
54
- pattern of such abuse occurs in the area of products for individuals to
55
- use, which is precisely where it is most unacceptable. Therefore, we
56
- have designed this version of the GPL to prohibit the practice for those
57
- products. If such problems arise substantially in other domains, we
58
- stand ready to extend this provision to those domains in future versions
59
- of the GPL, as needed to protect the freedom of users.
60
-
61
- Finally, every program is threatened constantly by software patents.
62
- States should not allow patents to restrict development and use of
63
- software on general-purpose computers, but in those that do, we wish to
64
- avoid the special danger that patents applied to a free program could
65
- make it effectively proprietary. To prevent this, the GPL assures that
66
- patents cannot be used to render the program non-free.
67
-
68
- The precise terms and conditions for copying, distribution and
69
- modification follow.
70
-
71
- TERMS AND CONDITIONS
72
-
73
- 0. Definitions.
74
-
75
- "This License" refers to version 3 of the GNU General Public License.
76
-
77
- "Copyright" also means copyright-like laws that apply to other kinds of
78
- works, such as semiconductor masks.
79
-
80
- "The Program" refers to any copyrightable work licensed under this
81
- License. Each licensee is addressed as "you". "Licensees" and
82
- "recipients" may be individuals or organizations.
83
-
84
- To "modify" a work means to copy from or adapt all or part of the work
85
- in a fashion requiring copyright permission, other than the making of an
86
- exact copy. The resulting work is called a "modified version" of the
87
- earlier work or a work "based on" the earlier work.
88
-
89
- A "covered work" means either the unmodified Program or a work based
90
- on the Program.
91
-
92
- To "propagate" a work means to do anything with it that, without
93
- permission, would make you directly or secondarily liable for
94
- infringement under applicable copyright law, except executing it on a
95
- computer or modifying a private copy. Propagation includes copying,
96
- distribution (with or without modification), making available to the
97
- public, and in some countries other activities as well.
98
-
99
- To "convey" a work means any kind of propagation that enables other
100
- parties to make or receive copies. Mere interaction with a user through
101
- a computer network, with no transfer of a copy, is not conveying.
102
-
103
- An interactive user interface displays "Appropriate Legal Notices"
104
- to the extent that it includes a convenient and prominently visible
105
- feature that (1) displays an appropriate copyright notice, and (2)
106
- tells the user that there is no warranty for the work (except to the
107
- extent that warranties are provided), that licensees may convey the
108
- work under this License, and how to view a copy of this License. If
109
- the interface presents a list of user commands or options, such as a
110
- menu, a prominent item in the list meets this criterion.
111
-
112
- 1. Source Code.
113
-
114
- The "source code" for a work means the preferred form of the work
115
- for making modifications to it. "Object code" means any non-source
116
- form of a work.
117
-
118
- A "Standard Interface" means an interface that either is an official
119
- standard defined by a recognized standards body, or, in the case of
120
- interfaces specified for a particular programming language, one that
121
- is widely used among developers working in that language.
122
-
123
- The "System Libraries" of an executable work include anything, other
124
- than the work as a whole, that (a) is included in the normal form of
125
- packaging a Major Component, but which is not part of that Major
126
- Component, and (b) serves only to enable use of the work with that
127
- Major Component, or to implement a Standard Interface for which an
128
- implementation is available to the public in source code form. A
129
- "Major Component", in this context, means a major essential component
130
- (kernel, window system, and so on) of the specific operating system
131
- (if any) on which the executable work runs, or a compiler used to
132
- produce the work, or an object code interpreter used to run it.
133
-
134
- The "Corresponding Source" for a work in object code form means all
135
- the source code needed to generate, install, and (for an executable
136
- work) run the object code and to modify the work, including scripts to
137
- control those activities. However, it does not include the work's
138
- System Libraries, or general-purpose tools or generally available free
139
- programs which are used unmodified in performing those activities but
140
- which are not part of the work. For example, Corresponding Source
141
- includes interface definition files associated with source files for
142
- the work, and the source code for shared libraries and dynamically
143
- linked subprograms that the work is specifically designed to require,
144
- such as by intimate data communication or control flow between those
145
- subprograms and other parts of the work.
146
-
147
- The Corresponding Source need not include anything that users
148
- can regenerate automatically from other parts of the Corresponding
149
- Source.
150
-
151
- The Corresponding Source for a work in source code form is that
152
- same work.
153
-
154
- 2. Basic Permissions.
155
-
156
- All rights granted under this License are granted for the term of
157
- copyright on the Program, and are irrevocable provided the stated
158
- conditions are met. This License explicitly affirms your unlimited
159
- permission to run the unmodified Program. The output from running a
160
- covered work is covered by this License only if the output, given its
161
- content, constitutes a covered work. This License acknowledges your
162
- rights of fair use or other equivalent, as provided by copyright law.
163
-
164
- You may make, run and propagate covered works that you do not
165
- convey, without conditions so long as your license otherwise remains
166
- in force. You may convey covered works to others for the sole purpose
167
- of having them make modifications exclusively for you, or provide you
168
- with facilities for running those works, provided that you comply with
169
- the terms of this License in conveying all material for which you do
170
- not control copyright. Those thus making or running the covered works
171
- for you must do so exclusively on your behalf, under your direction
172
- and control, on terms that prohibit them from making any copies of
173
- your copyrighted material outside their relationship with you.
174
-
175
- Conveying under any other circumstances is permitted solely under
176
- the conditions stated below. Sublicensing is not allowed; section 10
177
- makes it unnecessary.
178
-
179
- 3. Protecting Users' Legal Rights From Anti-Circumvention Law.
180
-
181
- No covered work shall be deemed part of an effective technological
182
- measure under any applicable law fulfilling obligations under article
183
- 11 of the WIPO copyright treaty adopted on 20 December 1996, or
184
- similar laws prohibiting or restricting circumvention of such
185
- measures.
186
-
187
- When you convey a covered work, you waive any legal power to forbid
188
- circumvention of technological measures to the extent such circumvention
189
- is effected by exercising rights under this License with respect to
190
- the covered work, and you disclaim any intention to limit operation or
191
- modification of the work as a means of enforcing, against the work's
192
- users, your or third parties' legal rights to forbid circumvention of
193
- technological measures.
194
-
195
- 4. Conveying Verbatim Copies.
196
-
197
- You may convey verbatim copies of the Program's source code as you
198
- receive it, in any medium, provided that you conspicuously and
199
- appropriately publish on each copy an appropriate copyright notice;
200
- keep intact all notices stating that this License and any
201
- non-permissive terms added in accord with section 7 apply to the code;
202
- keep intact all notices of the absence of any warranty; and give all
203
- recipients a copy of this License along with the Program.
204
-
205
- You may charge any price or no price for each copy that you convey,
206
- and you may offer support or warranty protection for a fee.
207
-
208
- 5. Conveying Modified Source Versions.
209
-
210
- You may convey a work based on the Program, or the modifications to
211
- produce it from the Program, in the form of source code under the
212
- terms of section 4, provided that you also meet all of these conditions:
213
-
214
- a) The work must carry prominent notices stating that you modified
215
- it, and giving a relevant date.
216
-
217
- b) The work must carry prominent notices stating that it is
218
- released under this License and any conditions added under section
219
- 7. This requirement modifies the requirement in section 4 to
220
- "keep intact all notices".
221
-
222
- c) You must license the entire work, as a whole, under this
223
- License to anyone who comes into possession of a copy. This
224
- License will therefore apply, along with any applicable section 7
225
- additional terms, to the whole of the work, and all its parts,
226
- regardless of how they are packaged. This License gives no
227
- permission to license the work in any other way, but it does not
228
- invalidate such permission if you have separately received it.
229
-
230
- d) If the work has interactive user interfaces, each must display
231
- Appropriate Legal Notices; however, if the Program has interactive
232
- interfaces that do not display Appropriate Legal Notices, your
233
- work need not make them do so.
234
-
235
- A compilation of a covered work with other separate and independent
236
- works, which are not by their nature extensions of the covered work,
237
- and which are not combined with it such as to form a larger program,
238
- in or on a volume of a storage or distribution medium, is called an
239
- "aggregate" if the compilation and its resulting copyright are not
240
- used to limit the access or legal rights of the compilation's users
241
- beyond what the individual works permit. Inclusion of a covered work
242
- in an aggregate does not cause this License to apply to the other
243
- parts of the aggregate.
244
-
245
- 6. Conveying Non-Source Forms.
246
-
247
- You may convey a covered work in object code form under the terms
248
- of sections 4 and 5, provided that you also convey the
249
- machine-readable Corresponding Source under the terms of this License,
250
- in one of these ways:
251
-
252
- a) Convey the object code in, or embodied in, a physical product
253
- (including a physical distribution medium), accompanied by the
254
- Corresponding Source fixed on a durable physical medium
255
- customarily used for software interchange.
256
-
257
- b) Convey the object code in, or embodied in, a physical product
258
- (including a physical distribution medium), accompanied by a
259
- written offer, valid for at least three years and valid for as
260
- long as you offer spare parts or customer support for that product
261
- model, to give anyone who possesses the object code either (1) a
262
- copy of the Corresponding Source for all the software in the
263
- product that is covered by this License, on a durable physical
264
- medium customarily used for software interchange, for a price no
265
- more than your reasonable cost of physically performing this
266
- conveying of source, or (2) access to copy the
267
- Corresponding Source from a network server at no charge.
268
-
269
- c) Convey individual copies of the object code with a copy of the
270
- written offer to provide the Corresponding Source. This
271
- alternative is allowed only occasionally and noncommercially, and
272
- only if you received the object code with such an offer, in accord
273
- with subsection 6b.
274
-
275
- d) Convey the object code by offering access from a designated
276
- place (gratis or for a charge), and offer equivalent access to the
277
- Corresponding Source in the same way through the same place at no
278
- further charge. You need not require recipients to copy the
279
- Corresponding Source along with the object code. If the place to
280
- copy the object code is a network server, the Corresponding Source
281
- may be on a different server (operated by you or a third party)
282
- that supports equivalent copying facilities, provided you maintain
283
- clear directions next to the object code saying where to find the
284
- Corresponding Source. Regardless of what server hosts the
285
- Corresponding Source, you remain obligated to ensure that it is
286
- available for as long as needed to satisfy these requirements.
287
-
288
- e) Convey the object code using peer-to-peer transmission, provided
289
- you inform other peers where the object code and Corresponding
290
- Source of the work are being offered to the general public at no
291
- charge under subsection 6d.
292
-
293
- A separable portion of the object code, whose source code is excluded
294
- from the Corresponding Source as a System Library, need not be
295
- included in conveying the object code work.
296
-
297
- A "User Product" is either (1) a "consumer product", which means any
298
- tangible personal property which is normally used for personal, family,
299
- or household purposes, or (2) anything designed or sold for incorporation
300
- into a dwelling. In determining whether a product is a consumer product,
301
- doubtful cases shall be resolved in favor of coverage. For a particular
302
- product received by a particular user, "normally used" refers to a
303
- typical or common use of that class of product, regardless of the status
304
- of the particular user or of the way in which the particular user
305
- actually uses, or expects or is expected to use, the product. A product
306
- is a consumer product regardless of whether the product has substantial
307
- commercial, industrial or non-consumer uses, unless such uses represent
308
- the only significant mode of use of the product.
309
-
310
- "Installation Information" for a User Product means any methods,
311
- procedures, authorization keys, or other information required to install
312
- and execute modified versions of a covered work in that User Product from
313
- a modified version of its Corresponding Source. The information must
314
- suffice to ensure that the continued functioning of the modified object
315
- code is in no case prevented or interfered with solely because
316
- modification has been made.
317
-
318
- If you convey an object code work under this section in, or with, or
319
- specifically for use in, a User Product, and the conveying occurs as
320
- part of a transaction in which the right of possession and use of the
321
- User Product is transferred to the recipient in perpetuity or for a
322
- fixed term (regardless of how the transaction is characterized), the
323
- Corresponding Source conveyed under this section must be accompanied
324
- by the Installation Information. But this requirement does not apply
325
- if neither you nor any third party retains the ability to install
326
- modified object code on the User Product (for example, the work has
327
- been installed in ROM).
328
-
329
- The requirement to provide Installation Information does not include a
330
- requirement to continue to provide support service, warranty, or updates
331
- for a work that has been modified or installed by the recipient, or for
332
- the User Product in which it has been modified or installed. Access to a
333
- network may be denied when the modification itself materially and
334
- adversely affects the operation of the network or violates the rules and
335
- protocols for communication across the network.
336
-
337
- Corresponding Source conveyed, and Installation Information provided,
338
- in accord with this section must be in a format that is publicly
339
- documented (and with an implementation available to the public in
340
- source code form), and must require no special password or key for
341
- unpacking, reading or copying.
342
-
343
- 7. Additional Terms.
344
-
345
- "Additional permissions" are terms that supplement the terms of this
346
- License by making exceptions from one or more of its conditions.
347
- Additional permissions that are applicable to the entire Program shall
348
- be treated as though they were included in this License, to the extent
349
- that they are valid under applicable law. If additional permissions
350
- apply only to part of the Program, that part may be used separately
351
- under those permissions, but the entire Program remains governed by
352
- this License without regard to the additional permissions.
353
-
354
- When you convey a copy of a covered work, you may at your option
355
- remove any additional permissions from that copy, or from any part of
356
- it. (Additional permissions may be written to require their own
357
- removal in certain cases when you modify the work.) You may place
358
- additional permissions on material, added by you to a covered work,
359
- for which you have or can give appropriate copyright permission.
360
-
361
- Notwithstanding any other provision of this License, for material you
362
- add to a covered work, you may (if authorized by the copyright holders of
363
- that material) supplement the terms of this License with terms:
364
-
365
- a) Disclaiming warranty or limiting liability differently from the
366
- terms of sections 15 and 16 of this License; or
367
-
368
- b) Requiring preservation of specified reasonable legal notices or
369
- author attributions in that material or in the Appropriate Legal
370
- Notices displayed by works containing it; or
371
-
372
- c) Prohibiting misrepresentation of the origin of that material, or
373
- requiring that modified versions of such material be marked in
374
- reasonable ways as different from the original version; or
375
-
376
- d) Limiting the use for publicity purposes of names of licensors or
377
- authors of the material; or
378
-
379
- e) Declining to grant rights under trademark law for use of some
380
- trade names, trademarks, or service marks; or
381
-
382
- f) Requiring indemnification of licensors and authors of that
383
- material by anyone who conveys the material (or modified versions of
384
- it) with contractual assumptions of liability to the recipient, for
385
- any liability that these contractual assumptions directly impose on
386
- those licensors and authors.
387
-
388
- All other non-permissive additional terms are considered "further
389
- restrictions" within the meaning of section 10. If the Program as you
390
- received it, or any part of it, contains a notice stating that it is
391
- governed by this License along with a term that is a further
392
- restriction, you may remove that term. If a license document contains
393
- a further restriction but permits relicensing or conveying under this
394
- License, you may add to a covered work material governed by the terms
395
- of that license document, provided that the further restriction does
396
- not survive such relicensing or conveying.
397
-
398
- If you add terms to a covered work in accord with this section, you
399
- must place, in the relevant source files, a statement of the
400
- additional terms that apply to those files, or a notice indicating
401
- where to find the applicable terms.
402
-
403
- Additional terms, permissive or non-permissive, may be stated in the
404
- form of a separately written license, or stated as exceptions;
405
- the above requirements apply either way.
406
-
407
- 8. Termination.
408
-
409
- You may not propagate or modify a covered work except as expressly
410
- provided under this License. Any attempt otherwise to propagate or
411
- modify it is void, and will automatically terminate your rights under
412
- this License (including any patent licenses granted under the third
413
- paragraph of section 11).
414
-
415
- However, if you cease all violation of this License, then your
416
- license from a particular copyright holder is reinstated (a)
417
- provisionally, unless and until the copyright holder explicitly and
418
- finally terminates your license, and (b) permanently, if the copyright
419
- holder fails to notify you of the violation by some reasonable means
420
- prior to 60 days after the cessation.
421
-
422
- Moreover, your license from a particular copyright holder is
423
- reinstated permanently if the copyright holder notifies you of the
424
- violation by some reasonable means, this is the first time you have
425
- received notice of violation of this License (for any work) from that
426
- copyright holder, and you cure the violation prior to 30 days after
427
- your receipt of the notice.
428
-
429
- Termination of your rights under this section does not terminate the
430
- licenses of parties who have received copies or rights from you under
431
- this License. If your rights have been terminated and not permanently
432
- reinstated, you do not qualify to receive new licenses for the same
433
- material under section 10.
434
-
435
- 9. Acceptance Not Required for Having Copies.
436
-
437
- You are not required to accept this License in order to receive or
438
- run a copy of the Program. Ancillary propagation of a covered work
439
- occurring solely as a consequence of using peer-to-peer transmission
440
- to receive a copy likewise does not require acceptance. However,
441
- nothing other than this License grants you permission to propagate or
442
- modify any covered work. These actions infringe copyright if you do
443
- not accept this License. Therefore, by modifying or propagating a
444
- covered work, you indicate your acceptance of this License to do so.
445
-
446
- 10. Automatic Licensing of Downstream Recipients.
447
-
448
- Each time you convey a covered work, the recipient automatically
449
- receives a license from the original licensors, to run, modify and
450
- propagate that work, subject to this License. You are not responsible
451
- for enforcing compliance by third parties with this License.
452
-
453
- An "entity transaction" is a transaction transferring control of an
454
- organization, or substantially all assets of one, or subdividing an
455
- organization, or merging organizations. If propagation of a covered
456
- work results from an entity transaction, each party to that
457
- transaction who receives a copy of the work also receives whatever
458
- licenses to the work the party's predecessor in interest had or could
459
- give under the previous paragraph, plus a right to possession of the
460
- Corresponding Source of the work from the predecessor in interest, if
461
- the predecessor has it or can get it with reasonable efforts.
462
-
463
- You may not impose any further restrictions on the exercise of the
464
- rights granted or affirmed under this License. For example, you may
465
- not impose a license fee, royalty, or other charge for exercise of
466
- rights granted under this License, and you may not initiate litigation
467
- (including a cross-claim or counterclaim in a lawsuit) alleging that
468
- any patent claim is infringed by making, using, selling, offering for
469
- sale, or importing the Program or any portion of it.
470
-
471
- 11. Patents.
472
-
473
- A "contributor" is a copyright holder who authorizes use under this
474
- License of the Program or a work on which the Program is based. The
475
- work thus licensed is called the contributor's "contributor version".
476
-
477
- A contributor's "essential patent claims" are all patent claims
478
- owned or controlled by the contributor, whether already acquired or
479
- hereafter acquired, that would be infringed by some manner, permitted
480
- by this License, of making, using, or selling its contributor version,
481
- but do not include claims that would be infringed only as a
482
- consequence of further modification of the contributor version. For
483
- purposes of this definition, "control" includes the right to grant
484
- patent sublicenses in a manner consistent with the requirements of
485
- this License.
486
-
487
- Each contributor grants you a non-exclusive, worldwide, royalty-free
488
- patent license under the contributor's essential patent claims, to
489
- make, use, sell, offer for sale, import and otherwise run, modify and
490
- propagate the contents of its contributor version.
491
-
492
- In the following three paragraphs, a "patent license" is any express
493
- agreement or commitment, however denominated, not to enforce a patent
494
- (such as an express permission to practice a patent or covenant not to
495
- sue for patent infringement). To "grant" such a patent license to a
496
- party means to make such an agreement or commitment not to enforce a
497
- patent against the party.
498
-
499
- If you convey a covered work, knowingly relying on a patent license,
500
- and the Corresponding Source of the work is not available for anyone
501
- to copy, free of charge and under the terms of this License, through a
502
- publicly available network server or other readily accessible means,
503
- then you must either (1) cause the Corresponding Source to be so
504
- available, or (2) arrange to deprive yourself of the benefit of the
505
- patent license for this particular work, or (3) arrange, in a manner
506
- consistent with the requirements of this License, to extend the patent
507
- license to downstream recipients. "Knowingly relying" means you have
508
- actual knowledge that, but for the patent license, your conveying the
509
- covered work in a country, or your recipient's use of the covered work
510
- in a country, would infringe one or more identifiable patents in that
511
- country that you have reason to believe are valid.
512
-
513
- If, pursuant to or in connection with a single transaction or
514
- arrangement, you convey, or propagate by procuring conveyance of, a
515
- covered work, and grant a patent license to some of the parties
516
- receiving the covered work authorizing them to use, propagate, modify
517
- or convey a specific copy of the covered work, then the patent license
518
- you grant is automatically extended to all recipients of the covered
519
- work and works based on it.
520
-
521
- A patent license is "discriminatory" if it does not include within
522
- the scope of its coverage, prohibits the exercise of, or is
523
- conditioned on the non-exercise of one or more of the rights that are
524
- specifically granted under this License. You may not convey a covered
525
- work if you are a party to an arrangement with a third party that is
526
- in the business of distributing software, under which you make payment
527
- to the third party based on the extent of your activity of conveying
528
- the work, and under which the third party grants, to any of the
529
- parties who would receive the covered work from you, a discriminatory
530
- patent license (a) in connection with copies of the covered work
531
- conveyed by you (or copies made from those copies), or (b) primarily
532
- for and in connection with specific products or compilations that
533
- contain the covered work, unless you entered into that arrangement,
534
- or that patent license was granted, prior to 28 March 2007.
535
-
536
- Nothing in this License shall be construed as excluding or limiting
537
- any implied license or other defenses to infringement that may
538
- otherwise be available to you under applicable patent law.
539
-
540
- 12. No Surrender of Others' Freedom.
541
-
542
- If conditions are imposed on you (whether by court order, agreement or
543
- otherwise) that contradict the conditions of this License, they do not
544
- excuse you from the conditions of this License. If you cannot convey a
545
- covered work so as to satisfy simultaneously your obligations under this
546
- License and any other pertinent obligations, then as a consequence you may
547
- not convey it at all. For example, if you agree to terms that obligate you
548
- to collect a royalty for further conveying from those to whom you convey
549
- the Program, the only way you could satisfy both those terms and this
550
- License would be to refrain entirely from conveying the Program.
551
-
552
- 13. Use with the GNU Affero General Public License.
553
-
554
- Notwithstanding any other provision of this License, you have
555
- permission to link or combine any covered work with a work licensed
556
- under version 3 of the GNU Affero General Public License into a single
557
- combined work, and to convey the resulting work. The terms of this
558
- License will continue to apply to the part which is the covered work,
559
- but the special requirements of the GNU Affero General Public License,
560
- section 13, concerning interaction through a network will apply to the
561
- combination as such.
562
-
563
- 14. Revised Versions of this License.
564
-
565
- The Free Software Foundation may publish revised and/or new versions of
566
- the GNU General Public License from time to time. Such new versions will
567
- be similar in spirit to the present version, but may differ in detail to
568
- address new problems or concerns.
569
-
570
- Each version is given a distinguishing version number. If the
571
- Program specifies that a certain numbered version of the GNU General
572
- Public License "or any later version" applies to it, you have the
573
- option of following the terms and conditions either of that numbered
574
- version or of any later version published by the Free Software
575
- Foundation. If the Program does not specify a version number of the
576
- GNU General Public License, you may choose any version ever published
577
- by the Free Software Foundation.
578
-
579
- If the Program specifies that a proxy can decide which future
580
- versions of the GNU General Public License can be used, that proxy's
581
- public statement of acceptance of a version permanently authorizes you
582
- to choose that version for the Program.
583
-
584
- Later license versions may give you additional or different
585
- permissions. However, no additional obligations are imposed on any
586
- author or copyright holder as a result of your choosing to follow a
587
- later version.
588
-
589
- 15. Disclaimer of Warranty.
590
-
591
- THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY
592
- APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT
593
- HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY
594
- OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO,
595
- THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
596
- PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM
597
- IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF
598
- ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
599
-
600
- 16. Limitation of Liability.
601
-
602
- IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
603
- WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS
604
- THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY
605
- GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE
606
- USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF
607
- DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD
608
- PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS),
609
- EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF
610
- SUCH DAMAGES.
611
-
612
- 17. Interpretation of Sections 15 and 16.
613
-
614
- If the disclaimer of warranty and limitation of liability provided
615
- above cannot be given local legal effect according to their terms,
616
- reviewing courts shall apply local law that most closely approximates
617
- an absolute waiver of all civil liability in connection with the
618
- Program, unless a warranty or assumption of liability accompanies a
619
- copy of the Program in return for a fee.
620
-
621
- END OF TERMS AND CONDITIONS
622
-
623
- How to Apply These Terms to Your New Programs
624
-
625
- If you develop a new program, and you want it to be of the greatest
626
- possible use to the public, the best way to achieve this is to make it
627
- free software which everyone can redistribute and change under these terms.
628
-
629
- To do so, attach the following notices to the program. It is safest
630
- to attach them to the start of each source file to most effectively
631
- state the exclusion of warranty; and each file should have at least
632
- the "copyright" line and a pointer to where the full notice is found.
633
-
634
- <one line to give the program's name and a brief idea of what it does.>
635
- Copyright (C) <year> <name of author>
636
-
637
- This program is free software: you can redistribute it and/or modify
638
- it under the terms of the GNU General Public License as published by
639
- the Free Software Foundation, either version 3 of the License, or
640
- (at your option) any later version.
641
-
642
- This program is distributed in the hope that it will be useful,
643
- but WITHOUT ANY WARRANTY; without even the implied warranty of
644
- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
645
- GNU General Public License for more details.
646
-
647
- You should have received a copy of the GNU General Public License
648
- along with this program. If not, see <http://www.gnu.org/licenses/>.
649
-
650
- Also add information on how to contact you by electronic and paper mail.
651
-
652
- If the program does terminal interaction, make it output a short
653
- notice like this when it starts in an interactive mode:
654
-
655
- <program> Copyright (C) <year> <name of author>
656
- This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
657
- This is free software, and you are welcome to redistribute it
658
- under certain conditions; type `show c' for details.
659
-
660
- The hypothetical commands `show w' and `show c' should show the appropriate
661
- parts of the General Public License. Of course, your program's commands
662
- might be different; for a GUI interface, you would use an "about box".
663
-
664
- You should also get your employer (if you work as a programmer) or school,
665
- if any, to sign a "copyright disclaimer" for the program, if necessary.
666
- For more information on this, and how to apply and follow the GNU GPL, see
667
- <http://www.gnu.org/licenses/>.
668
-
669
- The GNU General Public License does not permit incorporating your program
670
- into proprietary programs. If your program is a subroutine library, you
671
- may consider it more useful to permit linking proprietary applications with
672
- the library. If this is what you want to do, use the GNU Lesser General
673
- Public License instead of this License. But first, please read
674
- <http://www.gnu.org/philosophy/why-not-lgpl.html>.
1
+ GNU GENERAL PUBLIC LICENSE
2
+ Version 3, 29 June 2007
3
+
4
+ Copyright (C) 2007 Free Software Foundation, Inc. <http://fsf.org/>
5
+ Everyone is permitted to copy and distribute verbatim copies
6
+ of this license document, but changing it is not allowed.
7
+
8
+ Preamble
9
+
10
+ The GNU General Public License is a free, copyleft license for
11
+ software and other kinds of works.
12
+
13
+ The licenses for most software and other practical works are designed
14
+ to take away your freedom to share and change the works. By contrast,
15
+ the GNU General Public License is intended to guarantee your freedom to
16
+ share and change all versions of a program--to make sure it remains free
17
+ software for all its users. We, the Free Software Foundation, use the
18
+ GNU General Public License for most of our software; it applies also to
19
+ any other work released this way by its authors. You can apply it to
20
+ your programs, too.
21
+
22
+ When we speak of free software, we are referring to freedom, not
23
+ price. Our General Public Licenses are designed to make sure that you
24
+ have the freedom to distribute copies of free software (and charge for
25
+ them if you wish), that you receive source code or can get it if you
26
+ want it, that you can change the software or use pieces of it in new
27
+ free programs, and that you know you can do these things.
28
+
29
+ To protect your rights, we need to prevent others from denying you
30
+ these rights or asking you to surrender the rights. Therefore, you have
31
+ certain responsibilities if you distribute copies of the software, or if
32
+ you modify it: responsibilities to respect the freedom of others.
33
+
34
+ For example, if you distribute copies of such a program, whether
35
+ gratis or for a fee, you must pass on to the recipients the same
36
+ freedoms that you received. You must make sure that they, too, receive
37
+ or can get the source code. And you must show them these terms so they
38
+ know their rights.
39
+
40
+ Developers that use the GNU GPL protect your rights with two steps:
41
+ (1) assert copyright on the software, and (2) offer you this License
42
+ giving you legal permission to copy, distribute and/or modify it.
43
+
44
+ For the developers' and authors' protection, the GPL clearly explains
45
+ that there is no warranty for this free software. For both users' and
46
+ authors' sake, the GPL requires that modified versions be marked as
47
+ changed, so that their problems will not be attributed erroneously to
48
+ authors of previous versions.
49
+
50
+ Some devices are designed to deny users access to install or run
51
+ modified versions of the software inside them, although the manufacturer
52
+ can do so. This is fundamentally incompatible with the aim of
53
+ protecting users' freedom to change the software. The systematic
54
+ pattern of such abuse occurs in the area of products for individuals to
55
+ use, which is precisely where it is most unacceptable. Therefore, we
56
+ have designed this version of the GPL to prohibit the practice for those
57
+ products. If such problems arise substantially in other domains, we
58
+ stand ready to extend this provision to those domains in future versions
59
+ of the GPL, as needed to protect the freedom of users.
60
+
61
+ Finally, every program is threatened constantly by software patents.
62
+ States should not allow patents to restrict development and use of
63
+ software on general-purpose computers, but in those that do, we wish to
64
+ avoid the special danger that patents applied to a free program could
65
+ make it effectively proprietary. To prevent this, the GPL assures that
66
+ patents cannot be used to render the program non-free.
67
+
68
+ The precise terms and conditions for copying, distribution and
69
+ modification follow.
70
+
71
+ TERMS AND CONDITIONS
72
+
73
+ 0. Definitions.
74
+
75
+ "This License" refers to version 3 of the GNU General Public License.
76
+
77
+ "Copyright" also means copyright-like laws that apply to other kinds of
78
+ works, such as semiconductor masks.
79
+
80
+ "The Program" refers to any copyrightable work licensed under this
81
+ License. Each licensee is addressed as "you". "Licensees" and
82
+ "recipients" may be individuals or organizations.
83
+
84
+ To "modify" a work means to copy from or adapt all or part of the work
85
+ in a fashion requiring copyright permission, other than the making of an
86
+ exact copy. The resulting work is called a "modified version" of the
87
+ earlier work or a work "based on" the earlier work.
88
+
89
+ A "covered work" means either the unmodified Program or a work based
90
+ on the Program.
91
+
92
+ To "propagate" a work means to do anything with it that, without
93
+ permission, would make you directly or secondarily liable for
94
+ infringement under applicable copyright law, except executing it on a
95
+ computer or modifying a private copy. Propagation includes copying,
96
+ distribution (with or without modification), making available to the
97
+ public, and in some countries other activities as well.
98
+
99
+ To "convey" a work means any kind of propagation that enables other
100
+ parties to make or receive copies. Mere interaction with a user through
101
+ a computer network, with no transfer of a copy, is not conveying.
102
+
103
+ An interactive user interface displays "Appropriate Legal Notices"
104
+ to the extent that it includes a convenient and prominently visible
105
+ feature that (1) displays an appropriate copyright notice, and (2)
106
+ tells the user that there is no warranty for the work (except to the
107
+ extent that warranties are provided), that licensees may convey the
108
+ work under this License, and how to view a copy of this License. If
109
+ the interface presents a list of user commands or options, such as a
110
+ menu, a prominent item in the list meets this criterion.
111
+
112
+ 1. Source Code.
113
+
114
+ The "source code" for a work means the preferred form of the work
115
+ for making modifications to it. "Object code" means any non-source
116
+ form of a work.
117
+
118
+ A "Standard Interface" means an interface that either is an official
119
+ standard defined by a recognized standards body, or, in the case of
120
+ interfaces specified for a particular programming language, one that
121
+ is widely used among developers working in that language.
122
+
123
+ The "System Libraries" of an executable work include anything, other
124
+ than the work as a whole, that (a) is included in the normal form of
125
+ packaging a Major Component, but which is not part of that Major
126
+ Component, and (b) serves only to enable use of the work with that
127
+ Major Component, or to implement a Standard Interface for which an
128
+ implementation is available to the public in source code form. A
129
+ "Major Component", in this context, means a major essential component
130
+ (kernel, window system, and so on) of the specific operating system
131
+ (if any) on which the executable work runs, or a compiler used to
132
+ produce the work, or an object code interpreter used to run it.
133
+
134
+ The "Corresponding Source" for a work in object code form means all
135
+ the source code needed to generate, install, and (for an executable
136
+ work) run the object code and to modify the work, including scripts to
137
+ control those activities. However, it does not include the work's
138
+ System Libraries, or general-purpose tools or generally available free
139
+ programs which are used unmodified in performing those activities but
140
+ which are not part of the work. For example, Corresponding Source
141
+ includes interface definition files associated with source files for
142
+ the work, and the source code for shared libraries and dynamically
143
+ linked subprograms that the work is specifically designed to require,
144
+ such as by intimate data communication or control flow between those
145
+ subprograms and other parts of the work.
146
+
147
+ The Corresponding Source need not include anything that users
148
+ can regenerate automatically from other parts of the Corresponding
149
+ Source.
150
+
151
+ The Corresponding Source for a work in source code form is that
152
+ same work.
153
+
154
+ 2. Basic Permissions.
155
+
156
+ All rights granted under this License are granted for the term of
157
+ copyright on the Program, and are irrevocable provided the stated
158
+ conditions are met. This License explicitly affirms your unlimited
159
+ permission to run the unmodified Program. The output from running a
160
+ covered work is covered by this License only if the output, given its
161
+ content, constitutes a covered work. This License acknowledges your
162
+ rights of fair use or other equivalent, as provided by copyright law.
163
+
164
+ You may make, run and propagate covered works that you do not
165
+ convey, without conditions so long as your license otherwise remains
166
+ in force. You may convey covered works to others for the sole purpose
167
+ of having them make modifications exclusively for you, or provide you
168
+ with facilities for running those works, provided that you comply with
169
+ the terms of this License in conveying all material for which you do
170
+ not control copyright. Those thus making or running the covered works
171
+ for you must do so exclusively on your behalf, under your direction
172
+ and control, on terms that prohibit them from making any copies of
173
+ your copyrighted material outside their relationship with you.
174
+
175
+ Conveying under any other circumstances is permitted solely under
176
+ the conditions stated below. Sublicensing is not allowed; section 10
177
+ makes it unnecessary.
178
+
179
+ 3. Protecting Users' Legal Rights From Anti-Circumvention Law.
180
+
181
+ No covered work shall be deemed part of an effective technological
182
+ measure under any applicable law fulfilling obligations under article
183
+ 11 of the WIPO copyright treaty adopted on 20 December 1996, or
184
+ similar laws prohibiting or restricting circumvention of such
185
+ measures.
186
+
187
+ When you convey a covered work, you waive any legal power to forbid
188
+ circumvention of technological measures to the extent such circumvention
189
+ is effected by exercising rights under this License with respect to
190
+ the covered work, and you disclaim any intention to limit operation or
191
+ modification of the work as a means of enforcing, against the work's
192
+ users, your or third parties' legal rights to forbid circumvention of
193
+ technological measures.
194
+
195
+ 4. Conveying Verbatim Copies.
196
+
197
+ You may convey verbatim copies of the Program's source code as you
198
+ receive it, in any medium, provided that you conspicuously and
199
+ appropriately publish on each copy an appropriate copyright notice;
200
+ keep intact all notices stating that this License and any
201
+ non-permissive terms added in accord with section 7 apply to the code;
202
+ keep intact all notices of the absence of any warranty; and give all
203
+ recipients a copy of this License along with the Program.
204
+
205
+ You may charge any price or no price for each copy that you convey,
206
+ and you may offer support or warranty protection for a fee.
207
+
208
+ 5. Conveying Modified Source Versions.
209
+
210
+ You may convey a work based on the Program, or the modifications to
211
+ produce it from the Program, in the form of source code under the
212
+ terms of section 4, provided that you also meet all of these conditions:
213
+
214
+ a) The work must carry prominent notices stating that you modified
215
+ it, and giving a relevant date.
216
+
217
+ b) The work must carry prominent notices stating that it is
218
+ released under this License and any conditions added under section
219
+ 7. This requirement modifies the requirement in section 4 to
220
+ "keep intact all notices".
221
+
222
+ c) You must license the entire work, as a whole, under this
223
+ License to anyone who comes into possession of a copy. This
224
+ License will therefore apply, along with any applicable section 7
225
+ additional terms, to the whole of the work, and all its parts,
226
+ regardless of how they are packaged. This License gives no
227
+ permission to license the work in any other way, but it does not
228
+ invalidate such permission if you have separately received it.
229
+
230
+ d) If the work has interactive user interfaces, each must display
231
+ Appropriate Legal Notices; however, if the Program has interactive
232
+ interfaces that do not display Appropriate Legal Notices, your
233
+ work need not make them do so.
234
+
235
+ A compilation of a covered work with other separate and independent
236
+ works, which are not by their nature extensions of the covered work,
237
+ and which are not combined with it such as to form a larger program,
238
+ in or on a volume of a storage or distribution medium, is called an
239
+ "aggregate" if the compilation and its resulting copyright are not
240
+ used to limit the access or legal rights of the compilation's users
241
+ beyond what the individual works permit. Inclusion of a covered work
242
+ in an aggregate does not cause this License to apply to the other
243
+ parts of the aggregate.
244
+
245
+ 6. Conveying Non-Source Forms.
246
+
247
+ You may convey a covered work in object code form under the terms
248
+ of sections 4 and 5, provided that you also convey the
249
+ machine-readable Corresponding Source under the terms of this License,
250
+ in one of these ways:
251
+
252
+ a) Convey the object code in, or embodied in, a physical product
253
+ (including a physical distribution medium), accompanied by the
254
+ Corresponding Source fixed on a durable physical medium
255
+ customarily used for software interchange.
256
+
257
+ b) Convey the object code in, or embodied in, a physical product
258
+ (including a physical distribution medium), accompanied by a
259
+ written offer, valid for at least three years and valid for as
260
+ long as you offer spare parts or customer support for that product
261
+ model, to give anyone who possesses the object code either (1) a
262
+ copy of the Corresponding Source for all the software in the
263
+ product that is covered by this License, on a durable physical
264
+ medium customarily used for software interchange, for a price no
265
+ more than your reasonable cost of physically performing this
266
+ conveying of source, or (2) access to copy the
267
+ Corresponding Source from a network server at no charge.
268
+
269
+ c) Convey individual copies of the object code with a copy of the
270
+ written offer to provide the Corresponding Source. This
271
+ alternative is allowed only occasionally and noncommercially, and
272
+ only if you received the object code with such an offer, in accord
273
+ with subsection 6b.
274
+
275
+ d) Convey the object code by offering access from a designated
276
+ place (gratis or for a charge), and offer equivalent access to the
277
+ Corresponding Source in the same way through the same place at no
278
+ further charge. You need not require recipients to copy the
279
+ Corresponding Source along with the object code. If the place to
280
+ copy the object code is a network server, the Corresponding Source
281
+ may be on a different server (operated by you or a third party)
282
+ that supports equivalent copying facilities, provided you maintain
283
+ clear directions next to the object code saying where to find the
284
+ Corresponding Source. Regardless of what server hosts the
285
+ Corresponding Source, you remain obligated to ensure that it is
286
+ available for as long as needed to satisfy these requirements.
287
+
288
+ e) Convey the object code using peer-to-peer transmission, provided
289
+ you inform other peers where the object code and Corresponding
290
+ Source of the work are being offered to the general public at no
291
+ charge under subsection 6d.
292
+
293
+ A separable portion of the object code, whose source code is excluded
294
+ from the Corresponding Source as a System Library, need not be
295
+ included in conveying the object code work.
296
+
297
+ A "User Product" is either (1) a "consumer product", which means any
298
+ tangible personal property which is normally used for personal, family,
299
+ or household purposes, or (2) anything designed or sold for incorporation
300
+ into a dwelling. In determining whether a product is a consumer product,
301
+ doubtful cases shall be resolved in favor of coverage. For a particular
302
+ product received by a particular user, "normally used" refers to a
303
+ typical or common use of that class of product, regardless of the status
304
+ of the particular user or of the way in which the particular user
305
+ actually uses, or expects or is expected to use, the product. A product
306
+ is a consumer product regardless of whether the product has substantial
307
+ commercial, industrial or non-consumer uses, unless such uses represent
308
+ the only significant mode of use of the product.
309
+
310
+ "Installation Information" for a User Product means any methods,
311
+ procedures, authorization keys, or other information required to install
312
+ and execute modified versions of a covered work in that User Product from
313
+ a modified version of its Corresponding Source. The information must
314
+ suffice to ensure that the continued functioning of the modified object
315
+ code is in no case prevented or interfered with solely because
316
+ modification has been made.
317
+
318
+ If you convey an object code work under this section in, or with, or
319
+ specifically for use in, a User Product, and the conveying occurs as
320
+ part of a transaction in which the right of possession and use of the
321
+ User Product is transferred to the recipient in perpetuity or for a
322
+ fixed term (regardless of how the transaction is characterized), the
323
+ Corresponding Source conveyed under this section must be accompanied
324
+ by the Installation Information. But this requirement does not apply
325
+ if neither you nor any third party retains the ability to install
326
+ modified object code on the User Product (for example, the work has
327
+ been installed in ROM).
328
+
329
+ The requirement to provide Installation Information does not include a
330
+ requirement to continue to provide support service, warranty, or updates
331
+ for a work that has been modified or installed by the recipient, or for
332
+ the User Product in which it has been modified or installed. Access to a
333
+ network may be denied when the modification itself materially and
334
+ adversely affects the operation of the network or violates the rules and
335
+ protocols for communication across the network.
336
+
337
+ Corresponding Source conveyed, and Installation Information provided,
338
+ in accord with this section must be in a format that is publicly
339
+ documented (and with an implementation available to the public in
340
+ source code form), and must require no special password or key for
341
+ unpacking, reading or copying.
342
+
343
+ 7. Additional Terms.
344
+
345
+ "Additional permissions" are terms that supplement the terms of this
346
+ License by making exceptions from one or more of its conditions.
347
+ Additional permissions that are applicable to the entire Program shall
348
+ be treated as though they were included in this License, to the extent
349
+ that they are valid under applicable law. If additional permissions
350
+ apply only to part of the Program, that part may be used separately
351
+ under those permissions, but the entire Program remains governed by
352
+ this License without regard to the additional permissions.
353
+
354
+ When you convey a copy of a covered work, you may at your option
355
+ remove any additional permissions from that copy, or from any part of
356
+ it. (Additional permissions may be written to require their own
357
+ removal in certain cases when you modify the work.) You may place
358
+ additional permissions on material, added by you to a covered work,
359
+ for which you have or can give appropriate copyright permission.
360
+
361
+ Notwithstanding any other provision of this License, for material you
362
+ add to a covered work, you may (if authorized by the copyright holders of
363
+ that material) supplement the terms of this License with terms:
364
+
365
+ a) Disclaiming warranty or limiting liability differently from the
366
+ terms of sections 15 and 16 of this License; or
367
+
368
+ b) Requiring preservation of specified reasonable legal notices or
369
+ author attributions in that material or in the Appropriate Legal
370
+ Notices displayed by works containing it; or
371
+
372
+ c) Prohibiting misrepresentation of the origin of that material, or
373
+ requiring that modified versions of such material be marked in
374
+ reasonable ways as different from the original version; or
375
+
376
+ d) Limiting the use for publicity purposes of names of licensors or
377
+ authors of the material; or
378
+
379
+ e) Declining to grant rights under trademark law for use of some
380
+ trade names, trademarks, or service marks; or
381
+
382
+ f) Requiring indemnification of licensors and authors of that
383
+ material by anyone who conveys the material (or modified versions of
384
+ it) with contractual assumptions of liability to the recipient, for
385
+ any liability that these contractual assumptions directly impose on
386
+ those licensors and authors.
387
+
388
+ All other non-permissive additional terms are considered "further
389
+ restrictions" within the meaning of section 10. If the Program as you
390
+ received it, or any part of it, contains a notice stating that it is
391
+ governed by this License along with a term that is a further
392
+ restriction, you may remove that term. If a license document contains
393
+ a further restriction but permits relicensing or conveying under this
394
+ License, you may add to a covered work material governed by the terms
395
+ of that license document, provided that the further restriction does
396
+ not survive such relicensing or conveying.
397
+
398
+ If you add terms to a covered work in accord with this section, you
399
+ must place, in the relevant source files, a statement of the
400
+ additional terms that apply to those files, or a notice indicating
401
+ where to find the applicable terms.
402
+
403
+ Additional terms, permissive or non-permissive, may be stated in the
404
+ form of a separately written license, or stated as exceptions;
405
+ the above requirements apply either way.
406
+
407
+ 8. Termination.
408
+
409
+ You may not propagate or modify a covered work except as expressly
410
+ provided under this License. Any attempt otherwise to propagate or
411
+ modify it is void, and will automatically terminate your rights under
412
+ this License (including any patent licenses granted under the third
413
+ paragraph of section 11).
414
+
415
+ However, if you cease all violation of this License, then your
416
+ license from a particular copyright holder is reinstated (a)
417
+ provisionally, unless and until the copyright holder explicitly and
418
+ finally terminates your license, and (b) permanently, if the copyright
419
+ holder fails to notify you of the violation by some reasonable means
420
+ prior to 60 days after the cessation.
421
+
422
+ Moreover, your license from a particular copyright holder is
423
+ reinstated permanently if the copyright holder notifies you of the
424
+ violation by some reasonable means, this is the first time you have
425
+ received notice of violation of this License (for any work) from that
426
+ copyright holder, and you cure the violation prior to 30 days after
427
+ your receipt of the notice.
428
+
429
+ Termination of your rights under this section does not terminate the
430
+ licenses of parties who have received copies or rights from you under
431
+ this License. If your rights have been terminated and not permanently
432
+ reinstated, you do not qualify to receive new licenses for the same
433
+ material under section 10.
434
+
435
+ 9. Acceptance Not Required for Having Copies.
436
+
437
+ You are not required to accept this License in order to receive or
438
+ run a copy of the Program. Ancillary propagation of a covered work
439
+ occurring solely as a consequence of using peer-to-peer transmission
440
+ to receive a copy likewise does not require acceptance. However,
441
+ nothing other than this License grants you permission to propagate or
442
+ modify any covered work. These actions infringe copyright if you do
443
+ not accept this License. Therefore, by modifying or propagating a
444
+ covered work, you indicate your acceptance of this License to do so.
445
+
446
+ 10. Automatic Licensing of Downstream Recipients.
447
+
448
+ Each time you convey a covered work, the recipient automatically
449
+ receives a license from the original licensors, to run, modify and
450
+ propagate that work, subject to this License. You are not responsible
451
+ for enforcing compliance by third parties with this License.
452
+
453
+ An "entity transaction" is a transaction transferring control of an
454
+ organization, or substantially all assets of one, or subdividing an
455
+ organization, or merging organizations. If propagation of a covered
456
+ work results from an entity transaction, each party to that
457
+ transaction who receives a copy of the work also receives whatever
458
+ licenses to the work the party's predecessor in interest had or could
459
+ give under the previous paragraph, plus a right to possession of the
460
+ Corresponding Source of the work from the predecessor in interest, if
461
+ the predecessor has it or can get it with reasonable efforts.
462
+
463
+ You may not impose any further restrictions on the exercise of the
464
+ rights granted or affirmed under this License. For example, you may
465
+ not impose a license fee, royalty, or other charge for exercise of
466
+ rights granted under this License, and you may not initiate litigation
467
+ (including a cross-claim or counterclaim in a lawsuit) alleging that
468
+ any patent claim is infringed by making, using, selling, offering for
469
+ sale, or importing the Program or any portion of it.
470
+
471
+ 11. Patents.
472
+
473
+ A "contributor" is a copyright holder who authorizes use under this
474
+ License of the Program or a work on which the Program is based. The
475
+ work thus licensed is called the contributor's "contributor version".
476
+
477
+ A contributor's "essential patent claims" are all patent claims
478
+ owned or controlled by the contributor, whether already acquired or
479
+ hereafter acquired, that would be infringed by some manner, permitted
480
+ by this License, of making, using, or selling its contributor version,
481
+ but do not include claims that would be infringed only as a
482
+ consequence of further modification of the contributor version. For
483
+ purposes of this definition, "control" includes the right to grant
484
+ patent sublicenses in a manner consistent with the requirements of
485
+ this License.
486
+
487
+ Each contributor grants you a non-exclusive, worldwide, royalty-free
488
+ patent license under the contributor's essential patent claims, to
489
+ make, use, sell, offer for sale, import and otherwise run, modify and
490
+ propagate the contents of its contributor version.
491
+
492
+ In the following three paragraphs, a "patent license" is any express
493
+ agreement or commitment, however denominated, not to enforce a patent
494
+ (such as an express permission to practice a patent or covenant not to
495
+ sue for patent infringement). To "grant" such a patent license to a
496
+ party means to make such an agreement or commitment not to enforce a
497
+ patent against the party.
498
+
499
+ If you convey a covered work, knowingly relying on a patent license,
500
+ and the Corresponding Source of the work is not available for anyone
501
+ to copy, free of charge and under the terms of this License, through a
502
+ publicly available network server or other readily accessible means,
503
+ then you must either (1) cause the Corresponding Source to be so
504
+ available, or (2) arrange to deprive yourself of the benefit of the
505
+ patent license for this particular work, or (3) arrange, in a manner
506
+ consistent with the requirements of this License, to extend the patent
507
+ license to downstream recipients. "Knowingly relying" means you have
508
+ actual knowledge that, but for the patent license, your conveying the
509
+ covered work in a country, or your recipient's use of the covered work
510
+ in a country, would infringe one or more identifiable patents in that
511
+ country that you have reason to believe are valid.
512
+
513
+ If, pursuant to or in connection with a single transaction or
514
+ arrangement, you convey, or propagate by procuring conveyance of, a
515
+ covered work, and grant a patent license to some of the parties
516
+ receiving the covered work authorizing them to use, propagate, modify
517
+ or convey a specific copy of the covered work, then the patent license
518
+ you grant is automatically extended to all recipients of the covered
519
+ work and works based on it.
520
+
521
+ A patent license is "discriminatory" if it does not include within
522
+ the scope of its coverage, prohibits the exercise of, or is
523
+ conditioned on the non-exercise of one or more of the rights that are
524
+ specifically granted under this License. You may not convey a covered
525
+ work if you are a party to an arrangement with a third party that is
526
+ in the business of distributing software, under which you make payment
527
+ to the third party based on the extent of your activity of conveying
528
+ the work, and under which the third party grants, to any of the
529
+ parties who would receive the covered work from you, a discriminatory
530
+ patent license (a) in connection with copies of the covered work
531
+ conveyed by you (or copies made from those copies), or (b) primarily
532
+ for and in connection with specific products or compilations that
533
+ contain the covered work, unless you entered into that arrangement,
534
+ or that patent license was granted, prior to 28 March 2007.
535
+
536
+ Nothing in this License shall be construed as excluding or limiting
537
+ any implied license or other defenses to infringement that may
538
+ otherwise be available to you under applicable patent law.
539
+
540
+ 12. No Surrender of Others' Freedom.
541
+
542
+ If conditions are imposed on you (whether by court order, agreement or
543
+ otherwise) that contradict the conditions of this License, they do not
544
+ excuse you from the conditions of this License. If you cannot convey a
545
+ covered work so as to satisfy simultaneously your obligations under this
546
+ License and any other pertinent obligations, then as a consequence you may
547
+ not convey it at all. For example, if you agree to terms that obligate you
548
+ to collect a royalty for further conveying from those to whom you convey
549
+ the Program, the only way you could satisfy both those terms and this
550
+ License would be to refrain entirely from conveying the Program.
551
+
552
+ 13. Use with the GNU Affero General Public License.
553
+
554
+ Notwithstanding any other provision of this License, you have
555
+ permission to link or combine any covered work with a work licensed
556
+ under version 3 of the GNU Affero General Public License into a single
557
+ combined work, and to convey the resulting work. The terms of this
558
+ License will continue to apply to the part which is the covered work,
559
+ but the special requirements of the GNU Affero General Public License,
560
+ section 13, concerning interaction through a network will apply to the
561
+ combination as such.
562
+
563
+ 14. Revised Versions of this License.
564
+
565
+ The Free Software Foundation may publish revised and/or new versions of
566
+ the GNU General Public License from time to time. Such new versions will
567
+ be similar in spirit to the present version, but may differ in detail to
568
+ address new problems or concerns.
569
+
570
+ Each version is given a distinguishing version number. If the
571
+ Program specifies that a certain numbered version of the GNU General
572
+ Public License "or any later version" applies to it, you have the
573
+ option of following the terms and conditions either of that numbered
574
+ version or of any later version published by the Free Software
575
+ Foundation. If the Program does not specify a version number of the
576
+ GNU General Public License, you may choose any version ever published
577
+ by the Free Software Foundation.
578
+
579
+ If the Program specifies that a proxy can decide which future
580
+ versions of the GNU General Public License can be used, that proxy's
581
+ public statement of acceptance of a version permanently authorizes you
582
+ to choose that version for the Program.
583
+
584
+ Later license versions may give you additional or different
585
+ permissions. However, no additional obligations are imposed on any
586
+ author or copyright holder as a result of your choosing to follow a
587
+ later version.
588
+
589
+ 15. Disclaimer of Warranty.
590
+
591
+ THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY
592
+ APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT
593
+ HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY
594
+ OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO,
595
+ THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
596
+ PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM
597
+ IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF
598
+ ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
599
+
600
+ 16. Limitation of Liability.
601
+
602
+ IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
603
+ WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS
604
+ THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY
605
+ GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE
606
+ USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF
607
+ DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD
608
+ PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS),
609
+ EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF
610
+ SUCH DAMAGES.
611
+
612
+ 17. Interpretation of Sections 15 and 16.
613
+
614
+ If the disclaimer of warranty and limitation of liability provided
615
+ above cannot be given local legal effect according to their terms,
616
+ reviewing courts shall apply local law that most closely approximates
617
+ an absolute waiver of all civil liability in connection with the
618
+ Program, unless a warranty or assumption of liability accompanies a
619
+ copy of the Program in return for a fee.
620
+
621
+ END OF TERMS AND CONDITIONS
622
+
623
+ How to Apply These Terms to Your New Programs
624
+
625
+ If you develop a new program, and you want it to be of the greatest
626
+ possible use to the public, the best way to achieve this is to make it
627
+ free software which everyone can redistribute and change under these terms.
628
+
629
+ To do so, attach the following notices to the program. It is safest
630
+ to attach them to the start of each source file to most effectively
631
+ state the exclusion of warranty; and each file should have at least
632
+ the "copyright" line and a pointer to where the full notice is found.
633
+
634
+ <one line to give the program's name and a brief idea of what it does.>
635
+ Copyright (C) <year> <name of author>
636
+
637
+ This program is free software: you can redistribute it and/or modify
638
+ it under the terms of the GNU General Public License as published by
639
+ the Free Software Foundation, either version 3 of the License, or
640
+ (at your option) any later version.
641
+
642
+ This program is distributed in the hope that it will be useful,
643
+ but WITHOUT ANY WARRANTY; without even the implied warranty of
644
+ MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
645
+ GNU General Public License for more details.
646
+
647
+ You should have received a copy of the GNU General Public License
648
+ along with this program. If not, see <http://www.gnu.org/licenses/>.
649
+
650
+ Also add information on how to contact you by electronic and paper mail.
651
+
652
+ If the program does terminal interaction, make it output a short
653
+ notice like this when it starts in an interactive mode:
654
+
655
+ <program> Copyright (C) <year> <name of author>
656
+ This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
657
+ This is free software, and you are welcome to redistribute it
658
+ under certain conditions; type `show c' for details.
659
+
660
+ The hypothetical commands `show w' and `show c' should show the appropriate
661
+ parts of the General Public License. Of course, your program's commands
662
+ might be different; for a GUI interface, you would use an "about box".
663
+
664
+ You should also get your employer (if you work as a programmer) or school,
665
+ if any, to sign a "copyright disclaimer" for the program, if necessary.
666
+ For more information on this, and how to apply and follow the GNU GPL, see
667
+ <http://www.gnu.org/licenses/>.
668
+
669
+ The GNU General Public License does not permit incorporating your program
670
+ into proprietary programs. If your program is a subroutine library, you
671
+ may consider it more useful to permit linking proprietary applications with
672
+ the library. If this is what you want to do, use the GNU Lesser General
673
+ Public License instead of this License. But first, please read
674
+ <http://www.gnu.org/philosophy/why-not-lgpl.html>.
image.png ADDED
Binary file
jd_twitterOAuth.php DELETED
@@ -1,175 +0,0 @@
1
- <?php
2
- /*
3
- * Abraham Williams (abraham@abrah.am) http://abrah.am
4
- *
5
- * The first PHP Library to support WPOAuth for Twitter's REST API.
6
- *
7
- */
8
-
9
- /* Load WPOAuth lib. You can find it at http://WPOAuth.net */
10
- require_once('WP_OAuth.php');
11
-
12
- if (!class_exists('jd_TwitterOAuth')) {
13
-
14
- /**
15
- * Twitter WPOAuth class
16
- */
17
- class jd_TwitterOAuth {
18
- /* Contains the last HTTP status code returned */
19
- public $http_code;
20
- /* Contains the last API call. */
21
- public $url;
22
- /* Set up the API root URL. */
23
- public $host = "http://api.twitter.com/1/";
24
- /* Set timeout default. */
25
- public $format = 'json';
26
- /* Decode returned json data. */
27
- public $decode_json = false;
28
- /* Contains the last API call */
29
- private $last_api_call;
30
- /* containe the header */
31
- public $http_header;
32
-
33
- /**
34
- * Set API URLS
35
- */
36
- function accessTokenURL() { return "http://api.twitter.com/oauth/access_token"; }
37
- function authenticateURL() { return "http://api.twitter.com/oauth/authenticate"; }
38
- function authorizeURL() { return "http://api.twitter.com/oauth/authorize"; }
39
- function requestTokenURL() { return "http://api.twitter.com/oauth/request_token"; }
40
-
41
- /**
42
- * Debug helpers
43
- */
44
- function lastStatusCode() { return $this->http_code; }
45
- function lastAPICall() { return $this->last_api_call; }
46
-
47
- /**
48
- * construct TwitterWPOAuth object
49
- */
50
- function __construct($consumer_key, $consumer_secret, $WPOAuth_token = NULL, $WPOAuth_token_secret = NULL) {
51
- $this->sha1_method = new WPOAuthSignatureMethod_HMAC_SHA1();
52
- $this->consumer = new WPOAuthConsumer($consumer_key, $consumer_secret);
53
- if (!empty($WPOAuth_token) && !empty($WPOAuth_token_secret)) {
54
- $this->token = new WPOAuthConsumer($WPOAuth_token, $WPOAuth_token_secret);
55
- } else {
56
- $this->token = NULL;
57
- }
58
- }
59
-
60
-
61
- /**
62
- * Get a request_token from Twitter
63
- *
64
- * @returns a key/value array containing WPOAuth_token and WPOAuth_token_secret
65
- */
66
- function getRequestToken() {
67
- $r = $this->WPOAuthRequest($this->requestTokenURL());
68
- $token = $this->WPOAuthParseResponse($r);
69
- $this->token = new WPOAuthConsumer($token['WPOAuth_token'], $token['WPOAuth_token_secret']);
70
- return $token;
71
- }
72
-
73
- /**
74
- * Parse a URL-encoded WPOAuth response
75
- *
76
- * @return a key/value array
77
- */
78
- function WPOAuthParseResponse($responseString) {
79
- $r = array();
80
- foreach (explode('&', $responseString) as $param) {
81
- $pair = explode('=', $param, 2);
82
- if (count($pair) != 2) continue;
83
- $r[urldecode($pair[0])] = urldecode($pair[1]);
84
- }
85
- return $r;
86
- }
87
-
88
- /**
89
- * Get the authorize URL
90
- *
91
- * @returns a string
92
- */
93
- function getAuthorizeURL($token) {
94
- if (is_array($token)) $token = $token['WPOAuth_token'];
95
- return $this->authorizeURL() . '?WPOAuth_token=' . $token;
96
- }
97
-
98
-
99
- /**
100
- * Get the authenticate URL
101
- *
102
- * @returns a string
103
- */
104
- function getAuthenticateURL($token) {
105
- if (is_array($token)) $token = $token['WPOAuth_token'];
106
- return $this->authenticateURL() . '?WPOAuth_token=' . $token;
107
- }
108
-
109
- /**
110
- * Exchange the request token and secret for an access token and
111
- * secret, to sign API calls.
112
- *
113
- * @returns array("WPOAuth_token" => the access token,
114
- * "WPOAuth_token_secret" => the access secret)
115
- */
116
- function getAccessToken($token = NULL) {
117
- $r = $this->WPOAuthRequest($this->accessTokenURL());
118
- $token = $this->WPOAuthParseResponse($r);
119
- $this->token = new WPOAuthConsumer($token['WPOAuth_token'], $token['WPOAuth_token_secret']);
120
- return $token;
121
- }
122
- /**
123
- * Wrapper for POST requests
124
- */
125
- function post($url, $parameters = array()) {
126
- $response = $this->WPOAuthRequest( $url,$parameters,'POST' );
127
- if ($this->format === 'json' && $this->decode_json) {
128
- return json_decode($response);
129
- }
130
- return $response;
131
- }
132
- /**
133
- * Wrapper for GET requests
134
- */
135
- function get($url, $parameters = array()) {
136
- $response = $this->WPOAuthRequest( $url,$parameters,'GET' );
137
- if ($this->format === 'json' && $this->decode_json) {
138
- return json_decode($response);
139
- }
140
- return $response;
141
- }
142
- /**
143
- * Format and sign an WPOAuth / API request
144
- */
145
- function WPOAuthRequest($url, $args = array(), $method = NULL) {
146
- if (empty($method)) $method = empty($args) ? "GET" : "POST";
147
- $req = WPOAuthRequest::from_consumer_and_token($this->consumer, $this->token, $method, $url, $args);
148
- $req->sign_request($this->sha1_method, $this->consumer, $this->token);
149
-
150
- $response = false;
151
- $url = null;
152
-
153
- switch ($method) {
154
- case 'GET':
155
- $url = $req->to_url();
156
- $response = wp_remote_get( $url );
157
- break;
158
- case 'POST':
159
- $url = $req->get_normalized_http_url();
160
- $args = wp_parse_args($req->to_postdata());
161
- $response = wp_remote_post( $url, array('body'=>$args));
162
- break;
163
- }
164
-
165
- if ( is_wp_error( $response ) ) return false;
166
-
167
- $this->http_code = $response['response']['code'];
168
- $this->last_api_call = $url;
169
- $this->format = 'json';
170
- $this->http_header = $response['headers'];
171
-
172
- return $response['body'];
173
- }
174
- }
175
- }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
js/jquery.charcount.js CHANGED
@@ -1,64 +1,62 @@
1
- /*
2
- * Character Count Plugin - jQuery plugin
3
- * Dynamic character count for text areas and input fields
4
- * written by Alen Grakalic
5
- * http://cssglobe.com/
6
- *
7
- * Copyright (c) 2009 Alen Grakalic (http://cssglobe.com)
8
- * Dual licensed under the MIT (MIT-LICENSE.txt)
9
- * and GPL (GPL-LICENSE.txt) licenses.
10
- *
11
- * Built for jQuery library
12
- * http://jquery.com
13
- *
14
- */
15
-
16
- (function($) {
17
-
18
- $.fn.charCount = function(options){
19
-
20
- // default configuration properties
21
- var defaults = {
22
- allowed: 140,
23
- warning: 25,
24
- css: 'counter',
25
- counterElement: 'span',
26
- cssWarning: 'warning',
27
- cssExceeded: 'exceeded',
28
- counterText: ''
29
- };
30
-
31
- var options = $.extend(defaults, options);
32
-
33
- function calculate(obj){
34
- var count = $(obj).val().length;
35
-
36
- var urlcount = $(obj).val().indexOf('#url#') > -1 ? 15 : 0;
37
- var titlecount = $(obj).val().indexOf('#title#') > -1 ? ($('#title').val().length-7) : 0;
38
- var namecount = $(obj).val().indexOf('#blog#') > -1 ? ($('#wp-admin-bar-site-name').val().length-6) : 0;
39
-
40
- var available = options.allowed - (count+urlcount+titlecount+namecount);
41
-
42
- if(available <= options.warning && available >= 0){
43
- $(obj).next().addClass(options.cssWarning);
44
- } else {
45
- $(obj).next().removeClass(options.cssWarning);
46
- }
47
- if(available < 0){
48
- $(obj).next().addClass(options.cssExceeded);
49
- } else {
50
- $(obj).next().removeClass(options.cssExceeded);
51
- }
52
- $(obj).next().html(options.counterText + available);
53
- };
54
-
55
- this.each(function() {
56
- $(this).after('<'+ options.counterElement +' class="' + options.css + '">'+ options.counterText +'</'+ options.counterElement +'>');
57
- calculate(this);
58
- $(this).keyup(function(){calculate(this)});
59
- $(this).change(function(){calculate(this)});
60
- });
61
-
62
- };
63
-
64
- })(jQuery);
1
+ /*
2
+ * Character Count Plugin - jQuery plugin
3
+ * Dynamic character count for text areas and input fields
4
+ * written by Alen Grakalic
5
+ * http://cssglobe.com/
6
+ *
7
+ * Copyright (c) 2009 Alen Grakalic (http://cssglobe.com)
8
+ * Dual licensed under the MIT (MIT-LICENSE.txt)
9
+ * and GPL (GPL-LICENSE.txt) licenses.
10
+ *
11
+ * Built for jQuery library
12
+ * http://jquery.com
13
+ *
14
+ */
15
+
16
+ (function($) {
17
+
18
+ $.fn.charCount = function(options){
19
+ // default configuration properties
20
+ var defaults = {
21
+ allowed: 140,
22
+ warning: 25,
23
+ css: 'counter',
24
+ counterElement: 'span',
25
+ cssWarning: 'warning',
26
+ cssExceeded: 'exceeded',
27
+ counterText: ''
28
+ };
29
+ var options = $.extend(defaults, options);
30
+
31
+ function calculate(obj){
32
+ var count = $(obj).val().length;
33
+ // supported shortcodes
34
+ var urlcount = $(obj).val().indexOf('#url#') > -1 ? 15 : 0;
35
+ var titlecount = $(obj).val().indexOf('#title#') > -1 ? ($('#title').val().length-7) : 0;
36
+ var namecount = $(obj).val().indexOf('#blog#') > -1 ? ($('#wp-admin-bar-site-name').val().length-6) : 0;
37
+
38
+ var available = options.allowed - (count+urlcount+titlecount+namecount);
39
+
40
+ if(available <= options.warning && available >= 0){
41
+ $(obj).next().addClass(options.cssWarning);
42
+ } else {
43
+ $(obj).next().removeClass(options.cssWarning);
44
+ }
45
+ if(available < 0){
46
+ $(obj).next().addClass(options.cssExceeded);
47
+ } else {
48
+ $(obj).next().removeClass(options.cssExceeded);
49
+ }
50
+ $(obj).next().html(options.counterText + available);
51
+ };
52
+
53
+ this.each(function() {
54
+ $(this).after('<'+ options.counterElement +' aria-live="polite" aria-atomic="true" class="' + options.css + '">'+ options.counterText +'</'+ options.counterElement +'>');
55
+ calculate(this);
56
+ $(this).keyup(function(){calculate(this)});
57
+ $(this).change(function(){calculate(this)});
58
+ });
59
+
60
+ };
61
+
62
+ })(jQuery);
 
 
wp-to-twitter-be_BY.mo → lang/wp-to-twitter-be_BY.mo RENAMED
File without changes
wp-to-twitter-be_BY.po → lang/wp-to-twitter-be_BY.po RENAMED
@@ -1,548 +1,548 @@
1
- # SOME DESCRIPTIVE TITLE.
2
- # Copyright (C) YEAR Joseph Dolson
3
- # This file is distributed under the same license as the PACKAGE package.
4
- # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
- #
6
- msgid ""
7
- msgstr ""
8
- "Project-Id-Version: WP to Twitter\n"
9
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
- "POT-Creation-Date: 2009-12-22 20:09+0300\n"
11
- "PO-Revision-Date: 2011-08-10 18:25+0200\n"
12
- "Last-Translator: \n"
13
- "Language-Team: Alexandr Alexandrov <yuzver@gmx.com>\n"
14
- "MIME-Version: 1.0\n"
15
- "Content-Type: text/plain; charset=utf-8\n"
16
- "Content-Transfer-Encoding: 8bit\n"
17
- "X-Poedit-Language: Belarusian\n"
18
- "X-Poedit-Country: BELARUS\n"
19
-
20
- #: functions.php:127
21
- msgid "Twitter Password Saved"
22
- msgstr "Twitter пароль захаваны"
23
-
24
- #: functions.php:129
25
- msgid "Twitter Password Not Saved"
26
- msgstr "Twitter пароль не захаваны"
27
-
28
- #: functions.php:132
29
- msgid "Bit.ly API Saved"
30
- msgstr "Bit.ly API Key захаваны"
31
-
32
- #: functions.php:134
33
- msgid "Bit.ly API Not Saved"
34
- msgstr "Bit.ly API Key не захаваны"
35
-
36
- #: functions.php:140
37
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
- msgstr "[ <a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>не паказваць</a> ] Калі ў Вас паўсталі праблемы, калі ласка скапіруйце гэтыя налады і звернецеся за падтрымкай. "
39
-
40
- #: wp-to-twitter-manager.php:63
41
- msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
- msgstr "Наладзіць Ваш лагін Twitter і сэрвіс скарачэння URL API каб выкарыстаць гэты убудова!"
43
-
44
- #: wp-to-twitter-manager.php:69
45
- msgid "Please add your Twitter password. "
46
- msgstr "Калі ласка дадайце Ваш пароль ад Twitter"
47
-
48
- #: wp-to-twitter-manager.php:75
49
- msgid "WP to Twitter Errors Cleared"
50
- msgstr "WP to Twitter памылкі ачышчаны"
51
-
52
- #: wp-to-twitter-manager.php:82
53
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
- msgstr "Выбачайце! Я не магу злучыцца з серверамі Twitter для адпраўкі Вашага новага"
55
-
56
- #: wp-to-twitter-manager.php:84
57
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
- msgstr "Выбачайце! Я не магу злучыцца з серверамі Twitter для адпраўкі Вашай <strong>новай спасылкі!</strong> Я баюся, што Вам прыйдзецца размясціць яе ўручную."
59
-
60
- #: wp-to-twitter-manager.php:149
61
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
- msgstr "Вы павінны дадаць свой Bit.ly лагін і API key для таго, каб скараціць URL выкарыстоўваючы Bit.ly."
63
-
64
- #: wp-to-twitter-manager.php:158
65
- msgid "WP to Twitter Options Updated"
66
- msgstr "WP to Twitter параметры абноўленыя"
67
-
68
- #: wp-to-twitter-manager.php:168
69
- msgid "Twitter login and password updated. "
70
- msgstr "Twitter лагін і пароль абноўлены."
71
-
72
- #: wp-to-twitter-manager.php:170
73
- msgid "You need to provide your twitter login and password! "
74
- msgstr "Вы павінны пазначыць свой лагін і пароль ад Twitter!"
75
-
76
- #: wp-to-twitter-manager.php:177
77
- msgid "Cligs API Key Updated"
78
- msgstr "Cligs API Key абноўлены"
79
-
80
- #: wp-to-twitter-manager.php:180
81
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
- msgstr "Cli.gs API Key выдалены. Cli.gs створаны для WP to Twitter, больш не будзе звязаны з Вашым акаунтам."
83
-
84
- #: wp-to-twitter-manager.php:182
85
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
- msgstr "Cli.gs API Key ня дададзены - <a href='http://cli.gs/user/api/'>атрымаць тут</a> ! "
87
-
88
- #: wp-to-twitter-manager.php:188
89
- msgid "Bit.ly API Key Updated."
90
- msgstr "Bit.ly API Key абноўлены."
91
-
92
- #: wp-to-twitter-manager.php:191
93
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
- msgstr "Bit.ly API Key выдалены. Вы не можаце выкарыстоўваць Bit.ly API без API key."
95
-
96
- #: wp-to-twitter-manager.php:193
97
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
- msgstr "Bit.ly API Key ня дададзены - <a href='http://bit.ly/account/'>атрымаць тут</a> ! API key павінен выкарыстоўваць сэрвіс скарачэння URL Bit.ly. "
99
-
100
- #: wp-to-twitter-manager.php:197
101
- msgid " Bit.ly User Login Updated."
102
- msgstr "Bit.ly лагін карыстальніка абноўлены."
103
-
104
- #: wp-to-twitter-manager.php:200
105
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
- msgstr "Bit.ly лагін карыстальніка выдалены. Вы не можаце выкарыстоўваць Bit.ly API без Вашага лагіна."
107
-
108
- #: wp-to-twitter-manager.php:202
109
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
- msgstr "Bit.ly лагін ня дададзены - <a href='http://bit.ly/account/'>атрымаць тут</a> ! "
111
-
112
- #: wp-to-twitter-manager.php:236
113
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
- msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy, але стварыць URL не ўдалося. </li> "
115
-
116
- #: wp-to-twitter-manager.php:238
117
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
- msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy, але памылка сервера Cli.gs перашкаджала таго, каб URL быў скарочаны. </li> "
119
-
120
- #: wp-to-twitter-manager.php:240
121
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy и создана сокращенная ссылка.</li>"
122
- msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy and created a shortened link. </li> "
123
-
124
- #: wp-to-twitter-manager.php:249
125
- #: wp-to-twitter-manager.php:274
126
- msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
- msgstr " <li> Устаноўлена злучэнне з Bit.ly API праз Snoopy. </li> "
128
-
129
- #: wp-to-twitter-manager.php:251
130
- #: wp-to-twitter-manager.php:276
131
- msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
- msgstr " <li> Не атрымоўваецца злучыцца з Bit.ly API праз Snoopy. </li> "
133
-
134
- #: wp-to-twitter-manager.php:254
135
- msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
- msgstr " <li> Не ўдаецца праверыць Bit.ly API, неабходны правільны ключ API. </li> "
137
-
138
- #: wp-to-twitter-manager.php:258
139
- msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
- msgstr " <li> Устаноўлена злучэнне з Twitter API праз Snoopy. </li> "
141
-
142
- #: wp-to-twitter-manager.php:260
143
- msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
- msgstr " <li> Не атрымоўваецца злучыцца з Twitter API праз Snoopy. </li> "
145
-
146
- #: wp-to-twitter-manager.php:266
147
- msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
- msgstr " <li> Устаноўлена злучэнне з Twitter API праз cURL. </li> "
149
-
150
- #: wp-to-twitter-manager.php:268
151
- msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
- msgstr " <li> Не атрымоўваецца злучыцца з Twitter API праз cURL. </li> "
153
-
154
- #: wp-to-twitter-manager.php:280
155
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
- msgstr " <li> Устаноўлена злучэнне з Cli.gs API праз Snoopy. </li> "
157
-
158
- #: wp-to-twitter-manager.php:283
159
- msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
- msgstr " <li> Не атрымоўваецца злучыцца з Cli.gs API праз Snoopy. </li> "
161
-
162
- #: wp-to-twitter-manager.php:288
163
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
- msgstr " <li> <strong>Ваш сервер дожнен паспяхова працаваць з WP to Twitter.</strong> </li> "
165
-
166
- #: wp-to-twitter-manager.php:293
167
- msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
- msgstr " <li> Ваш сервер не падтрымлівае <code>fputs</code> . </li> "
169
-
170
- #: wp-to-twitter-manager.php:297
171
- msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
- msgstr " <li> Ваш сервер не падтрымлівае <code>file_get_contents</code> або <code>cURL</code> функцыі. </li> "
173
-
174
- #: wp-to-twitter-manager.php:301
175
- msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
- msgstr " <li> Ваш сервер не падтрымлівае <code>Snoopy</code> . </li> "
177
-
178
- #: wp-to-twitter-manager.php:304
179
- msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
- msgstr " <li> <strong>Ваш сервер, здаецца, не падтрымлівае неабходныя PHP функцыі і класы для карэктнай працы ўбудовы WP to Twitter.</strong> Вы можаце паспрабаваць, але ў любым выпадку, гэтыя тэсты не ідэальныя і ніякіх гарантый не даюць. </li> "
181
-
182
- #: wp-to-twitter-manager.php:313
183
- msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
- msgstr "Гэты убудова можа не зусім карэктна працаваць у сервернай асяроддзі. Убудова не атрымоўваецца злучыцца з сэрвісам скарачэння URL API і сэрвісам Twitter API."
185
-
186
- #: wp-to-twitter-manager.php:328
187
- msgid "WP to Twitter Options"
188
- msgstr "WP to Twitter параметры"
189
-
190
- #: wp-to-twitter-manager.php:332
191
- #: wp-to-twitter.php:811
192
- msgid "Get Support"
193
- msgstr "Атрымаць падтрымку"
194
-
195
- #: wp-to-twitter-manager.php:333
196
- msgid "Export Settings"
197
- msgstr "Налады экспарту"
198
-
199
- #: wp-to-twitter-manager.php:347
200
- msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
- msgstr "Для абнаўлення любых паведамленняў, Вы можаце выкарыстоўваць коды <code>#title#</code> для загалоўка Вашага паведамленні ў блогу, <code>#blog#</code> для назвы Вашага блога, <code>#post#</code> для кароткага апісання паведамленні, <code>#category#</code> для выбару першай катэгорыі паведамленні, <code>#date#</code> для даты паведамленні, <code>#url#</code> для URL паведамленні (скарочанага або няма, у залежнасці ад вашых настроек.) Вы таксама можаце создатьпользовательские коды доступу да наладжвальным палях WordPress. Выкарыстоўвайце двайныя квадратныя дужкі навакольныя імя наладжвальнага поля для дадання значэння гэтага наладжвальнага поля да Вашага абноўленаму статуту. Прыклад: <code>[[custom_field]]</code> "
202
-
203
- #: wp-to-twitter-manager.php:353
204
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
- msgstr " <p> Не атрымалася перадаць інфармацыю аб абнаўленні статусу аднаго або некалькіх вашых паведамленняў у Twitter. Ваша паведамленне было захавана ў карыстацкіх палях Вашага паведамлення, і Вы можаце переотправить яго на вольным часе. </p> "
206
-
207
- #: wp-to-twitter-manager.php:356
208
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
- msgstr " <p> Запыт да сэрвісу скарачэння URL API не атрымаўся, і ваш URL не быў скарочаны. Поўны URL паведамлення быў прымацаваны да вашага паведамлення. Звяжыцеся са сваім сэрвісам скарачэння URL, каб даведацца, ці ёсць якія-небудзь вядомыя праблемы. [ <a href=\"http://blog.cli.gs\">Cli.gs Blog</a> ] [ <a href=\"http://blog.bit.ly\">Bit.ly Blog</a> ] </p> "
210
-
211
- #: wp-to-twitter-manager.php:363
212
- msgid "Clear 'WP to Twitter' Error Messages"
213
- msgstr "Ачысьціць 'WP to Twitter' паведамленні аб памылках"
214
-
215
- #: wp-to-twitter-manager.php:371
216
- msgid "Set what should be in a Tweet"
217
- msgstr "Усталяваць, што павінна быць у паведамленні"
218
-
219
- #: wp-to-twitter-manager.php:374
220
- msgid "Update when a post is published"
221
- msgstr "Абнавіць калі паведамленне будзе апублікавана"
222
-
223
- #: wp-to-twitter-manager.php:374
224
- msgid "Text for new post updates:"
225
- msgstr "Тэкст для абнаўлення новых паведамленняў:"
226
-
227
- #: wp-to-twitter-manager.php:379
228
- msgid "Update when a post is edited"
229
- msgstr "Абнавіць, калі паведамленне будзе Мовы"
230
-
231
- #: wp-to-twitter-manager.php:379
232
- msgid "Text for editing updates:"
233
- msgstr "Тэкст для рэдагавання абнаўленняў:"
234
-
235
- #: wp-to-twitter-manager.php:383
236
- msgid "Update Twitter when new Wordpress Pages are published"
237
- msgstr "Абнавіць Twitter, калі новыя старонкі Wordpress будуць апублікаваныя"
238
-
239
- #: wp-to-twitter-manager.php:383
240
- msgid "Text for new page updates:"
241
- msgstr "Тэкст абнаўлення для новай старонкі:"
242
-
243
- #: wp-to-twitter-manager.php:387
244
- msgid "Update Twitter when WordPress Pages are edited"
245
- msgstr "Абнавіць Твітэр, калі новыя Wordpress старонкі адрэдагаваныя"
246
-
247
- #: wp-to-twitter-manager.php:387
248
- msgid "Text for page edit updates:"
249
- msgstr "Тэкст абнаўлення для адрэдагаваныя старонак:"
250
-
251
- #: wp-to-twitter-manager.php:391
252
- msgid "Add tags as hashtags on Tweets"
253
- msgstr "Дадаць тэгі як hashtags ў паведамленне"
254
-
255
- #: wp-to-twitter-manager.php:391
256
- msgid "Spaces replaced with:"
257
- msgstr "Прабелы замяніць на:"
258
-
259
- #: wp-to-twitter-manager.php:392
260
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
261
- msgstr "Зададзеная па змаўчанні замена - знак падкрэслення ( <code>_</code> ). Выкарыстоўваць <code>[ ]</code> для выдалення прабелаў цалкам. "
262
-
263
- #: wp-to-twitter-manager.php:394
264
- msgid "Maximum number of tags to include:"
265
- msgstr "Максімальны лік тэгаў для ўключэння:"
266
-
267
- #: wp-to-twitter-manager.php:395
268
- msgid "Maximum length in characters for included tags:"
269
- msgstr "Максімальная даўжыня ў сімвалах для уключаных тэгаў:"
270
-
271
- #: wp-to-twitter-manager.php:396
272
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
- msgstr "Гэтыя параметры дазваляюць Вам абмежаваць даўжыню і колькасць тэгаў WordPress накіраваных у Twitter, як hashtags. Усталюйце <code>0</code> або пакіньце поле пустым, каб вырашыць любыя тэгі. "
274
-
275
- #: wp-to-twitter-manager.php:400
276
- msgid "Update Twitter when you post a Blogroll link"
277
- msgstr "Абнавіць Twitter, калі размесціце Blogroll спасылку"
278
-
279
- #: wp-to-twitter-manager.php:401
280
- msgid "Text for new link updates:"
281
- msgstr "Тэкст абнаўлення для новай спасылкі:"
282
-
283
- #: wp-to-twitter-manager.php:401
284
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
- msgstr "Даступныя коды: <code>#url#</code> , <code>#title#</code> , і <code>#description#</code> . "
286
-
287
- #: wp-to-twitter-manager.php:404
288
- msgid "Length of post excerpt (in characters):"
289
- msgstr "Даўжыня вытрымкі з паведамлення (у сімвалах):"
290
-
291
- #: wp-to-twitter-manager.php:404
292
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
- msgstr "Па змаўчанні, выняты непасрэдна з паведамлення. Калі Вы выкарыстоўваеце поле 'Вытрымка', гэта будзе выкарыстоўвацца замест яго."
294
-
295
- #: wp-to-twitter-manager.php:407
296
- msgid "WP to Twitter Date Formatting:"
297
- msgstr "WP to Twitter фарматаванне даты:"
298
-
299
- #: wp-to-twitter-manager.php:407
300
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
- msgstr "Па змаўчанні з агульных налад. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a> . "
302
-
303
- #: wp-to-twitter-manager.php:411
304
- msgid "Custom text before Tweets:"
305
- msgstr "Уласны тэкст перад паведамленнямі:"
306
-
307
- #: wp-to-twitter-manager.php:412
308
- msgid "Custom text after Tweets:"
309
- msgstr "Уласны тэкст пасля паведамленняў:"
310
-
311
- #: wp-to-twitter-manager.php:415
312
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
- msgstr "КАРЫСТАЛЬНІКА поле для альтэрнатыўных URL, каб скараціць і 'затвиттить':"
314
-
315
- #: wp-to-twitter-manager.php:416
316
- msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
- msgstr "Вы можаце выкарыстоўваць карыстацкае поле, каб адправіць Cli.gs і Twitter альтэрнатыўны URL з пастаяннай спасылкай WordPress. Значэнне - назва карыстацкага поля, якое Вы выкарыстоўваеце, каб дадаць знешні URL."
318
-
319
- #: wp-to-twitter-manager.php:420
320
- msgid "Special Cases when WordPress should send a Tweet"
321
- msgstr "Спецыяльныя выпадкі, калі WordPress павінен адправіць паведамленне"
322
-
323
- #: wp-to-twitter-manager.php:423
324
- msgid "Set default Tweet status to 'No.'"
325
- msgstr "Усталяваць па змаўчанні статус паведамленні на 'Не.'"
326
-
327
- #: wp-to-twitter-manager.php:424
328
- msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
- msgstr "Twitter абнаўлення могуць быць устаноўлены на кожнае паведамленне. Па змаўчанні, паведамленні БУДУЦЬ размешчаны на Twitter. Праверце гэта, каб змяніць значэнне па змаўчанні на НЯМА."
330
-
331
- #: wp-to-twitter-manager.php:428
332
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
- msgstr "Даслаць абнаўлення Twitter па выдаленай публікацыі (Паведамленне па email або XMLRPC кліент)"
334
-
335
- #: wp-to-twitter-manager.php:432
336
- msgid "Update Twitter when a post is published using QuickPress"
337
- msgstr "Абнавіць Twitter, калі пост апублікаваны з выкарыстаннем QuickPress"
338
-
339
- #: wp-to-twitter-manager.php:436
340
- msgid "Special Fields"
341
- msgstr "Спецыяльныя поля"
342
-
343
- #: wp-to-twitter-manager.php:439
344
- msgid "Use Google Analytics with WP-to-Twitter"
345
- msgstr "Выкарыстоўваць Google Analytics для WP-to-Twitter"
346
-
347
- #: wp-to-twitter-manager.php:440
348
- msgid "Campaign identifier for Google Analytics:"
349
- msgstr "Ідэнтыфікатар Google Analytics:"
350
-
351
- #: wp-to-twitter-manager.php:441
352
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
- msgstr "Вы можаце сачыць за адказамі ў Твітэры выкарыстоўваючы Google Analytics для вызначэння ідэнтыфікатара кампаніі тут."
354
-
355
- #: wp-to-twitter-manager.php:446
356
- msgid "Authors have individual Twitter accounts"
357
- msgstr "Аўтары маюць індывідуальныя Твітэр акаўнты"
358
-
359
- #: wp-to-twitter-manager.php:446
360
- msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
- msgstr "Кожны аўтар можа ўсталяваць сврое ўласнае Twitter імя і пароль у профілі карыстача. Іх паведамленні будуць адпраўлены ў свае ўласныя ўліковыя запісы Twitter."
362
-
363
- #: wp-to-twitter-manager.php:450
364
- msgid "Set your preferred URL Shortener"
365
- msgstr "Усталяваць упадабаны Вамі сэрвіс скарачэння URL"
366
-
367
- #: wp-to-twitter-manager.php:453
368
- msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
- msgstr "Выкарыстоўваць <strong>Cli.gs</strong> ў якасці майго сэрвісу скарачэння URL."
370
-
371
- #: wp-to-twitter-manager.php:454
372
- msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
- msgstr "Выкарыстоўваць <strong>Bit.ly</strong> ў якасці майго сэрвісу скарачэння URL."
374
-
375
- #: wp-to-twitter-manager.php:455
376
- msgid "Use <strong>WordPress</strong> as a URL shortener."
377
- msgstr "Выкарыстоўваць <strong>WordPress</strong> для скарачэння URL."
378
-
379
- #: wp-to-twitter-manager.php:456
380
- msgid "Don't shorten URLs."
381
- msgstr "Не скарачаць URL."
382
-
383
- #: wp-to-twitter-manager.php:457
384
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
- msgstr "Выкарыстанне WordPress ў якасці URL Shortener пашле URL-адрасоў, каб Twitterать ў фармаце URL па змаўчанні для WordPress: <code>http://domain.com/subdir/?p=123</code> . Google Analytics не даступны пры выкарыстанні WordPress скарочаны URL. "
386
-
387
- #: wp-to-twitter-manager.php:462
388
- msgid "Save WP->Twitter Options"
389
- msgstr "Захаваць WP-&gt; Twitter параметры"
390
-
391
- #: wp-to-twitter-manager.php:468
392
- msgid "Your Twitter account details"
393
- msgstr "Налады Вашай ўліковага запісу Twitter"
394
-
395
- #: wp-to-twitter-manager.php:475
396
- msgid "Your Twitter username:"
397
- msgstr "Імя Вашага ўліковага запісу ў Twitter:"
398
-
399
- #: wp-to-twitter-manager.php:479
400
- msgid "Your Twitter password:"
401
- msgstr "Пароль ад Вашага ўліковага запісу ў Twitter:"
402
-
403
- #: wp-to-twitter-manager.php:479
404
- msgid "(<em>Saved</em>)"
405
- msgstr "<em>(Захавана)</em>"
406
-
407
- #: wp-to-twitter-manager.php:483
408
- msgid "Save Twitter Login Info"
409
- msgstr "Захаваць інфармацыю для ўваходу ў Twitter"
410
-
411
- #: wp-to-twitter-manager.php:483
412
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
- msgstr "&raquo; <small>Не ўліковага запісу Twitter? <a href='http://www.twitter.com'>Атрымаеце яе бясплатна тут</a>"
414
-
415
- #: wp-to-twitter-manager.php:487
416
- msgid "Your Cli.gs account details"
417
- msgstr "Налады Вашай ўліковага запісу Cli.gs"
418
-
419
- #: wp-to-twitter-manager.php:494
420
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
- msgstr "Ваш Cli.gs <abbr title=\"application programming interface\">API</abbr> Key:"
422
-
423
- #: wp-to-twitter-manager.php:500
424
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
- msgstr "Няма ўліковага запісу на Cli.gs або Cligs API Key? <a href='http://cli.gs/user/api/'>Атрымаеце яе бясплатна тут</a> ! <br /> Вам неабходны API Key, для таго каб звязаць Cligs, створаныя з дапамогай Вашага ўліковага запісу Cligs. "
426
-
427
- #: wp-to-twitter-manager.php:505
428
- msgid "Your Bit.ly account details"
429
- msgstr "Налады Вашай ўліковага запісу Bit.ly"
430
-
431
- #: wp-to-twitter-manager.php:510
432
- msgid "Your Bit.ly username:"
433
- msgstr "Імя Вашага ўліковага запісу ў Bit.ly:"
434
-
435
- #: wp-to-twitter-manager.php:514
436
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
- msgstr "Ваш Bit.ly <abbr title=\"application programming interface\">API</abbr> Key:"
438
-
439
- #: wp-to-twitter-manager.php:521
440
- msgid "Save Bit.ly API Key"
441
- msgstr "Захаваць Bit.ly API Key"
442
-
443
- #: wp-to-twitter-manager.php:521
444
- msgid "Clear Bit.ly API Key"
445
- msgstr "Выдаліць Bit.ly API Key"
446
-
447
- #: wp-to-twitter-manager.php:521
448
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
- msgstr "Bit.ly API key і імя ўліковага запісу патрабуецца для скарачэння URL праз Bit.ly API і WP to Twitter."
450
-
451
- #: wp-to-twitter-manager.php:530
452
- msgid "Check Support"
453
- msgstr "Праверыць падтрымку"
454
-
455
- #: wp-to-twitter-manager.php:530
456
- msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
- msgstr "Праверце ці падтрымлівае Ваш сервер запыты WP to Twitter да Twitter і сэрвісаў скарачэння URL."
458
-
459
- #: wp-to-twitter-manager.php:538
460
- msgid "Need help?"
461
- msgstr "Патрэбна дапамога?"
462
-
463
- #: wp-to-twitter-manager.php:539
464
- msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
- msgstr "Посетите <a href='http://www.joedolson.com/articles/wp-to-twitter/'>страницу плагина WP to Twitter</a>."
466
-
467
- #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
- #. Plugin Name of an extension
469
- #: wp-to-twitter.php:761
470
- msgid "WP to Twitter"
471
- msgstr "WP to Twitter"
472
-
473
- #: wp-to-twitter.php:806
474
- msgid "Twitter Post"
475
- msgstr "Twitter паведамленне"
476
-
477
- #: wp-to-twitter.php:811
478
- msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
- msgstr "Сімвалы. <br /> Twitter паведамлення не павінны перавышаць 140 знакаў; Ваша Cli.gs спасылка дадаецца ў канец дакумента, Вам даступна 119 знакаў Вы можаце выкарыстоўваць <code>#url#</code> , <code>#title#</code> , <code>#post#</code> , <code>#category#</code> , <code>#date#</code> , або <code>#blog#</code> каб ўставіць скарочаны URL, назва паведамлення, першую выбраную катэгорыю, дату паведамленні, вытрымку з паведамленні або назва блога ў паведамленне. "
480
-
481
- #: wp-to-twitter.php:811
482
- msgid "Make a Donation"
483
- msgstr "Зрабіць ахвяраванне"
484
-
485
- #: wp-to-twitter.php:814
486
- msgid "Don't Tweet this post."
487
- msgstr "Не твіт гэтае паведамленне."
488
-
489
- #: wp-to-twitter.php:863
490
- msgid "WP to Twitter User Settings"
491
- msgstr "WP to Twitter налады карыстальніка"
492
-
493
- #: wp-to-twitter.php:867
494
- msgid "Use My Twitter Account"
495
- msgstr "Выкарыстоўваць маю ўліковы запіс Twitter"
496
-
497
- #: wp-to-twitter.php:868
498
- msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
- msgstr "Выберыце гэты параметр, калі хочаце каб Вашыя паведамленні былі адпраўленыя ў Ваш уліковы запіс Twitter без якіх-небудзь @ спасылак."
500
-
501
- #: wp-to-twitter.php:869
502
- msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
- msgstr "Пісаць мае паведамленні ў маю ўліковы запіс Twitter з @ спасылкай на асноўны сайт Twitter."
504
-
505
- #: wp-to-twitter.php:870
506
- msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
- msgstr "Писать мои сообщения на главной странице учетной записи Twitter со @ ссылкой на мое имя пользователя. (Для этого параметра пароль не требуется.)"
508
-
509
- #: wp-to-twitter.php:873
510
- msgid "Your Twitter Username"
511
- msgstr "Ваше имя пользователя Twitter "
512
-
513
- #: wp-to-twitter.php:874
514
- msgid "Enter your own Twitter username."
515
- msgstr "Введите свое имя пользователя Twitter."
516
-
517
- #: wp-to-twitter.php:877
518
- msgid "Your Twitter Password"
519
- msgstr "Ваш пароль от Twitter"
520
-
521
- #: wp-to-twitter.php:878
522
- msgid "Enter your own Twitter password."
523
- msgstr "Введите свой пароль от Twitter."
524
-
525
- #: wp-to-twitter.php:997
526
- msgid "<p>Couldn't locate the settings page.</p>"
527
- msgstr "<p>Невозможно найти страницу настроек.</p>"
528
-
529
- #: wp-to-twitter.php:1002
530
- msgid "Settings"
531
- msgstr "Настройки"
532
-
533
- #. Plugin URI of an extension
534
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
-
537
- #. Description of an extension
538
- msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
- msgstr "Обновить Twitter когда Вы напишите новое сообщение в блоге или добавите в Ваш блогролл использование Cli.gs. С помощью Cli.gs API key, создайте clig в Вашей Cli.gs учетной записи с названием Вашего сообщения в качестве заголовка."
540
-
541
- #. Author of an extension
542
- msgid "Joseph Dolson"
543
- msgstr "Joseph Dolson"
544
-
545
- #. Author URI of an extension
546
- msgid "http://www.joedolson.com/"
547
- msgstr "http://www.joedolson.com/"
548
-
1
+ # SOME DESCRIPTIVE TITLE.
2
+ # Copyright (C) YEAR Joseph Dolson
3
+ # This file is distributed under the same license as the PACKAGE package.
4
+ # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
+ #
6
+ msgid ""
7
+ msgstr ""
8
+ "Project-Id-Version: WP to Twitter\n"
9
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
+ "POT-Creation-Date: 2009-12-22 20:09+0300\n"
11
+ "PO-Revision-Date: 2011-08-10 18:25+0200\n"
12
+ "Last-Translator: \n"
13
+ "Language-Team: Alexandr Alexandrov <yuzver@gmx.com>\n"
14
+ "MIME-Version: 1.0\n"
15
+ "Content-Type: text/plain; charset=utf-8\n"
16
+ "Content-Transfer-Encoding: 8bit\n"
17
+ "X-Poedit-Language: Belarusian\n"
18
+ "X-Poedit-Country: BELARUS\n"
19
+
20
+ #: functions.php:127
21
+ msgid "Twitter Password Saved"
22
+ msgstr "Twitter пароль захаваны"
23
+
24
+ #: functions.php:129
25
+ msgid "Twitter Password Not Saved"
26
+ msgstr "Twitter пароль не захаваны"
27
+
28
+ #: functions.php:132
29
+ msgid "Bit.ly API Saved"
30
+ msgstr "Bit.ly API Key захаваны"
31
+
32
+ #: functions.php:134
33
+ msgid "Bit.ly API Not Saved"
34
+ msgstr "Bit.ly API Key не захаваны"
35
+
36
+ #: functions.php:140
37
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
+ msgstr "[ <a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>не паказваць</a> ] Калі ў Вас паўсталі праблемы, калі ласка скапіруйце гэтыя налады і звернецеся за падтрымкай. "
39
+
40
+ #: wp-to-twitter-manager.php:63
41
+ msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
+ msgstr "Наладзіць Ваш лагін Twitter і сэрвіс скарачэння URL API каб выкарыстаць гэты убудова!"
43
+
44
+ #: wp-to-twitter-manager.php:69
45
+ msgid "Please add your Twitter password. "
46
+ msgstr "Калі ласка дадайце Ваш пароль ад Twitter"
47
+
48
+ #: wp-to-twitter-manager.php:75
49
+ msgid "WP to Twitter Errors Cleared"
50
+ msgstr "WP to Twitter памылкі ачышчаны"
51
+
52
+ #: wp-to-twitter-manager.php:82
53
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
+ msgstr "Выбачайце! Я не магу злучыцца з серверамі Twitter для адпраўкі Вашага новага"
55
+
56
+ #: wp-to-twitter-manager.php:84
57
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
+ msgstr "Выбачайце! Я не магу злучыцца з серверамі Twitter для адпраўкі Вашай <strong>новай спасылкі!</strong> Я баюся, што Вам прыйдзецца размясціць яе ўручную."
59
+
60
+ #: wp-to-twitter-manager.php:149
61
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
+ msgstr "Вы павінны дадаць свой Bit.ly лагін і API key для таго, каб скараціць URL выкарыстоўваючы Bit.ly."
63
+
64
+ #: wp-to-twitter-manager.php:158
65
+ msgid "WP to Twitter Options Updated"
66
+ msgstr "WP to Twitter параметры абноўленыя"
67
+
68
+ #: wp-to-twitter-manager.php:168
69
+ msgid "Twitter login and password updated. "
70
+ msgstr "Twitter лагін і пароль абноўлены."
71
+
72
+ #: wp-to-twitter-manager.php:170
73
+ msgid "You need to provide your twitter login and password! "
74
+ msgstr "Вы павінны пазначыць свой лагін і пароль ад Twitter!"
75
+
76
+ #: wp-to-twitter-manager.php:177
77
+ msgid "Cligs API Key Updated"
78
+ msgstr "Cligs API Key абноўлены"
79
+
80
+ #: wp-to-twitter-manager.php:180
81
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
+ msgstr "Cli.gs API Key выдалены. Cli.gs створаны для WP to Twitter, больш не будзе звязаны з Вашым акаунтам."
83
+
84
+ #: wp-to-twitter-manager.php:182
85
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
+ msgstr "Cli.gs API Key ня дададзены - <a href='http://cli.gs/user/api/'>атрымаць тут</a> ! "
87
+
88
+ #: wp-to-twitter-manager.php:188
89
+ msgid "Bit.ly API Key Updated."
90
+ msgstr "Bit.ly API Key абноўлены."
91
+
92
+ #: wp-to-twitter-manager.php:191
93
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
+ msgstr "Bit.ly API Key выдалены. Вы не можаце выкарыстоўваць Bit.ly API без API key."
95
+
96
+ #: wp-to-twitter-manager.php:193
97
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
+ msgstr "Bit.ly API Key ня дададзены - <a href='http://bit.ly/account/'>атрымаць тут</a> ! API key павінен выкарыстоўваць сэрвіс скарачэння URL Bit.ly. "
99
+
100
+ #: wp-to-twitter-manager.php:197
101
+ msgid " Bit.ly User Login Updated."
102
+ msgstr "Bit.ly лагін карыстальніка абноўлены."
103
+
104
+ #: wp-to-twitter-manager.php:200
105
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
+ msgstr "Bit.ly лагін карыстальніка выдалены. Вы не можаце выкарыстоўваць Bit.ly API без Вашага лагіна."
107
+
108
+ #: wp-to-twitter-manager.php:202
109
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
+ msgstr "Bit.ly лагін ня дададзены - <a href='http://bit.ly/account/'>атрымаць тут</a> ! "
111
+
112
+ #: wp-to-twitter-manager.php:236
113
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
+ msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy, але стварыць URL не ўдалося. </li> "
115
+
116
+ #: wp-to-twitter-manager.php:238
117
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
+ msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy, але памылка сервера Cli.gs перашкаджала таго, каб URL быў скарочаны. </li> "
119
+
120
+ #: wp-to-twitter-manager.php:240
121
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy и создана сокращенная ссылка.</li>"
122
+ msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy and created a shortened link. </li> "
123
+
124
+ #: wp-to-twitter-manager.php:249
125
+ #: wp-to-twitter-manager.php:274
126
+ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
+ msgstr " <li> Устаноўлена злучэнне з Bit.ly API праз Snoopy. </li> "
128
+
129
+ #: wp-to-twitter-manager.php:251
130
+ #: wp-to-twitter-manager.php:276
131
+ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
+ msgstr " <li> Не атрымоўваецца злучыцца з Bit.ly API праз Snoopy. </li> "
133
+
134
+ #: wp-to-twitter-manager.php:254
135
+ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
+ msgstr " <li> Не ўдаецца праверыць Bit.ly API, неабходны правільны ключ API. </li> "
137
+
138
+ #: wp-to-twitter-manager.php:258
139
+ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
+ msgstr " <li> Устаноўлена злучэнне з Twitter API праз Snoopy. </li> "
141
+
142
+ #: wp-to-twitter-manager.php:260
143
+ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
+ msgstr " <li> Не атрымоўваецца злучыцца з Twitter API праз Snoopy. </li> "
145
+
146
+ #: wp-to-twitter-manager.php:266
147
+ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
+ msgstr " <li> Устаноўлена злучэнне з Twitter API праз cURL. </li> "
149
+
150
+ #: wp-to-twitter-manager.php:268
151
+ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
+ msgstr " <li> Не атрымоўваецца злучыцца з Twitter API праз cURL. </li> "
153
+
154
+ #: wp-to-twitter-manager.php:280
155
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
+ msgstr " <li> Устаноўлена злучэнне з Cli.gs API праз Snoopy. </li> "
157
+
158
+ #: wp-to-twitter-manager.php:283
159
+ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
+ msgstr " <li> Не атрымоўваецца злучыцца з Cli.gs API праз Snoopy. </li> "
161
+
162
+ #: wp-to-twitter-manager.php:288
163
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
+ msgstr " <li> <strong>Ваш сервер дожнен паспяхова працаваць з WP to Twitter.</strong> </li> "
165
+
166
+ #: wp-to-twitter-manager.php:293
167
+ msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
+ msgstr " <li> Ваш сервер не падтрымлівае <code>fputs</code> . </li> "
169
+
170
+ #: wp-to-twitter-manager.php:297
171
+ msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
+ msgstr " <li> Ваш сервер не падтрымлівае <code>file_get_contents</code> або <code>cURL</code> функцыі. </li> "
173
+
174
+ #: wp-to-twitter-manager.php:301
175
+ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
+ msgstr " <li> Ваш сервер не падтрымлівае <code>Snoopy</code> . </li> "
177
+
178
+ #: wp-to-twitter-manager.php:304
179
+ msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
+ msgstr " <li> <strong>Ваш сервер, здаецца, не падтрымлівае неабходныя PHP функцыі і класы для карэктнай працы ўбудовы WP to Twitter.</strong> Вы можаце паспрабаваць, але ў любым выпадку, гэтыя тэсты не ідэальныя і ніякіх гарантый не даюць. </li> "
181
+
182
+ #: wp-to-twitter-manager.php:313
183
+ msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
+ msgstr "Гэты убудова можа не зусім карэктна працаваць у сервернай асяроддзі. Убудова не атрымоўваецца злучыцца з сэрвісам скарачэння URL API і сэрвісам Twitter API."
185
+
186
+ #: wp-to-twitter-manager.php:328
187
+ msgid "WP to Twitter Options"
188
+ msgstr "WP to Twitter параметры"
189
+
190
+ #: wp-to-twitter-manager.php:332
191
+ #: wp-to-twitter.php:811
192
+ msgid "Get Support"
193
+ msgstr "Атрымаць падтрымку"
194
+
195
+ #: wp-to-twitter-manager.php:333
196
+ msgid "Export Settings"
197
+ msgstr "Налады экспарту"
198
+
199
+ #: wp-to-twitter-manager.php:347
200
+ msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
+ msgstr "Для абнаўлення любых паведамленняў, Вы можаце выкарыстоўваць коды <code>#title#</code> для загалоўка Вашага паведамленні ў блогу, <code>#blog#</code> для назвы Вашага блога, <code>#post#</code> для кароткага апісання паведамленні, <code>#category#</code> для выбару першай катэгорыі паведамленні, <code>#date#</code> для даты паведамленні, <code>#url#</code> для URL паведамленні (скарочанага або няма, у залежнасці ад вашых настроек.) Вы таксама можаце создатьпользовательские коды доступу да наладжвальным палях WordPress. Выкарыстоўвайце двайныя квадратныя дужкі навакольныя імя наладжвальнага поля для дадання значэння гэтага наладжвальнага поля да Вашага абноўленаму статуту. Прыклад: <code>[[custom_field]]</code> "
202
+
203
+ #: wp-to-twitter-manager.php:353
204
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
+ msgstr " <p> Не атрымалася перадаць інфармацыю аб абнаўленні статусу аднаго або некалькіх вашых паведамленняў у Twitter. Ваша паведамленне было захавана ў карыстацкіх палях Вашага паведамлення, і Вы можаце переотправить яго на вольным часе. </p> "
206
+
207
+ #: wp-to-twitter-manager.php:356
208
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
+ msgstr " <p> Запыт да сэрвісу скарачэння URL API не атрымаўся, і ваш URL не быў скарочаны. Поўны URL паведамлення быў прымацаваны да вашага паведамлення. Звяжыцеся са сваім сэрвісам скарачэння URL, каб даведацца, ці ёсць якія-небудзь вядомыя праблемы. [ <a href=\"http://blog.cli.gs\">Cli.gs Blog</a> ] [ <a href=\"http://blog.bit.ly\">Bit.ly Blog</a> ] </p> "
210
+
211
+ #: wp-to-twitter-manager.php:363
212
+ msgid "Clear 'WP to Twitter' Error Messages"
213
+ msgstr "Ачысьціць 'WP to Twitter' паведамленні аб памылках"
214
+
215
+ #: wp-to-twitter-manager.php:371
216
+ msgid "Set what should be in a Tweet"
217
+ msgstr "Усталяваць, што павінна быць у паведамленні"
218
+
219
+ #: wp-to-twitter-manager.php:374
220
+ msgid "Update when a post is published"
221
+ msgstr "Абнавіць калі паведамленне будзе апублікавана"
222
+
223
+ #: wp-to-twitter-manager.php:374
224
+ msgid "Text for new post updates:"
225
+ msgstr "Тэкст для абнаўлення новых паведамленняў:"
226
+
227
+ #: wp-to-twitter-manager.php:379
228
+ msgid "Update when a post is edited"
229
+ msgstr "Абнавіць, калі паведамленне будзе Мовы"
230
+
231
+ #: wp-to-twitter-manager.php:379
232
+ msgid "Text for editing updates:"
233
+ msgstr "Тэкст для рэдагавання абнаўленняў:"
234
+
235
+ #: wp-to-twitter-manager.php:383
236
+ msgid "Update Twitter when new Wordpress Pages are published"
237
+ msgstr "Абнавіць Twitter, калі новыя старонкі Wordpress будуць апублікаваныя"
238
+
239
+ #: wp-to-twitter-manager.php:383
240
+ msgid "Text for new page updates:"
241
+ msgstr "Тэкст абнаўлення для новай старонкі:"
242
+
243
+ #: wp-to-twitter-manager.php:387
244
+ msgid "Update Twitter when WordPress Pages are edited"
245
+ msgstr "Абнавіць Твітэр, калі новыя Wordpress старонкі адрэдагаваныя"
246
+
247
+ #: wp-to-twitter-manager.php:387
248
+ msgid "Text for page edit updates:"
249
+ msgstr "Тэкст абнаўлення для адрэдагаваныя старонак:"
250
+
251
+ #: wp-to-twitter-manager.php:391
252
+ msgid "Add tags as hashtags on Tweets"
253
+ msgstr "Дадаць тэгі як hashtags ў паведамленне"
254
+
255
+ #: wp-to-twitter-manager.php:391
256
+ msgid "Spaces replaced with:"
257
+ msgstr "Прабелы замяніць на:"
258
+
259
+ #: wp-to-twitter-manager.php:392
260
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
261
+ msgstr "Зададзеная па змаўчанні замена - знак падкрэслення ( <code>_</code> ). Выкарыстоўваць <code>[ ]</code> для выдалення прабелаў цалкам. "
262
+
263
+ #: wp-to-twitter-manager.php:394
264
+ msgid "Maximum number of tags to include:"
265
+ msgstr "Максімальны лік тэгаў для ўключэння:"
266
+
267
+ #: wp-to-twitter-manager.php:395
268
+ msgid "Maximum length in characters for included tags:"
269
+ msgstr "Максімальная даўжыня ў сімвалах для уключаных тэгаў:"
270
+
271
+ #: wp-to-twitter-manager.php:396
272
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
+ msgstr "Гэтыя параметры дазваляюць Вам абмежаваць даўжыню і колькасць тэгаў WordPress накіраваных у Twitter, як hashtags. Усталюйце <code>0</code> або пакіньце поле пустым, каб вырашыць любыя тэгі. "
274
+
275
+ #: wp-to-twitter-manager.php:400
276
+ msgid "Update Twitter when you post a Blogroll link"
277
+ msgstr "Абнавіць Twitter, калі размесціце Blogroll спасылку"
278
+
279
+ #: wp-to-twitter-manager.php:401
280
+ msgid "Text for new link updates:"
281
+ msgstr "Тэкст абнаўлення для новай спасылкі:"
282
+
283
+ #: wp-to-twitter-manager.php:401
284
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
+ msgstr "Даступныя коды: <code>#url#</code> , <code>#title#</code> , і <code>#description#</code> . "
286
+
287
+ #: wp-to-twitter-manager.php:404
288
+ msgid "Length of post excerpt (in characters):"
289
+ msgstr "Даўжыня вытрымкі з паведамлення (у сімвалах):"
290
+
291
+ #: wp-to-twitter-manager.php:404
292
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
+ msgstr "Па змаўчанні, выняты непасрэдна з паведамлення. Калі Вы выкарыстоўваеце поле 'Вытрымка', гэта будзе выкарыстоўвацца замест яго."
294
+
295
+ #: wp-to-twitter-manager.php:407
296
+ msgid "WP to Twitter Date Formatting:"
297
+ msgstr "WP to Twitter фарматаванне даты:"
298
+
299
+ #: wp-to-twitter-manager.php:407
300
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
+ msgstr "Па змаўчанні з агульных налад. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a> . "
302
+
303
+ #: wp-to-twitter-manager.php:411
304
+ msgid "Custom text before Tweets:"
305
+ msgstr "Уласны тэкст перад паведамленнямі:"
306
+
307
+ #: wp-to-twitter-manager.php:412
308
+ msgid "Custom text after Tweets:"
309
+ msgstr "Уласны тэкст пасля паведамленняў:"
310
+
311
+ #: wp-to-twitter-manager.php:415
312
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
+ msgstr "КАРЫСТАЛЬНІКА поле для альтэрнатыўных URL, каб скараціць і 'затвиттить':"
314
+
315
+ #: wp-to-twitter-manager.php:416
316
+ msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
+ msgstr "Вы можаце выкарыстоўваць карыстацкае поле, каб адправіць Cli.gs і Twitter альтэрнатыўны URL з пастаяннай спасылкай WordPress. Значэнне - назва карыстацкага поля, якое Вы выкарыстоўваеце, каб дадаць знешні URL."
318
+
319
+ #: wp-to-twitter-manager.php:420
320
+ msgid "Special Cases when WordPress should send a Tweet"
321
+ msgstr "Спецыяльныя выпадкі, калі WordPress павінен адправіць паведамленне"
322
+
323
+ #: wp-to-twitter-manager.php:423
324
+ msgid "Set default Tweet status to 'No.'"
325
+ msgstr "Усталяваць па змаўчанні статус паведамленні на 'Не.'"
326
+
327
+ #: wp-to-twitter-manager.php:424
328
+ msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
+ msgstr "Twitter абнаўлення могуць быць устаноўлены на кожнае паведамленне. Па змаўчанні, паведамленні БУДУЦЬ размешчаны на Twitter. Праверце гэта, каб змяніць значэнне па змаўчанні на НЯМА."
330
+
331
+ #: wp-to-twitter-manager.php:428
332
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
+ msgstr "Даслаць абнаўлення Twitter па выдаленай публікацыі (Паведамленне па email або XMLRPC кліент)"
334
+
335
+ #: wp-to-twitter-manager.php:432
336
+ msgid "Update Twitter when a post is published using QuickPress"
337
+ msgstr "Абнавіць Twitter, калі пост апублікаваны з выкарыстаннем QuickPress"
338
+
339
+ #: wp-to-twitter-manager.php:436
340
+ msgid "Special Fields"
341
+ msgstr "Спецыяльныя поля"
342
+
343
+ #: wp-to-twitter-manager.php:439
344
+ msgid "Use Google Analytics with WP-to-Twitter"
345
+ msgstr "Выкарыстоўваць Google Analytics для WP-to-Twitter"
346
+
347
+ #: wp-to-twitter-manager.php:440
348
+ msgid "Campaign identifier for Google Analytics:"
349
+ msgstr "Ідэнтыфікатар Google Analytics:"
350
+
351
+ #: wp-to-twitter-manager.php:441
352
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
+ msgstr "Вы можаце сачыць за адказамі ў Твітэры выкарыстоўваючы Google Analytics для вызначэння ідэнтыфікатара кампаніі тут."
354
+
355
+ #: wp-to-twitter-manager.php:446
356
+ msgid "Authors have individual Twitter accounts"
357
+ msgstr "Аўтары маюць індывідуальныя Твітэр акаўнты"
358
+
359
+ #: wp-to-twitter-manager.php:446
360
+ msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
+ msgstr "Кожны аўтар можа ўсталяваць сврое ўласнае Twitter імя і пароль у профілі карыстача. Іх паведамленні будуць адпраўлены ў свае ўласныя ўліковыя запісы Twitter."
362
+
363
+ #: wp-to-twitter-manager.php:450
364
+ msgid "Set your preferred URL Shortener"
365
+ msgstr "Усталяваць упадабаны Вамі сэрвіс скарачэння URL"
366
+
367
+ #: wp-to-twitter-manager.php:453
368
+ msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
+ msgstr "Выкарыстоўваць <strong>Cli.gs</strong> ў якасці майго сэрвісу скарачэння URL."
370
+
371
+ #: wp-to-twitter-manager.php:454
372
+ msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
+ msgstr "Выкарыстоўваць <strong>Bit.ly</strong> ў якасці майго сэрвісу скарачэння URL."
374
+
375
+ #: wp-to-twitter-manager.php:455
376
+ msgid "Use <strong>WordPress</strong> as a URL shortener."
377
+ msgstr "Выкарыстоўваць <strong>WordPress</strong> для скарачэння URL."
378
+
379
+ #: wp-to-twitter-manager.php:456
380
+ msgid "Don't shorten URLs."
381
+ msgstr "Не скарачаць URL."
382
+
383
+ #: wp-to-twitter-manager.php:457
384
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
+ msgstr "Выкарыстанне WordPress ў якасці URL Shortener пашле URL-адрасоў, каб Twitterать ў фармаце URL па змаўчанні для WordPress: <code>http://domain.com/subdir/?p=123</code> . Google Analytics не даступны пры выкарыстанні WordPress скарочаны URL. "
386
+
387
+ #: wp-to-twitter-manager.php:462
388
+ msgid "Save WP->Twitter Options"
389
+ msgstr "Захаваць WP-&gt; Twitter параметры"
390
+
391
+ #: wp-to-twitter-manager.php:468
392
+ msgid "Your Twitter account details"
393
+ msgstr "Налады Вашай ўліковага запісу Twitter"
394
+
395
+ #: wp-to-twitter-manager.php:475
396
+ msgid "Your Twitter username:"
397
+ msgstr "Імя Вашага ўліковага запісу ў Twitter:"
398
+
399
+ #: wp-to-twitter-manager.php:479
400
+ msgid "Your Twitter password:"
401
+ msgstr "Пароль ад Вашага ўліковага запісу ў Twitter:"
402
+
403
+ #: wp-to-twitter-manager.php:479
404
+ msgid "(<em>Saved</em>)"
405
+ msgstr "<em>(Захавана)</em>"
406
+
407
+ #: wp-to-twitter-manager.php:483
408
+ msgid "Save Twitter Login Info"
409
+ msgstr "Захаваць інфармацыю для ўваходу ў Twitter"
410
+
411
+ #: wp-to-twitter-manager.php:483
412
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
+ msgstr "&raquo; <small>Не ўліковага запісу Twitter? <a href='http://www.twitter.com'>Атрымаеце яе бясплатна тут</a>"
414
+
415
+ #: wp-to-twitter-manager.php:487
416
+ msgid "Your Cli.gs account details"
417
+ msgstr "Налады Вашай ўліковага запісу Cli.gs"
418
+
419
+ #: wp-to-twitter-manager.php:494
420
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
+ msgstr "Ваш Cli.gs <abbr title=\"application programming interface\">API</abbr> Key:"
422
+
423
+ #: wp-to-twitter-manager.php:500
424
+ msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
+ msgstr "Няма ўліковага запісу на Cli.gs або Cligs API Key? <a href='http://cli.gs/user/api/'>Атрымаеце яе бясплатна тут</a> ! <br /> Вам неабходны API Key, для таго каб звязаць Cligs, створаныя з дапамогай Вашага ўліковага запісу Cligs. "
426
+
427
+ #: wp-to-twitter-manager.php:505
428
+ msgid "Your Bit.ly account details"
429
+ msgstr "Налады Вашай ўліковага запісу Bit.ly"
430
+
431
+ #: wp-to-twitter-manager.php:510
432
+ msgid "Your Bit.ly username:"
433
+ msgstr "Імя Вашага ўліковага запісу ў Bit.ly:"
434
+
435
+ #: wp-to-twitter-manager.php:514
436
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
+ msgstr "Ваш Bit.ly <abbr title=\"application programming interface\">API</abbr> Key:"
438
+
439
+ #: wp-to-twitter-manager.php:521
440
+ msgid "Save Bit.ly API Key"
441
+ msgstr "Захаваць Bit.ly API Key"
442
+
443
+ #: wp-to-twitter-manager.php:521
444
+ msgid "Clear Bit.ly API Key"
445
+ msgstr "Выдаліць Bit.ly API Key"
446
+
447
+ #: wp-to-twitter-manager.php:521
448
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
+ msgstr "Bit.ly API key і імя ўліковага запісу патрабуецца для скарачэння URL праз Bit.ly API і WP to Twitter."
450
+
451
+ #: wp-to-twitter-manager.php:530
452
+ msgid "Check Support"
453
+ msgstr "Праверыць падтрымку"
454
+
455
+ #: wp-to-twitter-manager.php:530
456
+ msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
+ msgstr "Праверце ці падтрымлівае Ваш сервер запыты WP to Twitter да Twitter і сэрвісаў скарачэння URL."
458
+
459
+ #: wp-to-twitter-manager.php:538
460
+ msgid "Need help?"
461
+ msgstr "Патрэбна дапамога?"
462
+
463
+ #: wp-to-twitter-manager.php:539
464
+ msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
+ msgstr "Посетите <a href='http://www.joedolson.com/articles/wp-to-twitter/'>страницу плагина WP to Twitter</a>."
466
+
467
+ #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
+ #. Plugin Name of an extension
469
+ #: wp-to-twitter.php:761
470
+ msgid "WP to Twitter"
471
+ msgstr "WP to Twitter"
472
+
473
+ #: wp-to-twitter.php:806
474
+ msgid "Twitter Post"
475
+ msgstr "Twitter паведамленне"
476
+
477
+ #: wp-to-twitter.php:811
478
+ msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
+ msgstr "Сімвалы. <br /> Twitter паведамлення не павінны перавышаць 140 знакаў; Ваша Cli.gs спасылка дадаецца ў канец дакумента, Вам даступна 119 знакаў Вы можаце выкарыстоўваць <code>#url#</code> , <code>#title#</code> , <code>#post#</code> , <code>#category#</code> , <code>#date#</code> , або <code>#blog#</code> каб ўставіць скарочаны URL, назва паведамлення, першую выбраную катэгорыю, дату паведамленні, вытрымку з паведамленні або назва блога ў паведамленне. "
480
+
481
+ #: wp-to-twitter.php:811
482
+ msgid "Make a Donation"
483
+ msgstr "Зрабіць ахвяраванне"
484
+
485
+ #: wp-to-twitter.php:814
486
+ msgid "Don't Tweet this post."
487
+ msgstr "Не твіт гэтае паведамленне."
488
+
489
+ #: wp-to-twitter.php:863
490
+ msgid "WP to Twitter User Settings"
491
+ msgstr "WP to Twitter налады карыстальніка"
492
+
493
+ #: wp-to-twitter.php:867
494
+ msgid "Use My Twitter Account"
495
+ msgstr "Выкарыстоўваць маю ўліковы запіс Twitter"
496
+
497
+ #: wp-to-twitter.php:868
498
+ msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
+ msgstr "Выберыце гэты параметр, калі хочаце каб Вашыя паведамленні былі адпраўленыя ў Ваш уліковы запіс Twitter без якіх-небудзь @ спасылак."
500
+
501
+ #: wp-to-twitter.php:869
502
+ msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
+ msgstr "Пісаць мае паведамленні ў маю ўліковы запіс Twitter з @ спасылкай на асноўны сайт Twitter."
504
+
505
+ #: wp-to-twitter.php:870
506
+ msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
+ msgstr "Писать мои сообщения на главной странице учетной записи Twitter со @ ссылкой на мое имя пользователя. (Для этого параметра пароль не требуется.)"
508
+
509
+ #: wp-to-twitter.php:873
510
+ msgid "Your Twitter Username"
511
+ msgstr "Ваше имя пользователя Twitter "
512
+
513
+ #: wp-to-twitter.php:874
514
+ msgid "Enter your own Twitter username."
515
+ msgstr "Введите свое имя пользователя Twitter."
516
+
517
+ #: wp-to-twitter.php:877
518
+ msgid "Your Twitter Password"
519
+ msgstr "Ваш пароль от Twitter"
520
+
521
+ #: wp-to-twitter.php:878
522
+ msgid "Enter your own Twitter password."
523
+ msgstr "Введите свой пароль от Twitter."
524
+
525
+ #: wp-to-twitter.php:997
526
+ msgid "<p>Couldn't locate the settings page.</p>"
527
+ msgstr "<p>Невозможно найти страницу настроек.</p>"
528
+
529
+ #: wp-to-twitter.php:1002
530
+ msgid "Settings"
531
+ msgstr "Настройки"
532
+
533
+ #. Plugin URI of an extension
534
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
+
537
+ #. Description of an extension
538
+ msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
+ msgstr "Обновить Twitter когда Вы напишите новое сообщение в блоге или добавите в Ваш блогролл использование Cli.gs. С помощью Cli.gs API key, создайте clig в Вашей Cli.gs учетной записи с названием Вашего сообщения в качестве заголовка."
540
+
541
+ #. Author of an extension
542
+ msgid "Joseph Dolson"
543
+ msgstr "Joseph Dolson"
544
+
545
+ #. Author URI of an extension
546
+ msgid "http://www.joedolson.com/"
547
+ msgstr "http://www.joedolson.com/"
548
+
lang/wp-to-twitter-ca.mo ADDED
Binary file
lang/wp-to-twitter-ca.po ADDED
@@ -0,0 +1,1170 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Translation of WP to Twitter in Catalan
2
+ # This file is distributed under the same license as the WP to Twitter package.
3
+ msgid ""
4
+ msgstr ""
5
+ "PO-Revision-Date: 2013-01-01 21:51:50+0000\n"
6
+ "MIME-Version: 1.0\n"
7
+ "Content-Type: text/plain; charset=UTF-8\n"
8
+ "Content-Transfer-Encoding: 8bit\n"
9
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
10
+ "X-Generator: GlotPress/0.1\n"
11
+ "Project-Id-Version: WP to Twitter\n"
12
+
13
+ #: functions.php:330
14
+ msgid "Thank you for supporting the continuing development of this plug-in! I'll get back to you as soon as I can. Please ensure that you can receive email at <code>%s</code>."
15
+ msgstr "Gràcies pel vostre ajut per continuar desenvolupant aquest plug-in! Ens posarem en contacte amb vostè tan aviat com sigui possible, Sisplau, asseguri's que pot rebre emails a <code>%s</code>."
16
+
17
+ #: functions.php:332
18
+ msgid "Thanks for using WP to Twitter. Please ensure that you can receive email at <code>%s</code>."
19
+ msgstr "Gràcies per utilitzar WP to Twitter. Sisplau, asseguri's que pot rebre emails a <code>%s</code>."
20
+
21
+ #: functions.php:356
22
+ msgid "Reply to:"
23
+ msgstr "Respondre a:"
24
+
25
+ #: wp-to-twitter-manager.php:838
26
+ msgid "The lowest user group that can add their Twitter information"
27
+ msgstr "El grup d'usuaris més baix que pot afegir la seva informació de Twitter"
28
+
29
+ #: wp-to-twitter-manager.php:843
30
+ msgid "The lowest user group that can see the Custom Tweet options when posting"
31
+ msgstr "El grup d'usuaris més baix que pot veure les opcions de tuit personalitzat quan publica"
32
+
33
+ #: wp-to-twitter-manager.php:848
34
+ msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
35
+ msgstr "El grup d'usuaris més baix que pot activar/desactivar l'opció \"Tuiteja / No Tuitejis\""
36
+
37
+ #: wp-to-twitter-manager.php:853
38
+ msgid "The lowest user group that can send Twitter updates"
39
+ msgstr "El grup d'usuaris més baix que pot enviar actualitzacions de Twitter"
40
+
41
+ #: wp-to-twitter-manager.php:981
42
+ msgid "<code>#author#</code>: the post author (@reference if available, otherwise display name)"
43
+ msgstr "<code>#author#</code>: l'autor de la publicació (@referència si és possible, d'altra banda mostra el nom)"
44
+
45
+ #: wp-to-twitter-manager.php:982
46
+ msgid "<code>#displayname#</code>: post author's display name"
47
+ msgstr "<code>#displayname#</code>: nom que es mostrarà com a autor de la publicació"
48
+
49
+ #: wp-to-twitter.php:73
50
+ msgid "WP to Twitter requires WordPress 3.0.6 or a more recent version <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update WordPress to continue using WP to Twitter with all features!</a>"
51
+ msgstr "WP to Twitter requereix WordPress 3.0.6 o una versió més recent <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Sisplau actualitzeu WordPress per continuar utilitzant WP to Twitter amb totes les seves característiques!"
52
+
53
+ #: wp-to-twitter.php:285
54
+ msgid "This tweet was blank and could not be sent to Twitter."
55
+ msgstr "Aquest tuit està en blanc i no pot ser enviat a Twitter."
56
+
57
+ #: wp-to-twitter.php:336
58
+ msgid "404 Not Found: The URI requested is invalid or the resource requested does not exist."
59
+ msgstr "404 No trobat: La direcció demanada és invàlida o el recurs que heu demanat no existeix."
60
+
61
+ #: wp-to-twitter.php:340
62
+ msgid "406 Not Acceptable: Invalid Format Specified."
63
+ msgstr "406 No acceptable: El format especificat és invàlid."
64
+
65
+ #: wp-to-twitter.php:344
66
+ msgid "429 Too Many Requests: You have exceeded your rate limits."
67
+ msgstr "429 Massa peticions: Heu excedit el vostre límit de quota."
68
+
69
+ #: wp-to-twitter.php:360
70
+ msgid "504 Gateway Timeout: The Twitter servers are up, but the request couldn't be serviced due to some failure within our stack. Try again later."
71
+ msgstr "504 Temps vençut d'entrada: Els servidors de Twitter estan funcionant, però la petició no pot ser servida per algun problema a la vostra pila. Torneu-ho a provar més tard."
72
+
73
+ #: wp-to-twitter.php:1385
74
+ msgid "Your prepended Tweet text; not part of your template."
75
+ msgstr "El text del seu tuit avantposat; no part de la seva plantilla"
76
+
77
+ #: wp-to-twitter.php:1388
78
+ msgid "Your appended Tweet text; not part of your template."
79
+ msgstr "El seu text del seu tuit afegit; no part de la seva plantilla."
80
+
81
+ #: wp-to-twitter.php:1442
82
+ msgid "Tweets are no more than 140 characters; Twitter counts URLs as 20 characters. Template tags: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, or <code>#blog#</code>."
83
+ msgstr "Els tuits no poden superar 140 caràcters; Twitter compta les direccions com 20 caràcters. Etiquetes de plantilla: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, o bé <code>#blog#</code>."
84
+
85
+ #: wp-to-twitter.php:1454
86
+ msgid "Your role does not have the ability to Post Tweets from this site."
87
+ msgstr "El seu perfil no te la possibilitat de postejar tuits des d'aquest lloc."
88
+
89
+ #: wp-to-twitter.php:1578
90
+ msgid "Hide account name in Tweets"
91
+ msgstr "Ocultar el nom de la compta als tuits"
92
+
93
+ #: wp-to-twitter.php:1579
94
+ msgid "Do not display my account in the #account# template tag."
95
+ msgstr "No mostris el meu compte a l'etiqueta #account# de plantilla."
96
+
97
+ #: functions.php:359
98
+ msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
99
+ msgstr "He llegit <a href=\"%1$s\">les FAQ per aquest plug-in</a> <span>(requerit)</span>"
100
+
101
+ #: functions.php:362
102
+ msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
103
+ msgstr "He fet <a href=\"%1$s\">una donació per donar suport a aquest plug-in</a>"
104
+
105
+ #: functions.php:365
106
+ msgid "Support Request:"
107
+ msgstr "Petició de suport:"
108
+
109
+ #: wp-to-twitter-manager.php:574
110
+ msgid "Settings for type \"%1$s\""
111
+ msgstr "Ajusts pel tipus \"%1$s\""
112
+
113
+ #: wp-to-twitter-manager.php:577
114
+ msgid "Update when %1$s %2$s is published"
115
+ msgstr "Actualitza quan %1$s %2$s és publicat"
116
+
117
+ #: wp-to-twitter-manager.php:577
118
+ msgid "Text for new %1$s updates"
119
+ msgstr "Text per a noves actualitzacions de %1$s"
120
+
121
+ #: wp-to-twitter-manager.php:581
122
+ msgid "Update when %1$s %2$s is edited"
123
+ msgstr "Actualitza quan %1$s %2$s s'edita"
124
+
125
+ #: wp-to-twitter-manager.php:581
126
+ msgid "Text for %1$s editing updates"
127
+ msgstr "Text per quan s'editen actualitzacions de %1$s"
128
+
129
+ #: wp-to-twitter-oauth.php:192
130
+ msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
131
+ msgstr "La zona horària del seu servidor (ha de ser UTC, GMT, Europa/Londres o equivalent):"
132
+
133
+ #: wp-to-twitter-manager.php:555
134
+ msgid "Use Twitter Friendly Links."
135
+ msgstr "Utilitza enllaços amigables amb Twitter."
136
+
137
+ #: wp-to-twitter-manager.php:653
138
+ msgid "View your Bit.ly username and API key"
139
+ msgstr "Vegi el seu nom d'usuari de Bit.ly i la seva clau API"
140
+
141
+ #: wp-to-twitter-manager.php:697
142
+ msgid "Your shortener does not require any account settings."
143
+ msgstr "El seu escurçador no requereix de cap ajust de compte."
144
+
145
+ #: wp-to-twitter.php:314
146
+ msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
147
+ msgstr "La seva aplicació de Twitter no té permisos de lectura i escriptura. Vagi a <a href=\"%s\">les seves aplicacions de Twitter</a> per modificar aquests paràmetres."
148
+
149
+ #: wp-to-twitter.php:1358
150
+ msgid "Failed Tweets"
151
+ msgstr "Tuits que han fallat."
152
+
153
+ #: wp-to-twitter.php:1373
154
+ msgid "No failed tweets on this post."
155
+ msgstr "No hi ha tuits que han fallat a aquest post."
156
+
157
+ #: wp-to-twitter-manager.php:956
158
+ msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
159
+ msgstr "Millori a <strong>WP Tweets PRO</strong> per a més opcions!"
160
+
161
+ #: wp-to-twitter-manager.php:986
162
+ msgid "<code>#reference#</code>: Used only in co-tweeting. @reference to main account when posted to author account, @reference to author account in post to main account."
163
+ msgstr "<code>#reference#</code>: Utilitzat nomes co-tuitejant. @referència a la compta principal quan es posteja des de la compta de l'autor, @referència a la compta d'usuari a post a compta principal."
164
+
165
+ #: wp-to-twitter-oauth.php:167
166
+ msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>.<br />"
167
+ msgstr "Problemes de connexió? Prova <a href='#wpt_http'>canviar a <code>http</code> queries</a>.<br />"
168
+
169
+ #: wp-to-twitter-oauth.php:261
170
+ msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
171
+ msgstr "WP to Twitter no pot posar-se en contàcte amb el servidor remot de Twitter. Aquest és l'error que s'ha retornat:"
172
+
173
+ #: wp-to-twitter.php:270
174
+ msgid "This account is not authorized to post to Twitter."
175
+ msgstr "Aquesta compta no està autoritzada per postejar a Twitter."
176
+
177
+ #: wp-to-twitter.php:279
178
+ msgid "This tweet is identical to another Tweet recently sent to this account."
179
+ msgstr "Aquest tuit és idèntic a un altre tuit recentment enviat a aquesta compta."
180
+
181
+ #: wp-to-twitter.php:1377
182
+ msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
183
+ msgstr "WP to Twitter pot fer més per vostè! Doni un cop d'ull a WP Tweets Pro!"
184
+
185
+ #: wp-to-twitter-manager.php:595
186
+ msgid "In addition to the above short tags, comment templates can use <code>#commenter#</code> to post the commenter's provided name in the Tweet. <em>Use this feature at your own risk</em>, as it will let anybody who can post a comment on your site post a phrase in your Twitter stream."
187
+ msgstr "Addicionalment a les etiquetes curtes de sobre, les plantilles de comentaris poden utilitzar <code>#commenter#</code> per postejar el nom del comentarista provist al Tuit. <em>Utilitzi aquesta característica al seu propi risc</em>, ja que això permetrà a qualsevol que pugui postejar un comentari al seu lloc publicar una frase al seu Twitter"
188
+
189
+ #: wp-to-twitter-manager.php:621
190
+ msgid "(optional)"
191
+ msgstr "(opcional)"
192
+
193
+ #: wp-to-twitter-manager.php:774
194
+ msgid "Do not post Tweets by default (editing only)"
195
+ msgstr "No postejar tuits per defecte (nomès edició)"
196
+
197
+ #: wp-to-twitter-manager.php:979
198
+ msgid "<code>#modified#</code>: the post modified date"
199
+ msgstr "<code>#modified#</code>: La data modificada del post."
200
+
201
+ #: wp-to-twitter-oauth.php:259
202
+ msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
203
+ msgstr "Les seves empremtes temporals son anteriors a fà 5 minuts. El seu servidor pot perdre la seva connexió amb Twitter."
204
+
205
+ #: wp-to-twitter-manager.php:818
206
+ msgid "Individual Authors"
207
+ msgstr "Autors individuals."
208
+
209
+ #: wp-to-twitter-manager.php:821
210
+ msgid "Authors have individual Twitter accounts"
211
+ msgstr "Autors tenen comptes de Twitter individuals"
212
+
213
+ #: wp-to-twitter-manager.php:821
214
+ msgid "Authors can add their username in their user profile. This feature can only add an @reference to the author. The @reference is placed using the <code>#account#</code> shortcode, which will pick up the main account if user accounts are not enabled."
215
+ msgstr "Autors poden afegir el seu nom d'usuari al seu perfil d'usuari. Aquesta característica pot afegir nomès una @referència al autor. La @referència està posada utilitzant l'abreviatura <code>#account#</code>, la qual agafarà la compta principal si els comptes d'usuari no estan habilitats. "
216
+
217
+ #: wp-to-twitter-manager.php:859
218
+ msgid "Disable Error Messages"
219
+ msgstr "Deshabilita els missatges d'error"
220
+
221
+ #: wp-to-twitter-manager.php:861
222
+ msgid "Disable global URL shortener error messages."
223
+ msgstr "Deshabilitar els escurçadors de missatges d'errors d'URLs globals."
224
+
225
+ #: wp-to-twitter-manager.php:862
226
+ msgid "Disable global Twitter API error messages."
227
+ msgstr "Deshabilitar els errors globals de la API de Twitter"
228
+
229
+ #: wp-to-twitter-manager.php:863
230
+ msgid "Disable notification to implement OAuth"
231
+ msgstr "Deshabilitar la notificació per implementar OAuth"
232
+
233
+ #: wp-to-twitter-manager.php:865
234
+ msgid "Get Debugging Data for OAuth Connection"
235
+ msgstr "Aconseguir informació de depuració per la connexió OAuth"
236
+
237
+ #: wp-to-twitter-manager.php:867
238
+ msgid "Switch to <code>http</code> connection. (Default is https)"
239
+ msgstr "Canvi a connexió <code>http</code>. (Per defecte és https)"
240
+
241
+ #: wp-to-twitter-manager.php:869
242
+ msgid "I made a donation, so stop whinging at me, please."
243
+ msgstr "He fet una donació, així que prou de queixes, siusplau."
244
+
245
+ #: wp-to-twitter-manager.php:883
246
+ msgid "Limit Updating Categories"
247
+ msgstr "Límit actualitzant categories"
248
+
249
+ #: wp-to-twitter-manager.php:886
250
+ msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
251
+ msgstr "Si no hi ha categories seleccionades, el limit per categoria serà ignorat, i totes les categories seran Twittejades"
252
+
253
+ #: wp-to-twitter-manager.php:887
254
+ msgid "<em>Category limits are disabled.</em>"
255
+ msgstr "<em>Els límits per categories estan deshabilitats.</em>"
256
+
257
+ #: wp-to-twitter-manager.php:896
258
+ msgid "Get Plug-in Support"
259
+ msgstr "Aconseguir suport per al Plug-in"
260
+
261
+ #: wp-to-twitter-manager.php:907
262
+ msgid "Check Support"
263
+ msgstr "Comprovar suport"
264
+
265
+ #: wp-to-twitter-manager.php:907
266
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
267
+ msgstr "Comprova si el teu servidor suporta <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> peticions cap al Twitter i APIs d'escurçadors d'URLs. Aquest test enviarà una actualització d'estat a Twitter i una URL escurçada utilitzant els mètodes seleccionats."
268
+
269
+ #: wp-to-twitter-manager.php:925
270
+ msgid "Support WP to Twitter"
271
+ msgstr "Dona suport a WP to Twitter"
272
+
273
+ #: wp-to-twitter-manager.php:927
274
+ msgid "WP to Twitter Support"
275
+ msgstr "WP to Twitter suport"
276
+
277
+ #: wp-to-twitter-manager.php:931
278
+ msgid "View Settings"
279
+ msgstr "Veure ajusts"
280
+
281
+ #: wp-to-twitter-manager.php:933 wp-to-twitter.php:1447 wp-to-twitter.php:1449
282
+ msgid "Get Support"
283
+ msgstr "Aconseguir suport"
284
+
285
+ #: wp-to-twitter-manager.php:937
286
+ msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a> Every donation counts - donate $2, $10, or $100 and help me keep this plug-in running!"
287
+ msgstr "<a href=\"http://www.joedolson.com/donate.php\">Fes una donació avui!</a> Cada donació compta - pots donar $2, $10 o $100 i ajudar-me a mantenir aquest plug-in funcionant!"
288
+
289
+ #: wp-to-twitter-manager.php:954
290
+ msgid "Upgrade Now!"
291
+ msgstr "Millora ara!"
292
+
293
+ #: wp-to-twitter-manager.php:957
294
+ msgid "Extra features with the PRO upgrade:"
295
+ msgstr "Característiques extres amb la millora a PRO:"
296
+
297
+ #: wp-to-twitter-manager.php:959
298
+ msgid "Users can post to their own Twitter accounts"
299
+ msgstr "Els usuaris poden postejar als seus propis comptes de Twitter"
300
+
301
+ #: wp-to-twitter-manager.php:960
302
+ msgid "Set a timer to send your Tweet minutes or hours after you publish the post"
303
+ msgstr "Posi un temps per enviar els Tweets minuts o hores desprès d'haver publicat el post"
304
+
305
+ #: wp-to-twitter-manager.php:961
306
+ msgid "Automatically re-send Tweets at an assigned time after publishing"
307
+ msgstr "Re-enviament de Tweets automàticament a un temps assignat desprès de la publicació"
308
+
309
+ #: wp-to-twitter-manager.php:970
310
+ msgid "Shortcodes"
311
+ msgstr "Codis escurçats"
312
+
313
+ #: wp-to-twitter-manager.php:972
314
+ msgid "Available in post update templates:"
315
+ msgstr "Disponible a plantilles d'actualització de posts."
316
+
317
+ #: wp-to-twitter-manager.php:974
318
+ msgid "<code>#title#</code>: the title of your blog post"
319
+ msgstr "<code>#title#</code>: el títol del teu post al blog"
320
+
321
+ #: wp-to-twitter-manager.php:975
322
+ msgid "<code>#blog#</code>: the title of your blog"
323
+ msgstr "<code>#blog#</code>: el títol del teu blog"
324
+
325
+ #: wp-to-twitter-manager.php:976
326
+ msgid "<code>#post#</code>: a short excerpt of the post content"
327
+ msgstr "<code>#post#</code>: un petit extracte del contingut del post"
328
+
329
+ #: wp-to-twitter-manager.php:977
330
+ msgid "<code>#category#</code>: the first selected category for the post"
331
+ msgstr "<code>#category#</code>: la primera categoria seleccionada per al post"
332
+
333
+ #: wp-to-twitter-manager.php:978
334
+ msgid "<code>#date#</code>: the post date"
335
+ msgstr "<code>#date#</code>: la data del post"
336
+
337
+ #: wp-to-twitter-manager.php:980
338
+ msgid "<code>#url#</code>: the post URL"
339
+ msgstr "<code>#url#</code>: la direcció URL del post"
340
+
341
+ #: wp-to-twitter-manager.php:983
342
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
343
+ msgstr "<code>#account#</code>: la @referència de Twitter per la compta (o l'autor, si els ajustos d'autor estàn habilitats i configurats)."
344
+
345
+ #: wp-to-twitter-manager.php:984
346
+ msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
347
+ msgstr "<code>#tags#</code>: les teves etiquetes modificades en hashtags. Vegi les opcions a la secció d'Ajustos Avançats, més endevant."
348
+
349
+ #: wp-to-twitter-manager.php:989
350
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
351
+ msgstr "També pot crear codis escurçats personalitzats per accedir a camps personalitzats de WordPress. Utilitzi corxets dobles al voltan del nom del seu camp personalitzat per afegir el valor d'aquest camp a la seva actualització d'estat. Exemple: <code>[[camp_personalitzat]]</code></p>"
352
+
353
+ #: wp-to-twitter-oauth.php:98
354
+ msgid "WP to Twitter was unable to establish a connection to Twitter."
355
+ msgstr "WP to Twitter no ha pogut establir una connexió a Twitter."
356
+
357
+ #: wp-to-twitter-oauth.php:168
358
+ msgid "There was an error querying Twitter's servers"
359
+ msgstr "Hi ha hagut un error intercanviant informació amb els servidors de Twitter."
360
+
361
+ #: wp-to-twitter-oauth.php:184 wp-to-twitter-oauth.php:186
362
+ msgid "Connect to Twitter"
363
+ msgstr "Connectar a Twitter"
364
+
365
+ #: wp-to-twitter-oauth.php:189
366
+ msgid "WP to Twitter Set-up"
367
+ msgstr "WP to Twitter preparació"
368
+
369
+ #: wp-to-twitter-oauth.php:190 wp-to-twitter-oauth.php:283
370
+ msgid "Your server time:"
371
+ msgstr "L'hora del seu servidor:"
372
+
373
+ #: wp-to-twitter-oauth.php:190
374
+ msgid "Twitter's time:"
375
+ msgstr "L'hora de Twitter:"
376
+
377
+ #: wp-to-twitter-oauth.php:190
378
+ msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
379
+ msgstr "Si aquestes empremtes de temps no estan a menys de 5 minuts una de l'altre, el seu servidor no es connectarà a Twitter."
380
+
381
+ #: wp-to-twitter-oauth.php:194
382
+ msgid "<em>Note</em>: you will not add your Twitter user information to WP to Twitter; it is not used in this authentication method."
383
+ msgstr "<em>Nota</em>: No afegirà la seva informació d'usuari de Twitter a WP to Twitter; no s'utilitza en aquest mètode d'autentificació."
384
+
385
+ #: wp-to-twitter-oauth.php:198
386
+ msgid "1. Register this site as an application on "
387
+ msgstr "1. Registrar aquest lloc com una aplicació a"
388
+
389
+ #: wp-to-twitter-oauth.php:198
390
+ msgid "Twitter's application registration page"
391
+ msgstr "Pàgina de registre de l'aplicació de Twitter"
392
+
393
+ #: wp-to-twitter-oauth.php:200
394
+ msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
395
+ msgstr "Si no està autentificat a Twitter actualment, accedeixi a la compta que vol associar a aquest lloc"
396
+
397
+ #: wp-to-twitter-oauth.php:201
398
+ msgid "Your Application's Name will show up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\""
399
+ msgstr "El nom de la seva aplicació es mostrarà darrera la paraula \"via\" al seu stream de Twitter. El nom de la seva aplicació no pot incloure la paraula \"Twitter\"."
400
+
401
+ #: wp-to-twitter-oauth.php:202
402
+ msgid "Your Application Description can be anything."
403
+ msgstr "La descripció de la seva aplicació pot ser qualsevol cosa."
404
+
405
+ #: wp-to-twitter-oauth.php:203
406
+ msgid "The WebSite and Callback URL should be "
407
+ msgstr "Els camps WebSite i Callback URL han de ser"
408
+
409
+ #: wp-to-twitter-oauth.php:205
410
+ msgid "Agree to the Developer Rules of the Road and continue."
411
+ msgstr "Estic d'acord amb les Regles del Desenvolupador a la Carretera i vull continuar."
412
+
413
+ #: wp-to-twitter-oauth.php:206
414
+ msgid "2. Switch to the \"Settings\" tab in Twitter apps"
415
+ msgstr "2. Canvíi a la pestanya de \"Ajustos\" a dins de Twitter apps."
416
+
417
+ #: wp-to-twitter-oauth.php:208
418
+ msgid "Select \"Read and Write\" for the Application Type"
419
+ msgstr "Seleccioni \"Lectura i escriptura\" per al tipus d'Aplicació"
420
+
421
+ #: wp-to-twitter-oauth.php:209
422
+ msgid "Update the application settings"
423
+ msgstr "Actualitzi els ajustos de l'aplicació"
424
+
425
+ #: wp-to-twitter-oauth.php:210
426
+ msgid "Return to the Details tab and create your access token. Refresh page to view your access tokens."
427
+ msgstr "Torni a la pestanya de Detalls i crei la seva mostra d'accés. Refresqui la pàgina per veure les seves mostres d'accés."
428
+
429
+ #: wp-to-twitter-oauth.php:212
430
+ msgid "Once you have registered your site as an application, you will be provided with four keys."
431
+ msgstr "Un cop hagi registrat el seu lloc web com a aplicació, serà provist amb quatre claus."
432
+
433
+ #: wp-to-twitter-oauth.php:213
434
+ msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
435
+ msgstr "3. Copíi i enganxi les seves claus de consumidor i la clau secreta als camps següents"
436
+
437
+ #: wp-to-twitter-oauth.php:216
438
+ msgid "Twitter Consumer Key"
439
+ msgstr "Clau de Consumidor de Twitter"
440
+
441
+ #: wp-to-twitter-oauth.php:220
442
+ msgid "Twitter Consumer Secret"
443
+ msgstr "Clau secreta de consumidor de Twitter"
444
+
445
+ #: wp-to-twitter-oauth.php:224
446
+ msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
447
+ msgstr "4. Copíi i enganxi la seva Mostra d'accés i la seva mostra d'accés Secreta als camps següents"
448
+
449
+ #: wp-to-twitter-oauth.php:225
450
+ msgid "If the Access level for your Access Token is not \"<em>Read and write</em>\", you must return to step 2 and generate a new Access Token."
451
+ msgstr "Si el seu nivell d'accés per a la seva Mostra d'Accés no és \"<em>Lectura i escriptura</em>\", haurà de tornar al pas 2 i generar una nova Mostra d'Accés."
452
+
453
+ #: wp-to-twitter-oauth.php:228
454
+ msgid "Access Token"
455
+ msgstr "Mostra d'accés"
456
+
457
+ #: wp-to-twitter-oauth.php:232
458
+ msgid "Access Token Secret"
459
+ msgstr "Mostra d'accés secreta"
460
+
461
+ #: wp-to-twitter-oauth.php:251
462
+ msgid "Disconnect Your WordPress and Twitter Account"
463
+ msgstr "Desconnecti la seva compta de Wordpress i la de Twitter"
464
+
465
+ #: wp-to-twitter-oauth.php:255
466
+ msgid "Disconnect your WordPress and Twitter Account"
467
+ msgstr "Desconnecti la seva compta de Wordpress i la de Twitter"
468
+
469
+ #: wp-to-twitter-oauth.php:257
470
+ msgid "<strong>Troubleshooting tip:</strong> Connected, but getting a notice that your Authentication credentials are missing or incorrect? Check whether your Access token has read and write permission. If not, you'll need to create a new token."
471
+ msgstr "<strong>Consell per solucionar errors:</strong> Connectat, però rebent un avís sobre que les seves credencials s'han perdut o son incorrectes? Comprovi que la seva Mostra d'Accès tingui permissos d'escriptura i de lectura. Si no en té, necessitarà crear una nova mostra."
472
+
473
+ #: wp-to-twitter-oauth.php:265
474
+ msgid "Disconnect from Twitter"
475
+ msgstr "Desconnecta el Twitter"
476
+
477
+ #: wp-to-twitter-oauth.php:271
478
+ msgid "Twitter Username "
479
+ msgstr "Nom d'usuari de Twitter"
480
+
481
+ #: wp-to-twitter-oauth.php:272
482
+ msgid "Consumer Key "
483
+ msgstr "Clau de Consumidor"
484
+
485
+ #: wp-to-twitter-oauth.php:273
486
+ msgid "Consumer Secret "
487
+ msgstr "Secret de Consumidor"
488
+
489
+ #: wp-to-twitter-oauth.php:274
490
+ msgid "Access Token "
491
+ msgstr "Mostra d'accés"
492
+
493
+ #: wp-to-twitter-oauth.php:275
494
+ msgid "Access Token Secret "
495
+ msgstr "Mostra d'accés secreta"
496
+
497
+ #: wp-to-twitter-oauth.php:283
498
+ msgid "Twitter's current server time: "
499
+ msgstr "Temps actual de servidor de Twitter:"
500
+
501
+ #: wp-to-twitter.php:55
502
+ msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
503
+ msgstr "WP to Twitter requereix una versió de PHP 5 o superior. Sisusplau actualitzi PHP per fer funcionar WP to Twitter."
504
+
505
+ #: wp-to-twitter.php:91
506
+ msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
507
+ msgstr "Twitter requereix autentificació per OAuth. Necessitarà <a href='%s'>actualitzar els seus ajustos</a> per completar l'instalació de WP to Twitter"
508
+
509
+ #: wp-to-twitter.php:318
510
+ msgid "200 OK: Success!"
511
+ msgstr "200 OK: Èxit!"
512
+
513
+ #: wp-to-twitter.php:323
514
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
515
+ msgstr "400 Petició dolenta. La petició era invàlida. Aquest és el codi d'estat retornat durant la limitació de transferència."
516
+
517
+ #: wp-to-twitter.php:327
518
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
519
+ msgstr "401 Desautoritzat: Les credencials d'autentificació eren incorrectes o s'han perdut."
520
+
521
+ #: wp-to-twitter.php:332
522
+ msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons can include: Too many Tweets created in a short time or the same Tweet was submitted twice in a row, among others. This is not an error by WP to Twitter."
523
+ msgstr "403 Prohibit: La petició s'ha entès, però ha estat refusada. Aquest codi s'utilitza quan les peticions s'entenen, però son denegades per Twitter. Les raons poden incloure: Masses Tweets creats durant un curt periode de temps o el mateix Tweet s'ha enviat dos cops en una fila, entre d'altres. Aquest no és un error de WP to Twitter."
524
+
525
+ #: wp-to-twitter.php:348
526
+ msgid "500 Internal Server Error: Something is broken at Twitter."
527
+ msgstr "500 Error intern del sevidor: Quelcom s'ha trencat a Twitter."
528
+
529
+ #: wp-to-twitter.php:356
530
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
531
+ msgstr "503 Servei no disponible. Els servidors de Twitter estan funcionant, però sobrecarregats amb peticions - siusplau, torneu-ho a provar més tard."
532
+
533
+ #: wp-to-twitter.php:352
534
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
535
+ msgstr "502 Porta d'acces incorrecta: Twitter està caigut o està sent millorat."
536
+
537
+ #: wp-to-twitter.php:390
538
+ msgid "No Twitter OAuth connection found."
539
+ msgstr "No s'ha trobat la connexió OAuth amb Twitter"
540
+
541
+ #: wp-to-twitter.php:1302
542
+ msgid "WP Tweets"
543
+ msgstr "Tweets WP"
544
+
545
+ #: wp-to-twitter.php:1344
546
+ msgid "Previous Tweets"
547
+ msgstr "Tweets anteriors"
548
+
549
+ #: wp-to-twitter.php:1380
550
+ msgid "Custom Twitter Post"
551
+ msgstr "Post personalitzat de Twitter"
552
+
553
+ #: wp-to-twitter.php:1404
554
+ msgid "Your template:"
555
+ msgstr "La seva plantilla:"
556
+
557
+ #: wp-to-twitter.php:1409
558
+ msgid "YOURLS Custom Keyword"
559
+ msgstr "La clau personalitzada YOURSL"
560
+
561
+ #: wp-to-twitter.php:1447
562
+ msgid "Upgrade to WP Tweets Pro"
563
+ msgstr "Millori a WP Tweets Pro"
564
+
565
+ #: wp-to-twitter.php:1421
566
+ msgid "Don't Tweet this post."
567
+ msgstr "No twittejis aquest post."
568
+
569
+ #: wp-to-twitter.php:1421
570
+ msgid "Tweet this post."
571
+ msgstr "Twitteja aquest post."
572
+
573
+ #: wp-to-twitter.php:1433
574
+ msgid "Access to customizing WP to Twitter values is not allowed for your user role."
575
+ msgstr "No està permès per al seu rol d'usuari l'accès per modificar els valors de WP to Twitter."
576
+
577
+ #: wp-to-twitter.php:1503
578
+ msgid "Characters left: "
579
+ msgstr "Caràcters restants:"
580
+
581
+ #: wp-to-twitter.php:1564
582
+ msgid "WP Tweets User Settings"
583
+ msgstr "Ajustos d'usuari Tweets WP"
584
+
585
+ #: wp-to-twitter.php:1568
586
+ msgid "Use My Twitter Username"
587
+ msgstr "Utilitza el meu nom d'usuari de Twitter"
588
+
589
+ #: wp-to-twitter.php:1569
590
+ msgid "Tweet my posts with an @ reference to my username."
591
+ msgstr "Twiteja els meus posts amb una @referència al meu nom d'usuari."
592
+
593
+ #: wp-to-twitter.php:1570
594
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
595
+ msgstr "Twiteja els meus posts amb una @referència tant al meu nom d'usuari com al nom d'usuari principal del lloc web."
596
+
597
+ #: wp-to-twitter.php:1574
598
+ msgid "Your Twitter Username"
599
+ msgstr "Els seu nom d'usuari de Twitter"
600
+
601
+ #: wp-to-twitter.php:1575
602
+ msgid "Enter your own Twitter username."
603
+ msgstr "Escrigui el seu propi nom d'usuari de Twitter"
604
+
605
+ #: wp-to-twitter.php:1628
606
+ msgid "Check off categories to tweet"
607
+ msgstr "Comprova les categories per twittejar"
608
+
609
+ #: wp-to-twitter.php:1632
610
+ msgid "Do not tweet posts in checked categories (Reverses default behavior)"
611
+ msgstr "No twittejis posts a les categories seleccionades (fa el contrari que el comportament per defecte)"
612
+
613
+ #: wp-to-twitter.php:1649
614
+ msgid "Limits are exclusive. If a post is in one category which should be posted and one category that should not, it will not be posted."
615
+ msgstr "Els límits son exclusius. Si un post és a una categoria on hauria de ser i a una categoria on no hi hauria de ser, no serà postejat."
616
+
617
+ #: wp-to-twitter.php:1652
618
+ msgid "Set Categories"
619
+ msgstr "Establir les categories"
620
+
621
+ #: wp-to-twitter.php:1675
622
+ msgid "Settings"
623
+ msgstr "Ajusts"
624
+
625
+ #: wp-to-twitter.php:1710
626
+ msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
627
+ msgstr "<br /><strong>Nota:</strong> Siusplau, reviseu el <a class=\"thickbox\" href=\"%1$s\">log de canvis</a> abans d'actualitzar."
628
+
629
+ msgid "WP to Twitter"
630
+ msgstr "WP to Twitter"
631
+
632
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
633
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
634
+
635
+ msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
636
+ msgstr "Posteja un Tweet quan actualitza el seu WordPress blog o posteja el seu blogroll, utilitzant el seu servei d'escurçament de direccións. Ric en característiques per personalitzar i promocionar els seus Tweets"
637
+
638
+ msgid "Joseph Dolson"
639
+ msgstr "Joseph Dolson"
640
+
641
+ msgid "http://www.joedolson.com/"
642
+ msgstr "http://www.joedolson.com/"
643
+
644
+ #: functions.php:324
645
+ msgid "Please read the FAQ and other Help documents before making a support request."
646
+ msgstr "Sisplau, llegeixi els FAQ i altres documents d'ajuda abans de fer una petició de suport."
647
+
648
+ #: functions.php:201
649
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
650
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] Si esteu experimentant problemes, sisplau, copieu aquests ajusts a qualsevol petició de suport."
651
+
652
+ #: functions.php:346
653
+ msgid "Please include your license key in your support request."
654
+ msgstr "Sisplau, inclogui la seva clau de llicència dins la seva petició de suport."
655
+
656
+ #: functions.php:326
657
+ msgid "Please describe your problem. I'm not psychic."
658
+ msgstr "Sisplau, descrigui el seu problema. No soc endeví."
659
+
660
+ #: functions.php:351
661
+ msgid "<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message."
662
+ msgstr "<strong>Pari atenció</strong>:Mantinc un registre d'aquells que han fet donacions, però si la vostra donació prové d'algun lloc diferent a la seva compta d'aquesta pàgina, feu el favor de mencionar-ho al vostre missatge."
663
+
664
+ #: functions.php:368
665
+ msgid "Send Support Request"
666
+ msgstr "Enviar petició de suport"
667
+
668
+ #: functions.php:371
669
+ msgid "The following additional information will be sent with your support request:"
670
+ msgstr "La següent informació adicional s'enviarà juntament amb la seva petició de suport:"
671
+
672
+ #: wp-to-twitter-manager.php:41
673
+ msgid "No error information is available for your shortener."
674
+ msgstr "No hi ha informació d'error disponible pel vostre escurçador."
675
+
676
+ #: wp-to-twitter-manager.php:43
677
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
678
+ msgstr "<li class=\"error\"><strong>WP to Twitter no ha pogut contactar amb el servei d'escurçament de direccions URL que heu seleccionat.</strong></li>"
679
+
680
+ #: wp-to-twitter-manager.php:46
681
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
682
+ msgstr "<li><strong>WP to Twitter ha contactat correctament amb el vostre servei d'escurçament de direccions seleccionat.</strong> El següent enllaç hauria d'apuntar a la pàgina principal del seu blog:"
683
+
684
+ #: wp-to-twitter-manager.php:54
685
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
686
+ msgstr "<li><strong>WP to Twitter ha enviat amb èxit un estatus d'actualització a Twitter.</strong></li>"
687
+
688
+ #: wp-to-twitter-manager.php:57
689
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
690
+ msgstr "<li class=\"error\"><strong>WP to Twitter ha fallat alhora d'enviar una actualització a Twitter.</strong></li>"
691
+
692
+ #: wp-to-twitter-manager.php:61
693
+ msgid "You have not connected WordPress to Twitter."
694
+ msgstr "No heu connectat WordPress a Twitter"
695
+
696
+ #: wp-to-twitter-manager.php:65
697
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
698
+ msgstr "<li class=\"error\"><strong>Sembla que el vostre servidor no suporta els mètodes que es requereixen per que WP to Twitter funcioni.</strong> Podeu provar-ho de totes formes - aquestes comprovacions no son perfectes.</li>"
699
+
700
+ #: wp-to-twitter-manager.php:69
701
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
702
+ msgstr "<li><strong>El vostre servidor hauria de còrrer WP to Twitter correctament.</strong></li>"
703
+
704
+ #: wp-to-twitter-manager.php:87
705
+ msgid "WP to Twitter Errors Cleared"
706
+ msgstr "Errors de WP to Twitter netejats"
707
+
708
+ #: wp-to-twitter-manager.php:171
709
+ msgid "WP to Twitter is now connected with Twitter."
710
+ msgstr "WP to Twitter ja està connectat a Twitter."
711
+
712
+ #: wp-to-twitter-manager.php:178
713
+ msgid "WP to Twitter failed to connect with Twitter. Try enabling OAuth debugging."
714
+ msgstr "WP to Twitter ha fallat alhora de connectar-se a Twitter. Proveu d'activar l'informació de depuració d'OAuth"
715
+
716
+ #: wp-to-twitter-manager.php:185
717
+ msgid "OAuth Authentication Data Cleared."
718
+ msgstr "Dades d'autenticació OAuth netejades."
719
+
720
+ #: wp-to-twitter-manager.php:192
721
+ msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
722
+ msgstr "L'autenticació OAuth ha fallat. L'horari del vostre servidor no està sincronitzat amb els servidors de Twitter. Parleu amb el vostre servei d'allotjament per veure què es pot fer."
723
+
724
+ #: wp-to-twitter-manager.php:199
725
+ msgid "OAuth Authentication response not understood."
726
+ msgstr "Reposta d'autenticació OAuth no entesa."
727
+
728
+ #: wp-to-twitter-manager.php:361
729
+ msgid "WP to Twitter Advanced Options Updated"
730
+ msgstr "Opcions avançades de WP to Twitter actualitzades"
731
+
732
+ #: wp-to-twitter-manager.php:383
733
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
734
+ msgstr "Heu d'afegir el vostre nom d'usuari i la vostra clau d'API de Bit.ly per poguer escurçar direccions URL amb Bit.ly."
735
+
736
+ #: wp-to-twitter-manager.php:387
737
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
738
+ msgstr "Heu d'afegir el vostre nom d'usuari, password i direcció URL remota de YOURLS per poguer escurçar direccions URL amb una instal·lació remota de YOURLS"
739
+
740
+ #: wp-to-twitter-manager.php:391
741
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
742
+ msgstr "Heu d'afegir la direcció del vostre servidor YOURLS per poguer escurçar direccions URL amb una instal·lació remota de YOURLS."
743
+
744
+ #: wp-to-twitter-manager.php:394
745
+ msgid "WP to Twitter Options Updated"
746
+ msgstr "Opcions de WP to Twitter actualitzades"
747
+
748
+ #: wp-to-twitter-manager.php:403
749
+ msgid "Category limits updated."
750
+ msgstr "Límit per categories actualitzat."
751
+
752
+ #: wp-to-twitter-manager.php:407
753
+ msgid "Category limits unset."
754
+ msgstr "Límit per categories no establert."
755
+
756
+ #: wp-to-twitter-manager.php:414
757
+ msgid "YOURLS password updated. "
758
+ msgstr "Contrasenya de YOURLS actualitzada."
759
+
760
+ #: wp-to-twitter-manager.php:417
761
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
762
+ msgstr "Contrasenya de YOURLS esborrada. Ja no podreu utilitzar la vostra compta remota de YOURLS per crear direccions URL escurçades."
763
+
764
+ #: wp-to-twitter-manager.php:419
765
+ msgid "Failed to save your YOURLS password! "
766
+ msgstr "Error a l'hora de gravar la vostra contrasenya de YOURLS!"
767
+
768
+ #: wp-to-twitter-manager.php:423
769
+ msgid "YOURLS username added. "
770
+ msgstr "Nom d'usuari de YOURLS afegit."
771
+
772
+ #: wp-to-twitter-manager.php:427
773
+ msgid "YOURLS API url added. "
774
+ msgstr "YOURLS API url afegida."
775
+
776
+ #: wp-to-twitter-manager.php:430
777
+ msgid "YOURLS API url removed. "
778
+ msgstr "YOURLS API url esborrada."
779
+
780
+ #: wp-to-twitter-manager.php:435
781
+ msgid "YOURLS local server path added. "
782
+ msgstr "Direcció del servidor local de YOURLS afegida."
783
+
784
+ #: wp-to-twitter-manager.php:437
785
+ msgid "The path to your YOURLS installation is not correct. "
786
+ msgstr "La direcció cap a la vostra instal·lació de YOURLS no és correcta."
787
+
788
+ #: wp-to-twitter-manager.php:441
789
+ msgid "YOURLS local server path removed. "
790
+ msgstr "Direcció del servidor local de YOURLS esborrada."
791
+
792
+ #: wp-to-twitter-manager.php:446
793
+ msgid "YOURLS will use Post ID for short URL slug."
794
+ msgstr "YOURLS utilitzará Post ID per les erugues de les direccions URLs."
795
+
796
+ #: wp-to-twitter-manager.php:448
797
+ msgid "YOURLS will use your custom keyword for short URL slug."
798
+ msgstr "YOURLS utilitzarà la vostra paraula clau personalitzada per les erugues de les direccions URLs."
799
+
800
+ #: wp-to-twitter-manager.php:452
801
+ msgid "YOURLS will not use Post ID for the short URL slug."
802
+ msgstr "YOURLS no utilitzarà Post ID per les erugues de les direccions URLs."
803
+
804
+ #: wp-to-twitter-manager.php:460
805
+ msgid "Su.pr API Key and Username Updated"
806
+ msgstr "Clau de Su.pr API i nom d'usuari actualitzats"
807
+
808
+ #: wp-to-twitter-manager.php:464
809
+ msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
810
+ msgstr "Clau de Su.pr API i nom d'usuari esborrats. Les direccions URLs de Su.pr creades per WP to Twitter no continuaran associades amb el seu compte."
811
+
812
+ #: wp-to-twitter-manager.php:466
813
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
814
+ msgstr "Clau Su.pr API no afegida - <a href='http://su.pr/'>aconsegueixi una</a>! "
815
+
816
+ #: wp-to-twitter-manager.php:472
817
+ msgid "Bit.ly API Key Updated."
818
+ msgstr "Clau Bit.ly API actualitzada."
819
+
820
+ #: wp-to-twitter-manager.php:475
821
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
822
+ msgstr "Clau Bit.ly API esborrada. No pot utilitzar la API de Bit.ly sense una clau API."
823
+
824
+ #: wp-to-twitter-manager.php:477
825
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
826
+ msgstr "Clau Bit.ly API no afegida - <a href='http://bit.ly/account/'>aconsegueixi una</a>! Es requereix una clau API per utilitzar el servei d'escurçament de direccions URL de Bit.Ly."
827
+
828
+ #: wp-to-twitter-manager.php:481
829
+ msgid " Bit.ly User Login Updated."
830
+ msgstr "Accès d'usuari Bit.ly actualitzat."
831
+
832
+ #: wp-to-twitter-manager.php:484
833
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
834
+ msgstr "Accès d'usuari Bit.ly esborrat. No pot utilitzar la API Bit.ly sense introduir el seu nom d'usuari."
835
+
836
+ #: wp-to-twitter-manager.php:486
837
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
838
+ msgstr "Accès a Bit.ly no afegit - <a href='http://bit.ly/account/'>aconsegueixi un</a>! "
839
+
840
+ #: wp-to-twitter-manager.php:502
841
+ msgid "<p>One or more of your last posts has failed to send a status update to Twitter. The Tweet has been saved, and you can re-Tweet it at your leisure.</p>"
842
+ msgstr "<p>Un o més dels seus darrers posts ha fallat enviant un estatus d'actualització a Twitter. El tuit s'ha guardat, i ara podeu retuitejar-lo a la vostra conveniència</p>"
843
+
844
+ #: wp-to-twitter-manager.php:508
845
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
846
+ msgstr "Ho sentim! No s'ha pogut contactar amb els servidors de Twitter per postejar el seu <strong>nou enllaç</strong>! Haurà de publicar-lo de forma manual, em temo."
847
+
848
+ #: wp-to-twitter-manager.php:511
849
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues.</p>"
850
+ msgstr "<p>La petició a la API de l'escurçador de direccions URL ha fallat, i la direcció no s'ha escurçat. La direcció sencera s'ha adjuntat al vostre tuit. Comprovi amb el proveïdor de direccions escurçades si ha patit alguna incidència coneguda</p>"
851
+
852
+ #: wp-to-twitter-manager.php:517
853
+ msgid "Clear 'WP to Twitter' Error Messages"
854
+ msgstr "Neteja els missatges d'error de WP to Twitter"
855
+
856
+ #: wp-to-twitter-manager.php:524
857
+ msgid "WP to Twitter Options"
858
+ msgstr "Opcions de WP to Twitter"
859
+
860
+ #: wp-to-twitter-manager.php:537
861
+ msgid "Basic Settings"
862
+ msgstr "Ajusts bàsics"
863
+
864
+ #: wp-to-twitter-manager.php:543 wp-to-twitter-manager.php:609
865
+ msgid "Save WP->Twitter Options"
866
+ msgstr "Guarda les opcions WP->Twitter"
867
+
868
+ #: wp-to-twitter-manager.php:589
869
+ msgid "Settings for Comments"
870
+ msgstr "Ajusts per comentaris"
871
+
872
+ #: wp-to-twitter-manager.php:592
873
+ msgid "Update Twitter when new comments are posted"
874
+ msgstr "Actualitza Twitter quan es publiquin nous comentaris"
875
+
876
+ #: wp-to-twitter-manager.php:593
877
+ msgid "Text for new comments:"
878
+ msgstr "Texte pels nous comentaris:"
879
+
880
+ #: wp-to-twitter-manager.php:598
881
+ msgid "Settings for Links"
882
+ msgstr "Ajusts per enllaços"
883
+
884
+ #: wp-to-twitter-manager.php:601
885
+ msgid "Update Twitter when you post a Blogroll link"
886
+ msgstr "Actualitza Twitter quan publiquis un enllaç de Blogroll"
887
+
888
+ #: wp-to-twitter-manager.php:602
889
+ msgid "Text for new link updates:"
890
+ msgstr "Text per a actualitzacions d'enllaços:"
891
+
892
+ #: wp-to-twitter-manager.php:602
893
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
894
+ msgstr "Codis curts disponibles: <code>#url#</code>, <code>#title#</code>, i <code>#description#</code>."
895
+
896
+ #: wp-to-twitter-manager.php:545
897
+ msgid "Choose your short URL service (account settings below)"
898
+ msgstr "Escolliu el vostre servei d'escurçament de direccions URL (ajusts de la compta a continuació)"
899
+
900
+ #: wp-to-twitter-manager.php:548
901
+ msgid "Don't shorten URLs."
902
+ msgstr "No escurçis direccions URLs."
903
+
904
+ #: wp-to-twitter-manager.php:549
905
+ msgid "Use Su.pr for my URL shortener."
906
+ msgstr "Utilitza Su.pr com el meu escurçador de direccions URL."
907
+
908
+ #: wp-to-twitter-manager.php:550
909
+ msgid "Use Bit.ly for my URL shortener."
910
+ msgstr "Utilitza Bit.ly com el meu escurçador de direccions URL."
911
+
912
+ #: wp-to-twitter-manager.php:551
913
+ msgid "Use Goo.gl as a URL shortener."
914
+ msgstr "Utilitza Goo.gl com el meu escurçador de direccions URL."
915
+
916
+ #: wp-to-twitter-manager.php:552
917
+ msgid "YOURLS (installed on this server)"
918
+ msgstr "YOURLS (instal·lat a aquest servidor)"
919
+
920
+ #: wp-to-twitter-manager.php:553
921
+ msgid "YOURLS (installed on a remote server)"
922
+ msgstr "YOURLS (instal·lat a un servidor remot)"
923
+
924
+ #: wp-to-twitter-manager.php:554
925
+ msgid "Use WordPress as a URL shortener."
926
+ msgstr "Utilitza WordPress com a escurçador de direccions URL"
927
+
928
+ #: wp-to-twitter-manager.php:617
929
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
930
+ msgstr "<abbr title=\"Uniform Resource Locator\">URL</abbr> Ajusts de la compta d'escurçador de direccions"
931
+
932
+ #: wp-to-twitter-manager.php:621
933
+ msgid "Your Su.pr account details"
934
+ msgstr "Els detalls de la seva compta de Su.pr"
935
+
936
+ #: wp-to-twitter-manager.php:625
937
+ msgid "Your Su.pr Username:"
938
+ msgstr "El seu nom d'usuari de Su.pr:"
939
+
940
+ #: wp-to-twitter-manager.php:629
941
+ msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
942
+ msgstr "La seva clau <abbr title='application programming interface'>API</abbr> de Su.pr:"
943
+
944
+ #: wp-to-twitter-manager.php:636
945
+ msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
946
+ msgstr "No té una clau API de Su.pr? <a href='http://su.pr/'>Aconsegueixi una</a>!<br />Necessitarà una clau API per associar les direccions URLs que pugui crear amb la seva compta Su.pr."
947
+
948
+ #: wp-to-twitter-manager.php:642
949
+ msgid "Your Bit.ly account details"
950
+ msgstr "Els detalls de la seva compta Bit.ly"
951
+
952
+ #: wp-to-twitter-manager.php:646
953
+ msgid "Your Bit.ly username:"
954
+ msgstr "El seu nom d'usuari Bit.ly:"
955
+
956
+ #: wp-to-twitter-manager.php:648
957
+ msgid "This must be a standard Bit.ly account. Your Twitter or Facebook log-in will not work."
958
+ msgstr "Això ha de ser una compta estàndard Bit.ly. El seu accès a Twitter o Facebook no funcionarà."
959
+
960
+ #: wp-to-twitter-manager.php:650
961
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
962
+ msgstr "La seva clau <abbr title='application programming interface'>API</abbr> Bit.ly:"
963
+
964
+ #: wp-to-twitter-manager.php:658
965
+ msgid "Save Bit.ly API Key"
966
+ msgstr "Guardar la clau API Bit.ly"
967
+
968
+ #: wp-to-twitter-manager.php:658
969
+ msgid "Clear Bit.ly API Key"
970
+ msgstr "Netejar la clau API Bit.ly"
971
+
972
+ #: wp-to-twitter-manager.php:658
973
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
974
+ msgstr "Una clau api Bit.ly i un nom d'usuari es requereix per escurçar direccions URLs a travès de l'API Bit.ly i WP to Twitter."
975
+
976
+ #: wp-to-twitter-manager.php:664
977
+ msgid "Your YOURLS account details"
978
+ msgstr "Els detalls de la seva compta YOURLS"
979
+
980
+ #: wp-to-twitter-manager.php:668
981
+ msgid "Path to your YOURLS config file (Local installations)"
982
+ msgstr "Direcció de l'arxiu de configuració YOURLS (instal·lacions locals)"
983
+
984
+ #: wp-to-twitter-manager.php:669 wp-to-twitter-manager.php:673
985
+ msgid "Example:"
986
+ msgstr "Exemple:"
987
+
988
+ #: wp-to-twitter-manager.php:672
989
+ msgid "URI to the YOURLS API (Remote installations)"
990
+ msgstr "Direcció URI cap a l'API YOURLS (instal·lacions remotes)"
991
+
992
+ #: wp-to-twitter-manager.php:676
993
+ msgid "Your YOURLS username:"
994
+ msgstr "El vostre nom d'usuari YOURLS:"
995
+
996
+ #: wp-to-twitter-manager.php:680
997
+ msgid "Your YOURLS password:"
998
+ msgstr "La vostra contrasenya YOURLS:"
999
+
1000
+ #: wp-to-twitter-manager.php:680
1001
+ msgid "<em>Saved</em>"
1002
+ msgstr "<em>Guardat</em>"
1003
+
1004
+ #: wp-to-twitter-manager.php:684
1005
+ msgid "Post ID for YOURLS url slug."
1006
+ msgstr "Post ID per les erugues de direcció URL YOURLS"
1007
+
1008
+ #: wp-to-twitter-manager.php:685
1009
+ msgid "Custom keyword for YOURLS url slug."
1010
+ msgstr "Paraula clau personalitzada per les vostres erugues de direcció URL YOURLS."
1011
+
1012
+ #: wp-to-twitter-manager.php:686
1013
+ msgid "Default: sequential URL numbering."
1014
+ msgstr "Per defecte: numeració de direccions URL seqüencial."
1015
+
1016
+ #: wp-to-twitter-manager.php:692
1017
+ msgid "Save YOURLS Account Info"
1018
+ msgstr "Guardi l'informació de compta YOURLS"
1019
+
1020
+ #: wp-to-twitter-manager.php:692
1021
+ msgid "Clear YOURLS password"
1022
+ msgstr "Neteja la contrasenya YOURLS"
1023
+
1024
+ #: wp-to-twitter-manager.php:692
1025
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
1026
+ msgstr "Es requereix una contrasenya YOURLS i un nom d'usuari per escurçar direccions URLs via l'API YOURLS remota i WP to Twitter."
1027
+
1028
+ #: wp-to-twitter-manager.php:705
1029
+ msgid "Advanced Settings"
1030
+ msgstr "Ajusts avançats"
1031
+
1032
+ #: wp-to-twitter-manager.php:710 wp-to-twitter-manager.php:875
1033
+ msgid "Save Advanced WP->Twitter Options"
1034
+ msgstr "Guardar les opcions d'ajusts avançats WP->Twitter"
1035
+
1036
+ #: wp-to-twitter-manager.php:712
1037
+ msgid "Advanced Tweet settings"
1038
+ msgstr "Ajusts avançats per tuits"
1039
+
1040
+ #: wp-to-twitter-manager.php:714
1041
+ msgid "Strip nonalphanumeric characters from tags"
1042
+ msgstr "Talla caràcters no alfanumèrics d'etiquetes"
1043
+
1044
+ #: wp-to-twitter-manager.php:715
1045
+ msgid "Spaces in tags replaced with:"
1046
+ msgstr "Espais a etiquetes canviats amb:"
1047
+
1048
+ #: wp-to-twitter-manager.php:717
1049
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
1050
+ msgstr "El reemplaçament per defecte és un guió baix (<code>_</code>). Utilitzi <code>[ ]</code> per treure per complert tots els espais."
1051
+
1052
+ #: wp-to-twitter-manager.php:720
1053
+ msgid "Maximum number of tags to include:"
1054
+ msgstr "Nombre màxim d'etiquetes per incloure:"
1055
+
1056
+ #: wp-to-twitter-manager.php:721
1057
+ msgid "Maximum length in characters for included tags:"
1058
+ msgstr "Longitud màxima en caràcters per a les etiquetes incloses:"
1059
+
1060
+ #: wp-to-twitter-manager.php:722
1061
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
1062
+ msgstr "Aquestes opcions li permeten restringir la longitud i el nombre d'etiquetes de WordPress enviades a Twitter com a hashtags. Estableixi el valor <code>0</code> o deixi-ho en blanc per permetre totes i cadascuna de les etiquetes."
1063
+
1064
+ #: wp-to-twitter-manager.php:725
1065
+ msgid "Length of post excerpt (in characters):"
1066
+ msgstr "Longitud de l'extracte de la publicació (en caràcters):"
1067
+
1068
+ #: wp-to-twitter-manager.php:725
1069
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
1070
+ msgstr "Per defecte, extracte de la publicació mateixa. Si utilitza el camp \"Extracte\", aquest serà utilitzat en el seu lloc."
1071
+
1072
+ #: wp-to-twitter-manager.php:728
1073
+ msgid "WP to Twitter Date Formatting:"
1074
+ msgstr "Format de data de WP to Twitter:"
1075
+
1076
+ #: wp-to-twitter-manager.php:729
1077
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1078
+ msgstr "Per defecte s'utilitzen els seus ajustos generals. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Documentació sobre el format de la data</a>."
1079
+
1080
+ #: wp-to-twitter-manager.php:733
1081
+ msgid "Custom text before all Tweets:"
1082
+ msgstr "Text personalitzat abans de tots els tuits:"
1083
+
1084
+ #: wp-to-twitter-manager.php:734
1085
+ msgid "Custom text after all Tweets:"
1086
+ msgstr "Text personalitzat desprès de tots els tuits:"
1087
+
1088
+ #: wp-to-twitter-manager.php:737
1089
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1090
+ msgstr "Camp personalitzat per una direcció URL alternativa per a ser escurçada i tuitejada:"
1091
+
1092
+ #: wp-to-twitter-manager.php:738
1093
+ msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
1094
+ msgstr "Pot utilitzar un camp personalitzat per enviar una direcció URL alternativa per a la seva publicació. El valor és el nom del camp personalitzat que conté la seva direcció URL externa."
1095
+
1096
+ #: wp-to-twitter-manager.php:761
1097
+ msgid "Preferred status update truncation sequence"
1098
+ msgstr "Seqüència truncada d'actualització d'estat preferida."
1099
+
1100
+ #: wp-to-twitter-manager.php:764
1101
+ msgid "This is the order in which items will be abbreviated or removed from your status update if it is too long to send to Twitter."
1102
+ msgstr "Aquest és l'ordre en el qual els ítems seran abreviats o esborrats de la vostra actualització d'estat si aquesta és massa llarga per a ser enviada a Twitter"
1103
+
1104
+ #: wp-to-twitter-manager.php:769
1105
+ msgid "Special Cases when WordPress should send a Tweet"
1106
+ msgstr "Casos especials per als que WordPress ha d'enviar un tuit"
1107
+
1108
+ #: wp-to-twitter-manager.php:772
1109
+ msgid "Do not post Tweets by default"
1110
+ msgstr "No publiquis tuits per defecte"
1111
+
1112
+ #: wp-to-twitter-manager.php:775
1113
+ msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
1114
+ msgstr "Per defecte, totes les publicacions que compleixin altres requeriments seran publicades a Twitter. Comproveu això per canviar la vostra configuració."
1115
+
1116
+ #: wp-to-twitter-manager.php:779
1117
+ msgid "Allow status updates from Quick Edit"
1118
+ msgstr "Permet actualitzacions d'estat des de l'edició ràpida"
1119
+
1120
+ #: wp-to-twitter-manager.php:780
1121
+ msgid "If checked, all posts edited individually or in bulk through the Quick Edit feature will be Tweeted."
1122
+ msgstr "Si està seleccionat, totes les publicacions editades de forma individual o en massa a través de la característica Edició ràpida seran tuitejades."
1123
+
1124
+ #: wp-to-twitter-manager.php:785
1125
+ msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
1126
+ msgstr "Retrassar tuits amb WP Tweets PRO mou tuitejar cap a una acció de publicació independent."
1127
+
1128
+ #: wp-to-twitter-manager.php:792
1129
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1130
+ msgstr "Envia actualitzacions de Twitter quan s'esborri una publicació (publicació per email o client XMLRPC)"
1131
+
1132
+ #: wp-to-twitter-manager.php:797
1133
+ msgid "Google Analytics Settings"
1134
+ msgstr "Ajusts de Google Analytics"
1135
+
1136
+ #: wp-to-twitter-manager.php:798
1137
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
1138
+ msgstr "Podeu rastrejar la resposta de Twitter utilitzant Google Analytics si definiu un identificador de campanya aquí. Podeu definir tant un identificador estàtic com un de dinàmic. Els identificadors estàtics no canvien de publicació en publicació; els dinàmics deriven d'una informació rellevant de la publicació específica. Els identificadors dinàmics li permetran trencar les seves estadístiques amb una variable adicional."
1139
+
1140
+ #: wp-to-twitter-manager.php:802
1141
+ msgid "Use a Static Identifier with WP-to-Twitter"
1142
+ msgstr "Utilitza un identificador estàtic amb WP-to-Twitter"
1143
+
1144
+ #: wp-to-twitter-manager.php:803
1145
+ msgid "Static Campaign identifier for Google Analytics:"
1146
+ msgstr "Identificador de campanya estàtic per Google Analytics:"
1147
+
1148
+ #: wp-to-twitter-manager.php:807
1149
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1150
+ msgstr "Utilitza un identificador dinàmic amb Google Analytics i WP-to-Twitter"
1151
+
1152
+ #: wp-to-twitter-manager.php:808
1153
+ msgid "What dynamic identifier would you like to use?"
1154
+ msgstr "Quina mena d'identificador dinàmic voleu utilitzar?"
1155
+
1156
+ #: wp-to-twitter-manager.php:810
1157
+ msgid "Category"
1158
+ msgstr "Categoria"
1159
+
1160
+ #: wp-to-twitter-manager.php:811
1161
+ msgid "Post ID"
1162
+ msgstr "ID de la publicació"
1163
+
1164
+ #: wp-to-twitter-manager.php:812
1165
+ msgid "Post Title"
1166
+ msgstr "Títol de la publicació"
1167
+
1168
+ #: wp-to-twitter-manager.php:813
1169
+ msgid "Author"
1170
+ msgstr "Autor"
lang/wp-to-twitter-da_DK.mo ADDED
Binary file
lang/wp-to-twitter-da_DK.po ADDED
@@ -0,0 +1,1162 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Translation of WP to Twitter in Danish
2
+ # This file is distributed under the same license as the WP to Twitter package.
3
+ msgid ""
4
+ msgstr ""
5
+ "PO-Revision-Date: 2013-02-22 01:02:15+0000\n"
6
+ "MIME-Version: 1.0\n"
7
+ "Content-Type: text/plain; charset=UTF-8\n"
8
+ "Content-Transfer-Encoding: 8bit\n"
9
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
10
+ "X-Generator: GlotPress/0.1\n"
11
+ "Project-Id-Version: WP to Twitter\n"
12
+
13
+ #: wp-to-twitter-manager.php:716
14
+ msgid "Use tag slug as hashtag value"
15
+ msgstr "Benyt tag slug som hashtag værdi"
16
+
17
+ #: wp-to-twitter.php:1242
18
+ msgid "Tweets are no more than 140 characters; Twitter counts URLs as 20 or 21 characters. Template tags: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, or <code>#blog#</code>."
19
+ msgstr "Tweets er kun 140 tegn; Twitter regner URLs som 20 eller 21 tegn. Template tags: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, or <code>#blog#</code>."
20
+
21
+ #: wp-to-twitter-manager.php:176
22
+ msgid "WP to Twitter failed to connect with Twitter. Try <a href=\"#wpt_http\">switching to an HTTP connection</a>."
23
+ msgstr "WP to Twitter kunne ikke oprette forbindelse til Twitter. Prøv at <a href=\"#wpt_http\">skifte til en HTTP forbindelse</a>."
24
+
25
+ #: wp-to-twitter-manager.php:544
26
+ msgid "Choose a short URL service (account settings below)"
27
+ msgstr "Vælg en short URL service (kontoindstillinger herunder)"
28
+
29
+ #: wp-to-twitter-manager.php:550
30
+ msgid "YOURLS (on this server)"
31
+ msgstr "YOURLS (på denne server)"
32
+
33
+ #: wp-to-twitter-manager.php:551
34
+ msgid "YOURLS (on a remote server)"
35
+ msgstr "YOURLS (på en fjernserver)"
36
+
37
+ #: wp-to-twitter-manager.php:592
38
+ msgid "In addition to standard template tags, comments can use <code>#commenter#</code> to post the commenter's name in the Tweet. <em>Use this at your own risk</em>, as it lets anybody who can post a comment on your site post a phrase in your Twitter stream."
39
+ msgstr "Foruden de almindelige standard skabelon-tags, kan kommentatorer benytte <code>#commenter#</code> for at skrive kommentator-navn i Tweets. <em>Brug på egen risiko</em>, da det lader hvem som helst der kan skrive kommentarer på dit netsted skrive en sætning i din Twitter strøm."
40
+
41
+ #: wp-to-twitter-manager.php:645
42
+ msgid "Get your Bit.ly API information."
43
+ msgstr "Hent din Bit.ly API information."
44
+
45
+ #: wp-to-twitter.php:67
46
+ msgid "The current version of WP Tweets PRO is <strong>%s</strong>. Upgrade for best compatibility!"
47
+ msgstr "Den nuværende version af WP Tweets PRO er <strong>%s</strong>. Opgradér for bedre kompatibilitet!"
48
+
49
+ #: functions.php:325
50
+ msgid "Thank you for supporting the continuing development of this plug-in! I'll get back to you as soon as I can. Please ensure that you can receive email at <code>%s</code>."
51
+ msgstr "Tak fordi du støtter den fortsatte udvikling af dette plugin! Jeg vender tilbage til dig, så hurtigt det er muligt. Sørg venligst for at du kan modtage e-mail på <code>%s</code>."
52
+
53
+ #: functions.php:327
54
+ msgid "Thanks for using WP to Twitter. Please ensure that you can receive email at <code>%s</code>."
55
+ msgstr "Tak fordi du benytter WP to Twitter. Sørg venligst for at du kan modtage e-mail på <code>%s</code>."
56
+
57
+ #: functions.php:351
58
+ msgid "Reply to:"
59
+ msgstr "Svar til:"
60
+
61
+ #: wp-to-twitter-manager.php:838
62
+ msgid "The lowest user group that can add their Twitter information"
63
+ msgstr "Den laveste brugergruppe der kan tilføje deres Twitter information"
64
+
65
+ #: wp-to-twitter-manager.php:843
66
+ msgid "The lowest user group that can see the Custom Tweet options when posting"
67
+ msgstr "Den laveste brugergruppe der kan se den brugerdefineret tweet-funktion når der skrives."
68
+
69
+ #: wp-to-twitter-manager.php:848
70
+ msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
71
+ msgstr "Den laveste brugergruppe der kan skifte mellem funktionen Tweet/Tweet-ikke"
72
+
73
+ #: wp-to-twitter-manager.php:853
74
+ msgid "The lowest user group that can send Twitter updates"
75
+ msgstr "Den laveste brugergruppe der kan sende Twitter opdateringer"
76
+
77
+ #: wp-to-twitter-manager.php:985
78
+ msgid "<code>#author#</code>: the post author (@reference if available, otherwise display name)"
79
+ msgstr "<code>#author#</code>: Indlægsforfatter (@reference hvis tilgængelig, ellers display name)"
80
+
81
+ #: wp-to-twitter-manager.php:986
82
+ msgid "<code>#displayname#</code>: post author's display name"
83
+ msgstr "<code>#displayname#</code>: send forfatters display name"
84
+
85
+ #: wp-to-twitter.php:76
86
+ msgid "WP to Twitter requires WordPress 3.0.6 or a more recent version <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update WordPress to continue using WP to Twitter with all features!</a>"
87
+ msgstr "WP to Twitter forudsætter WordPress 3.0.6 eller en nyere version <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Opgradér venligst WordPress for at fortsætte med at benytte WP to Twitter med alle funktioner!</a>"
88
+
89
+ #: wp-to-twitter.php:287
90
+ msgid "This tweet was blank and could not be sent to Twitter."
91
+ msgstr "Denne tweet var blank og kunne ikke sendes til Twitter."
92
+
93
+ #: wp-to-twitter.php:338
94
+ msgid "404 Not Found: The URI requested is invalid or the resource requested does not exist."
95
+ msgstr "404 Ikke fundet: Den anmodede URL er ugyldig eller den anmodede ressource findes ikke."
96
+
97
+ #: wp-to-twitter.php:342
98
+ msgid "406 Not Acceptable: Invalid Format Specified."
99
+ msgstr "406 Ikke acceptabel: Ugyldigt format angivet."
100
+
101
+ #: wp-to-twitter.php:346
102
+ msgid "429 Too Many Requests: You have exceeded your rate limits."
103
+ msgstr "429 For mange anmodninger: Du har overskredet dine rate-begrænsninger."
104
+
105
+ #: wp-to-twitter.php:362
106
+ msgid "504 Gateway Timeout: The Twitter servers are up, but the request couldn't be serviced due to some failure within our stack. Try again later."
107
+ msgstr "504 Gateway Timeout: Twitter serverne fungerer, men forespørgslen kunne ikke behandles på grund af nogle fejl i vores datastruktur. Prøv igen senere."
108
+
109
+ #: wp-to-twitter.php:1185
110
+ msgid "Your prepended Tweet text; not part of your template."
111
+ msgstr "Din foranstillet Tweet-tekst; ikke en del af din skabelon."
112
+
113
+ #: wp-to-twitter.php:1188
114
+ msgid "Your appended Tweet text; not part of your template."
115
+ msgstr "Din tilføjede Tweet tekst; ikke en del af din skabelon."
116
+
117
+ #: wp-to-twitter.php:1254
118
+ msgid "Your role does not have the ability to Post Tweets from this site."
119
+ msgstr "Din brugerrolle har ikke rettigheder til at skrive Tweets fra dette netsted."
120
+
121
+ #: wp-to-twitter.php:1373
122
+ msgid "Hide account name in Tweets"
123
+ msgstr "Gem kontonavn i Tweets"
124
+
125
+ #: wp-to-twitter.php:1374
126
+ msgid "Do not display my account in the #account# template tag."
127
+ msgstr "Vis ikke min konto i #account# skabelon tag."
128
+
129
+ #: functions.php:354
130
+ msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
131
+ msgstr "Jeg har læst <a href=\"%1$s\">FAQ for denne plug-in</a> <span>(påkrævet)</span>"
132
+
133
+ #: functions.php:357
134
+ msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
135
+ msgstr "Jeg har <a href=\"%1$s\">givet en donation som støtte til denne plug-in</a>"
136
+
137
+ #: functions.php:360
138
+ msgid "Support Request:"
139
+ msgstr "Support-anmodning:"
140
+
141
+ #: wp-to-twitter-manager.php:571
142
+ msgid "Settings for type \"%1$s\""
143
+ msgstr "Indstillinger for \"%1$s\""
144
+
145
+ #: wp-to-twitter-manager.php:574
146
+ msgid "Update when %1$s %2$s is published"
147
+ msgstr "Opdater når %1$s %2$s er udgivet"
148
+
149
+ #: wp-to-twitter-manager.php:574
150
+ msgid "Text for new %1$s updates"
151
+ msgstr "Tekst for nye %1$s opdateringer"
152
+
153
+ #: wp-to-twitter-manager.php:578
154
+ msgid "Update when %1$s %2$s is edited"
155
+ msgstr "Opdater når %1$s %2$s redigeres"
156
+
157
+ #: wp-to-twitter-manager.php:578
158
+ msgid "Text for %1$s editing updates"
159
+ msgstr "Tekst for %1$s redigerings-opdateringer"
160
+
161
+ #: wp-to-twitter-oauth.php:201
162
+ msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
163
+ msgstr "Din server tidszone (bør være UTC,GMT,Europe/London eller tilsvarende):"
164
+
165
+ #: wp-to-twitter-manager.php:553
166
+ msgid "Use Twitter Friendly Links."
167
+ msgstr "Benyt Twitter venlige genveje."
168
+
169
+ #: wp-to-twitter-manager.php:650
170
+ msgid "View your Bit.ly username and API key"
171
+ msgstr "Se dit Bit.ly brugernavn og API key"
172
+
173
+ #: wp-to-twitter-manager.php:694
174
+ msgid "Your shortener does not require any account settings."
175
+ msgstr "Din shortener kræver ingen kontoindstillinger."
176
+
177
+ #: wp-to-twitter.php:316
178
+ msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
179
+ msgstr "Din Twitter applikation har ikke læse- og skriverettigheder. Gå til <a href=\"%s\">dine Twitter apps</a> for at tilpasse disse indstillinger."
180
+
181
+ #: wp-to-twitter.php:1158
182
+ msgid "Failed Tweets"
183
+ msgstr "Mislykket Tweets"
184
+
185
+ #: wp-to-twitter.php:1173
186
+ msgid "No failed tweets on this post."
187
+ msgstr "Ingen mislykket tweets i dette indlæg."
188
+
189
+ #: wp-to-twitter-manager.php:960
190
+ msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
191
+ msgstr "Opgrader til <strong>WP Tweets PRO</strong> for flere funktioner!"
192
+
193
+ #: wp-to-twitter-manager.php:990
194
+ msgid "<code>#reference#</code>: Used only in co-tweeting. @reference to main account when posted to author account, @reference to author account in post to main account."
195
+ msgstr "<code>#reference#</code>: Benyttes kun ved co-tweeting. @reference til hovedkonto for indlæg på en forfatter-konto, @reference til forfatter-konto for indlæg på en hovedkonto."
196
+
197
+ #: wp-to-twitter-oauth.php:176
198
+ msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>.<br />"
199
+ msgstr "Forbindelsesproblemer? Prøv at <a href='#wpt_http'>skifte til <code>http</code> forespørgsler</a>.<br />"
200
+
201
+ #: wp-to-twitter-oauth.php:270
202
+ msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
203
+ msgstr "WP to Twitter klunne ikke kontakte Twitter's fjernserver. Her er den udløste fejl: "
204
+
205
+ #: wp-to-twitter.php:273
206
+ msgid "This account is not authorized to post to Twitter."
207
+ msgstr "Denne konto er ikke godkendt til at skrive indlæg på Twitter."
208
+
209
+ #: wp-to-twitter.php:281
210
+ msgid "This tweet is identical to another Tweet recently sent to this account."
211
+ msgstr "Denne tweet er identisk med en anden Tweet der for nylig er sendt til denne konto."
212
+
213
+ #: wp-to-twitter.php:1177
214
+ msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
215
+ msgstr "WP to Twitter kan gøre mere for dig! Tag et kig på WP Tweets Pro!"
216
+
217
+ #: wp-to-twitter-manager.php:618
218
+ msgid "(optional)"
219
+ msgstr "(valgfri)"
220
+
221
+ #: wp-to-twitter-manager.php:774
222
+ msgid "Do not post Tweets by default (editing only)"
223
+ msgstr "Send ikke Tweets som standard (gælder kun redigering)"
224
+
225
+ #: wp-to-twitter-manager.php:983
226
+ msgid "<code>#modified#</code>: the post modified date"
227
+ msgstr "<code>#modified#</code>: redigeringsdato for indlæg"
228
+
229
+ #: wp-to-twitter-oauth.php:268
230
+ msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
231
+ msgstr "Der er mere end 5 minutter imellem dine tidsstempler. Din server kan miste sin forbindelse med Twitter."
232
+
233
+ #: wp-to-twitter-manager.php:818
234
+ msgid "Individual Authors"
235
+ msgstr "Individuelle Forfattere"
236
+
237
+ #: wp-to-twitter-manager.php:821
238
+ msgid "Authors have individual Twitter accounts"
239
+ msgstr "Forfattere har individuelle Twitter konti"
240
+
241
+ #: wp-to-twitter-manager.php:821
242
+ msgid "Authors can add their username in their user profile. This feature can only add an @reference to the author. The @reference is placed using the <code>#account#</code> shortcode, which will pick up the main account if user accounts are not enabled."
243
+ msgstr "Forfattere kan tilføje deres brugernavn i deres brugerprofil. Denne funktion tilføjer kun en @reference til forfatteren. @referencen placeres ved brug af <code>#account#</code> shortcode, som henter hovedkontoen hvis brugerkonti ikke er aktiveret."
244
+
245
+ #: wp-to-twitter-manager.php:859
246
+ msgid "Disable Error Messages"
247
+ msgstr "Deaktiver fejlmeddelelser"
248
+
249
+ #: wp-to-twitter-manager.php:861
250
+ msgid "Disable global URL shortener error messages."
251
+ msgstr "Deaktiver globale URL shortener fejlmeddelelser"
252
+
253
+ #: wp-to-twitter-manager.php:862
254
+ msgid "Disable global Twitter API error messages."
255
+ msgstr "Deaktiver globale Twitter API fejlmeddelelser"
256
+
257
+ #: wp-to-twitter-manager.php:863
258
+ msgid "Disable notification to implement OAuth"
259
+ msgstr "Deaktiver note om at implementere OAuth"
260
+
261
+ #: wp-to-twitter-manager.php:865
262
+ msgid "Get Debugging Data for OAuth Connection"
263
+ msgstr "Få debug data fra OAuth forbindelse"
264
+
265
+ #: wp-to-twitter-manager.php:867
266
+ msgid "Switch to <code>http</code> connection. (Default is https)"
267
+ msgstr "Skift til <code>http</code> forbindelse. (Standard er https)"
268
+
269
+ #: wp-to-twitter-manager.php:869
270
+ msgid "I made a donation, so stop whinging at me, please."
271
+ msgstr "Jeg har doneret, så vær rar og stop med at plage mig"
272
+
273
+ #: wp-to-twitter-manager.php:883
274
+ msgid "Limit Updating Categories"
275
+ msgstr "Opdateringsbegrænsninger for kategorier"
276
+
277
+ #: wp-to-twitter-manager.php:886
278
+ msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
279
+ msgstr "Hvis der ikke er markeret en kategori, ignoreres kategoribegrænsning og alle kategorier Tweetes."
280
+
281
+ #: wp-to-twitter-manager.php:887
282
+ msgid "<em>Category limits are disabled.</em>"
283
+ msgstr "<em>Kategoribegrænsninger er fjernet.</em>"
284
+
285
+ #: wp-to-twitter-manager.php:896
286
+ msgid "Get Plug-in Support"
287
+ msgstr "Anmod om Plug-in support"
288
+
289
+ #: wp-to-twitter-manager.php:907
290
+ msgid "Check Support"
291
+ msgstr "Tjek Support"
292
+
293
+ #: wp-to-twitter-manager.php:907
294
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
295
+ msgstr "Tjek om din server supporterer <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> forespørgelser til Twitter og URL shortening APIs. Denne test sender en statusopdatering til Twitter og forkorter en URL efter valgte metoder."
296
+
297
+ #: wp-to-twitter-manager.php:925
298
+ msgid "Support WP to Twitter"
299
+ msgstr "Støt WP to Twitter"
300
+
301
+ #: wp-to-twitter-manager.php:927
302
+ msgid "WP to Twitter Support"
303
+ msgstr "WP to Twitter Support"
304
+
305
+ #: wp-to-twitter-manager.php:935
306
+ msgid "View Settings"
307
+ msgstr "Se indstillinger"
308
+
309
+ #: wp-to-twitter-manager.php:937 wp-to-twitter.php:1247 wp-to-twitter.php:1249
310
+ msgid "Get Support"
311
+ msgstr "Anmod om support"
312
+
313
+ #: wp-to-twitter-manager.php:941
314
+ msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a> Every donation counts - donate $2, $10, or $100 and help me keep this plug-in running!"
315
+ msgstr "<a href=\"http://www.joedolson.com/donate.php\">Giv en donation i dag!</a> Hver eneste donation tæller- donér $2, $10, eller $100 og hjælp mig med at holde denne plug-in kørende!"
316
+
317
+ #: wp-to-twitter-manager.php:958
318
+ msgid "Upgrade Now!"
319
+ msgstr "Opgradér nu!"
320
+
321
+ #: wp-to-twitter-manager.php:961
322
+ msgid "Extra features with the PRO upgrade:"
323
+ msgstr "Ekstra funktioner med PRO opgradering:"
324
+
325
+ #: wp-to-twitter-manager.php:963
326
+ msgid "Users can post to their own Twitter accounts"
327
+ msgstr "Brugere kan sende indlæg til deres egne Twitter konti"
328
+
329
+ #: wp-to-twitter-manager.php:964
330
+ msgid "Set a timer to send your Tweet minutes or hours after you publish the post"
331
+ msgstr "Indstil en timer til at sende dit Tweet minutter eller timer efter du udgiver indlægget"
332
+
333
+ #: wp-to-twitter-manager.php:965
334
+ msgid "Automatically re-send Tweets at an assigned time after publishing"
335
+ msgstr "Gensend automatisk Tweets på et planlagt tidspunkt efter udgivelse."
336
+
337
+ #: wp-to-twitter-manager.php:974
338
+ msgid "Shortcodes"
339
+ msgstr "Shortcodes"
340
+
341
+ #: wp-to-twitter-manager.php:976
342
+ msgid "Available in post update templates:"
343
+ msgstr "Tilgængelige opdateringsskabeloner for indlæg:"
344
+
345
+ #: wp-to-twitter-manager.php:978
346
+ msgid "<code>#title#</code>: the title of your blog post"
347
+ msgstr "<code>#title#</code>: titlen på dit indlæg"
348
+
349
+ #: wp-to-twitter-manager.php:979
350
+ msgid "<code>#blog#</code>: the title of your blog"
351
+ msgstr "<code>#blog#</code>: titlen på din blog"
352
+
353
+ #: wp-to-twitter-manager.php:980
354
+ msgid "<code>#post#</code>: a short excerpt of the post content"
355
+ msgstr "<code>#post#</code>: et kort uddrag af indlæggets indhold"
356
+
357
+ #: wp-to-twitter-manager.php:981
358
+ msgid "<code>#category#</code>: the first selected category for the post"
359
+ msgstr "<code>#category#</code>: den første valgte kategori for indlægget"
360
+
361
+ #: wp-to-twitter-manager.php:982
362
+ msgid "<code>#date#</code>: the post date"
363
+ msgstr "<code>#date#</code>: dato for indlæg"
364
+
365
+ #: wp-to-twitter-manager.php:984
366
+ msgid "<code>#url#</code>: the post URL"
367
+ msgstr "<code>#url#</code>: Indlægs URL"
368
+
369
+ #: wp-to-twitter-manager.php:987
370
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
371
+ msgstr "<code>#account#</code>: Twitter @reference for kontoen (eller forfatteren, hvis forfatterindstillinger er aktiveret og indstillet.)"
372
+
373
+ #: wp-to-twitter-manager.php:988
374
+ msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
375
+ msgstr "<code>#tags#</code>: dine tags ændret til hashtags. Se valgmuligheder under avancerede indstillinger nedenfor."
376
+
377
+ #: wp-to-twitter-manager.php:993
378
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
379
+ msgstr "Du kan også generere tilpasset shortcodes for at få adgang til WordPress custom fields. Brug dobbelt firkantede parenteser omkring navnet på dit custom field for at tilføje værdien af dette costum field til din statusopdatering. Eksempel: <code>[[custom_field]]</code></p>"
380
+
381
+ #: wp-to-twitter-oauth.php:107
382
+ msgid "WP to Twitter was unable to establish a connection to Twitter."
383
+ msgstr "WP to Twitter kunne oprette en forbindelse til Twitter."
384
+
385
+ #: wp-to-twitter-oauth.php:177
386
+ msgid "There was an error querying Twitter's servers"
387
+ msgstr "Der opstod en fejl ved forespørgsler på Twitter's servere"
388
+
389
+ #: wp-to-twitter-oauth.php:193 wp-to-twitter-oauth.php:195
390
+ msgid "Connect to Twitter"
391
+ msgstr "Forbind til Twitter."
392
+
393
+ #: wp-to-twitter-oauth.php:198
394
+ msgid "WP to Twitter Set-up"
395
+ msgstr "WP to Twitter opsætning"
396
+
397
+ #: wp-to-twitter-oauth.php:199 wp-to-twitter-oauth.php:292
398
+ msgid "Your server time:"
399
+ msgstr "Din server tid:"
400
+
401
+ #: wp-to-twitter-oauth.php:199
402
+ msgid "Twitter's time:"
403
+ msgstr "Twitter's tid:"
404
+
405
+ #: wp-to-twitter-oauth.php:199
406
+ msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
407
+ msgstr "Hvis disse tidsstempler ligger længere end 5 minutter fra hinanden, vil din server ikke forbinde til Twitter. "
408
+
409
+ #: wp-to-twitter-oauth.php:203
410
+ msgid "<em>Note</em>: you will not add your Twitter user information to WP to Twitter; it is not used in this authentication method."
411
+ msgstr "<em>Bemærk</em>: du vil ikke tilføje dine Twitter brugeroplysninger til WP to Twitter; det benyttes ikke i denne godkendelsesmetode."
412
+
413
+ #: wp-to-twitter-oauth.php:207
414
+ msgid "1. Register this site as an application on "
415
+ msgstr "1. Registrér dette netsted som en applikation på"
416
+
417
+ #: wp-to-twitter-oauth.php:207
418
+ msgid "Twitter's application registration page"
419
+ msgstr "Twitter's application registreringsside"
420
+
421
+ #: wp-to-twitter-oauth.php:209
422
+ msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
423
+ msgstr "Hvis du ikke er logget ind på Twitter, logind med den konto du vil knytte til denne hjemmeside"
424
+
425
+ #: wp-to-twitter-oauth.php:210
426
+ msgid "Your Application's Name will show up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\""
427
+ msgstr "Dit applikationnavn vises efter \"via\" i din twitter strøm. Dit applikationnavn må ikke indeholde ordet \"Twitter\"."
428
+
429
+ #: wp-to-twitter-oauth.php:211
430
+ msgid "Your Application Description can be anything."
431
+ msgstr "Din applikationsbeskrivelse kan være hvad som helst."
432
+
433
+ #: wp-to-twitter-oauth.php:212
434
+ msgid "The WebSite and Callback URL should be "
435
+ msgstr "Hjemmeside- og Callback URL skal være"
436
+
437
+ #: wp-to-twitter-oauth.php:214
438
+ msgid "Agree to the Developer Rules of the Road and continue."
439
+ msgstr "Erklær dig enig i regler for udvikler og fortsæt."
440
+
441
+ #: wp-to-twitter-oauth.php:215
442
+ msgid "2. Switch to the \"Settings\" tab in Twitter apps"
443
+ msgstr "2. Skift til fanebladet \"Indstillinger\" i Twitter apps"
444
+
445
+ #: wp-to-twitter-oauth.php:217
446
+ msgid "Select \"Read and Write\" for the Application Type"
447
+ msgstr "Vælg \"Read and Write\" for applikationstype"
448
+
449
+ #: wp-to-twitter-oauth.php:218
450
+ msgid "Update the application settings"
451
+ msgstr "Opdatér applikationsindstillingerne"
452
+
453
+ #: wp-to-twitter-oauth.php:219
454
+ msgid "Return to the Details tab and create your access token. Refresh page to view your access tokens."
455
+ msgstr "Vend tilbage til fanebladet detaljer og opret din access token. Genindlæs side for at se dine access tokens."
456
+
457
+ #: wp-to-twitter-oauth.php:221
458
+ msgid "Once you have registered your site as an application, you will be provided with four keys."
459
+ msgstr "Når du har registreret dit netsted som en applikation modtager du fire nøgler."
460
+
461
+ #: wp-to-twitter-oauth.php:222
462
+ msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
463
+ msgstr "3. Kopier og indsæt din consumer key og consumer secret ind i nedenstående felter"
464
+
465
+ #: wp-to-twitter-oauth.php:225
466
+ msgid "Twitter Consumer Key"
467
+ msgstr "Twitter Consumer Key"
468
+
469
+ #: wp-to-twitter-oauth.php:229
470
+ msgid "Twitter Consumer Secret"
471
+ msgstr "Twitter Consumer Secret"
472
+
473
+ #: wp-to-twitter-oauth.php:233
474
+ msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
475
+ msgstr "4. Kopier og indsæt din Access Token og Access Token Secret ind i nedenstående felter"
476
+
477
+ #: wp-to-twitter-oauth.php:234
478
+ msgid "If the Access level for your Access Token is not \"<em>Read and write</em>\", you must return to step 2 and generate a new Access Token."
479
+ msgstr "Hvis Adgangsniveau for din Access Token ikke er \"<em>Read and write</em>\", skal du vende tilbage til trin 2 og generere en ny Access Token."
480
+
481
+ #: wp-to-twitter-oauth.php:237
482
+ msgid "Access Token"
483
+ msgstr "Access Token"
484
+
485
+ #: wp-to-twitter-oauth.php:241
486
+ msgid "Access Token Secret"
487
+ msgstr "Access Token Secret"
488
+
489
+ #: wp-to-twitter-oauth.php:260
490
+ msgid "Disconnect Your WordPress and Twitter Account"
491
+ msgstr "Frakobl Wordpress fra din Twitter konto"
492
+
493
+ #: wp-to-twitter-oauth.php:264
494
+ msgid "Disconnect your WordPress and Twitter Account"
495
+ msgstr "Afbryd din WordPress og Twitter konto"
496
+
497
+ #: wp-to-twitter-oauth.php:266
498
+ msgid "<strong>Troubleshooting tip:</strong> Connected, but getting a notice that your Authentication credentials are missing or incorrect? Check whether your Access token has read and write permission. If not, you'll need to create a new token."
499
+ msgstr "<strong>Fejlfindings-tip:</strong> Forbundet, men får en besked om at Authentication credentials mangler eller er forkerte? Kontrollér om din Access token har læse og skrive rettigheder. Hvis det ikke er tilfældet skal du oprette en ny token."
500
+
501
+ #: wp-to-twitter-oauth.php:274
502
+ msgid "Disconnect from Twitter"
503
+ msgstr "Deaktiver Twitter"
504
+
505
+ #: wp-to-twitter-oauth.php:280
506
+ msgid "Twitter Username "
507
+ msgstr "Twitter brugernavn"
508
+
509
+ #: wp-to-twitter-oauth.php:281
510
+ msgid "Consumer Key "
511
+ msgstr "Consumer Key "
512
+
513
+ #: wp-to-twitter-oauth.php:282
514
+ msgid "Consumer Secret "
515
+ msgstr "Consumer Secret "
516
+
517
+ #: wp-to-twitter-oauth.php:283
518
+ msgid "Access Token "
519
+ msgstr "Access Token "
520
+
521
+ #: wp-to-twitter-oauth.php:284
522
+ msgid "Access Token Secret "
523
+ msgstr "Access Token Secret "
524
+
525
+ #: wp-to-twitter-oauth.php:292
526
+ msgid "Twitter's current server time: "
527
+ msgstr "Twitter's nuværende server tid: "
528
+
529
+ #: wp-to-twitter.php:49
530
+ msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
531
+ msgstr "WP to Twitter kræver PHP version 5 eller derover. Opgradér venligst PHP for at benytte WP to Twitter."
532
+
533
+ #: wp-to-twitter.php:94
534
+ msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
535
+ msgstr "Twitter kræver authentication by OAuth. Du skal <a href='%s'>opdatere dine indstillinger</a> for at fuldføre installationen af WP to Twitter."
536
+
537
+ #: wp-to-twitter.php:320
538
+ msgid "200 OK: Success!"
539
+ msgstr "200 OK: Succes!"
540
+
541
+ #: wp-to-twitter.php:325
542
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
543
+ msgstr "400 Forkert forespørgsel: Forespørgslen var ikke korrekt. Det er status koden der returneres i løbet af hastighedsbegræsning."
544
+
545
+ #: wp-to-twitter.php:329
546
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
547
+ msgstr "401 Ikke godkent: Login detaljer manglede eller var ikke korrekte."
548
+
549
+ #: wp-to-twitter.php:334
550
+ msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons can include: Too many Tweets created in a short time or the same Tweet was submitted twice in a row, among others. This is not an error by WP to Twitter."
551
+ msgstr "403 Forbudt: Forespørgsel er forstået men er blevet afvist. Denne kode benyttes når forespørgsler forstås men afvises af Twitter. Årsager hertil kan være: For mange Tweets blev oprettet inden for kort tid, eller den samme Tweet blev tilføjet to gange i træk, osv. Dette er ikke en WP to Twitter fejl."
552
+
553
+ #: wp-to-twitter.php:350
554
+ msgid "500 Internal Server Error: Something is broken at Twitter."
555
+ msgstr "500 Intern Serverfejl: Twitter melder fejl."
556
+
557
+ #: wp-to-twitter.php:358
558
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
559
+ msgstr "503 Service utilgængelig: Twitter serverne kører, men er overbelastet med forespørgsler - Prøv venligst igen senere."
560
+
561
+ #: wp-to-twitter.php:354
562
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
563
+ msgstr "502 Forkert Gateway: Twitter er nede eller bliver opdateret"
564
+
565
+ #: wp-to-twitter.php:392
566
+ msgid "No Twitter OAuth connection found."
567
+ msgstr "Twitter OAuth forbindelse ikke fundet."
568
+
569
+ #: wp-to-twitter.php:1102
570
+ msgid "WP Tweets"
571
+ msgstr "WP Tweets"
572
+
573
+ #: wp-to-twitter.php:1144
574
+ msgid "Previous Tweets"
575
+ msgstr "Tidligere Tweets"
576
+
577
+ #: wp-to-twitter.php:1180
578
+ msgid "Custom Twitter Post"
579
+ msgstr "Tilpasset Twitter indlæg"
580
+
581
+ #: wp-to-twitter.php:1204
582
+ msgid "Your template:"
583
+ msgstr "Din skabelon:"
584
+
585
+ #: wp-to-twitter.php:1209
586
+ msgid "YOURLS Custom Keyword"
587
+ msgstr "YOURLS brugerdefineret nøgleord"
588
+
589
+ #: wp-to-twitter.php:1247
590
+ msgid "Upgrade to WP Tweets Pro"
591
+ msgstr "Opgradér til WP Tweets Pro"
592
+
593
+ #: wp-to-twitter.php:1221
594
+ msgid "Don't Tweet this post."
595
+ msgstr "Tweet ikke dette indlæg."
596
+
597
+ #: wp-to-twitter.php:1221
598
+ msgid "Tweet this post."
599
+ msgstr "Tweet dette indlæg."
600
+
601
+ #: wp-to-twitter.php:1233
602
+ msgid "Access to customizing WP to Twitter values is not allowed for your user role."
603
+ msgstr "Adgang til ændring af WP to Twitter værdier er ikke tilladt for din user role."
604
+
605
+ #: wp-to-twitter.php:1299
606
+ msgid "Characters left: "
607
+ msgstr "Tegn tilbage:"
608
+
609
+ #: wp-to-twitter.php:1359
610
+ msgid "WP Tweets User Settings"
611
+ msgstr "WP Tweets brugerindstillinger"
612
+
613
+ #: wp-to-twitter.php:1363
614
+ msgid "Use My Twitter Username"
615
+ msgstr "Brug mit Twitter brugernavn"
616
+
617
+ #: wp-to-twitter.php:1364
618
+ msgid "Tweet my posts with an @ reference to my username."
619
+ msgstr "Tweet mit indlæg med en @ reference til mit brugernavn."
620
+
621
+ #: wp-to-twitter.php:1365
622
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
623
+ msgstr "Tweet mit indlæg med en @ reference til både mit brugernavn og til hovedsitets brugernavn."
624
+
625
+ #: wp-to-twitter.php:1369
626
+ msgid "Your Twitter Username"
627
+ msgstr "Dit Twitter brugernavn"
628
+
629
+ #: wp-to-twitter.php:1370
630
+ msgid "Enter your own Twitter username."
631
+ msgstr "Indtast dit Twitter brugernavn."
632
+
633
+ #: wp-to-twitter.php:1423
634
+ msgid "Check off categories to tweet"
635
+ msgstr "Marker kategorier der skal Tweetes"
636
+
637
+ #: wp-to-twitter.php:1427
638
+ msgid "Do not tweet posts in checked categories (Reverses default behavior)"
639
+ msgstr "Tweet ikke indlæg i markerede kategorier (vil ændre standardfunktion)"
640
+
641
+ #: wp-to-twitter.php:1444
642
+ msgid "Limits are exclusive. If a post is in one category which should be posted and one category that should not, it will not be posted."
643
+ msgstr "Grænseværdier er ikke inkluderet. Hvis et indlæg er i en kategori som skal sendes, og samtidig er i en kategori der ikke skal sendes, vil det ikke blive offentliggjort."
644
+
645
+ #: wp-to-twitter.php:1447
646
+ msgid "Set Categories"
647
+ msgstr "Indstil kategorier"
648
+
649
+ #: wp-to-twitter.php:1469
650
+ msgid "Settings"
651
+ msgstr "Indstillinger"
652
+
653
+ #: wp-to-twitter.php:1504
654
+ msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
655
+ msgstr "<br /><strong>Bemærk:</strong> Gennemgå venligst <a class=\"thickbox\" href=\"%1$s\">changelog</a> før opgradering."
656
+
657
+ msgid "WP to Twitter"
658
+ msgstr "WP to Twitter"
659
+
660
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
661
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
662
+
663
+ msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
664
+ msgstr "Skriv et Tweet når du opdaterer din WordPress blog eller skriver til din blogroll med din valgte URL shortening service. Der er masser af funktioner for tilpasning og fremhævelse af dine Tweets."
665
+
666
+ msgid "Joseph Dolson"
667
+ msgstr "Joseph Dolson"
668
+
669
+ msgid "http://www.joedolson.com/"
670
+ msgstr "http://www.joedolson.com/"
671
+
672
+ #: functions.php:319
673
+ msgid "Please read the FAQ and other Help documents before making a support request."
674
+ msgstr "Læs venligst FAQ og andre hjælpe-dokumenter før du sender en support-anmodning."
675
+
676
+ #: functions.php:201
677
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
678
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Skjul</a>] Hvis du oplever problemer, kopiér indstillingerne her og send dem til support."
679
+
680
+ #: functions.php:341
681
+ msgid "Please include your license key in your support request."
682
+ msgstr "Inkluder venligst din licensnøgle i din support-anmodning."
683
+
684
+ #: functions.php:321
685
+ msgid "Please describe your problem. I'm not psychic."
686
+ msgstr "Beskriv venligst dit problem. Jeg er ikke synsk."
687
+
688
+ #: functions.php:346
689
+ msgid "<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message."
690
+ msgstr "<strong>Bemærk venligst</strong>: Jeg føre register over dem der har doneret, men hvis din donation kom fra en anden konto end din egen på dette netsted, skal du skrive dette i din besked."
691
+
692
+ #: functions.php:363
693
+ msgid "Send Support Request"
694
+ msgstr "Send en support anmodning"
695
+
696
+ #: functions.php:366
697
+ msgid "The following additional information will be sent with your support request:"
698
+ msgstr "Følgende supplerende oplysninger vil blive sendt med din support-anmodning:"
699
+
700
+ #: wp-to-twitter-manager.php:39
701
+ msgid "No error information is available for your shortener."
702
+ msgstr "Der er ingen fejlinformation tilgængelig for din shortener."
703
+
704
+ #: wp-to-twitter-manager.php:41
705
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
706
+ msgstr "<li class=\"error\"><strong>WP to Twitter kunne ikke komme i kontakt med din valgte URL shortening service.</strong></li>"
707
+
708
+ #: wp-to-twitter-manager.php:44
709
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
710
+ msgstr "<li><strong>WP to Twitter kontaktede din valgte URL shortening service.</strong> Det følgende link bør pege på din blog hjemmeside:"
711
+
712
+ #: wp-to-twitter-manager.php:52
713
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
714
+ msgstr "<li><strong>WP to Twitter sendte succesfuldt en status opdatering til Twitter.</strong></li>"
715
+
716
+ #: wp-to-twitter-manager.php:55
717
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
718
+ msgstr "<li class=\"error\"><strong>Det lykkedes ikke at sende en opdatering til Twitter med WP to Twitter.</strong></li>"
719
+
720
+ #: wp-to-twitter-manager.php:59
721
+ msgid "You have not connected WordPress to Twitter."
722
+ msgstr "Du har ikke forbundet Wordpress til Twitter"
723
+
724
+ #: wp-to-twitter-manager.php:63
725
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
726
+ msgstr "<li class=\"error\"><strong>Din server ser ikke ud til at supportere de krævede WP to Twitter funktioner.</strong> Du kan prøve alligevel - de her tests er ikke perfekte.</li>"
727
+
728
+ #: wp-to-twitter-manager.php:67
729
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
730
+ msgstr "<li><strong>Din server skulle køre WP to Twitter optimalt.</strong></li>"
731
+
732
+ #: wp-to-twitter-manager.php:85
733
+ msgid "WP to Twitter Errors Cleared"
734
+ msgstr "WP to Twitter fejl er løst"
735
+
736
+ #: wp-to-twitter-manager.php:169
737
+ msgid "WP to Twitter is now connected with Twitter."
738
+ msgstr "WP to Twitter forbinder nu til Twitter"
739
+
740
+ #: wp-to-twitter-manager.php:183
741
+ msgid "OAuth Authentication Data Cleared."
742
+ msgstr "OAuth Authentication Data nulstillet."
743
+
744
+ #: wp-to-twitter-manager.php:190
745
+ msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
746
+ msgstr "OAuth Authentication fejlet. Din server tid er ikke synkroniseret med Twitter serverne. Tal med din hosting-tjeneste for at se, hvad der kan gøres."
747
+
748
+ #: wp-to-twitter-manager.php:197
749
+ msgid "OAuth Authentication response not understood."
750
+ msgstr "OAuth Authentication svar blev ikke forstået"
751
+
752
+ #: wp-to-twitter-manager.php:360
753
+ msgid "WP to Twitter Advanced Options Updated"
754
+ msgstr "WP to Twitter udvidede muligheder er opdateret. "
755
+
756
+ #: wp-to-twitter-manager.php:382
757
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
758
+ msgstr "Du skal tilføje dit Bit.ly logind og API nøgle for at forkorte URLs med Bit.ly."
759
+
760
+ #: wp-to-twitter-manager.php:386
761
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
762
+ msgstr "Du skal tilføje din YOURLS remote URL, login, og password for at forkorte URLs med en fjerninstallation af YOURLS."
763
+
764
+ #: wp-to-twitter-manager.php:390
765
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
766
+ msgstr "Du skal tilføje stien for din YOURLS server for at kunne forkorte URLs med en fjerninstallation af YOURLS."
767
+
768
+ #: wp-to-twitter-manager.php:393
769
+ msgid "WP to Twitter Options Updated"
770
+ msgstr "WP to Twitter indstillinger er opdateret"
771
+
772
+ #: wp-to-twitter-manager.php:402
773
+ msgid "Category limits updated."
774
+ msgstr "Kategoribegrænsninger er opdateret"
775
+
776
+ #: wp-to-twitter-manager.php:406
777
+ msgid "Category limits unset."
778
+ msgstr "Kategori begræsninger fjernet."
779
+
780
+ #: wp-to-twitter-manager.php:413
781
+ msgid "YOURLS password updated. "
782
+ msgstr "YOURLS password opdateret. "
783
+
784
+ #: wp-to-twitter-manager.php:416
785
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
786
+ msgstr "YOURLS adgangskode slettet. Du kan ikke længere bruge din fjerninstallerede YOURLS konto til at oprette short URLS."
787
+
788
+ #: wp-to-twitter-manager.php:418
789
+ msgid "Failed to save your YOURLS password! "
790
+ msgstr "Det mislykkedes at gemme dit YOURLS password! "
791
+
792
+ #: wp-to-twitter-manager.php:422
793
+ msgid "YOURLS username added. "
794
+ msgstr "YOURLS brugernavn tilføjet"
795
+
796
+ #: wp-to-twitter-manager.php:426
797
+ msgid "YOURLS API url added. "
798
+ msgstr "YOURLS API url tilføjet. "
799
+
800
+ #: wp-to-twitter-manager.php:429
801
+ msgid "YOURLS API url removed. "
802
+ msgstr "YOURLS API url fjernet."
803
+
804
+ #: wp-to-twitter-manager.php:434
805
+ msgid "YOURLS local server path added. "
806
+ msgstr "YOURLS local server sti tilføjet."
807
+
808
+ #: wp-to-twitter-manager.php:436
809
+ msgid "The path to your YOURLS installation is not correct. "
810
+ msgstr "Stien til din YOURLS installation er ikke korrekt."
811
+
812
+ #: wp-to-twitter-manager.php:440
813
+ msgid "YOURLS local server path removed. "
814
+ msgstr "YOURLS local server sti slettet. "
815
+
816
+ #: wp-to-twitter-manager.php:445
817
+ msgid "YOURLS will use Post ID for short URL slug."
818
+ msgstr "YOURLS vil bruge Post ID som short URL slug."
819
+
820
+ #: wp-to-twitter-manager.php:447
821
+ msgid "YOURLS will use your custom keyword for short URL slug."
822
+ msgstr "YOURLS benytter dit tilpasset nøgleord til short URL slug."
823
+
824
+ #: wp-to-twitter-manager.php:451
825
+ msgid "YOURLS will not use Post ID for the short URL slug."
826
+ msgstr "YOURLS vil ikke bruge Post ID som short URL slug."
827
+
828
+ #: wp-to-twitter-manager.php:459
829
+ msgid "Su.pr API Key and Username Updated"
830
+ msgstr "Su.pr API Key og brugernavn opdateret"
831
+
832
+ #: wp-to-twitter-manager.php:463
833
+ msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
834
+ msgstr "Su.pr API Key og brugernavn slettet. Su.pr URLs oprettet af WP to Twitter vil ikke længere være tilknyttet din konto. "
835
+
836
+ #: wp-to-twitter-manager.php:465
837
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
838
+ msgstr "Su.pr API Key ikke tilføjet - <a href='http://su.pr/'>få en her</a>! "
839
+
840
+ #: wp-to-twitter-manager.php:471
841
+ msgid "Bit.ly API Key Updated."
842
+ msgstr "Bit.ly API Key opdateret"
843
+
844
+ #: wp-to-twitter-manager.php:474
845
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
846
+ msgstr "Bit.ly API Key slettet. Du kan ikke bruge Bit.ly API uden en API key."
847
+
848
+ #: wp-to-twitter-manager.php:476
849
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
850
+ msgstr "Bit.ly API Key ikke tilføjet - <a href='http://bit.ly/account/'>få en her</a>! En API key er påkrævet for at bruge Bit.ly's URL shortening service."
851
+
852
+ #: wp-to-twitter-manager.php:480
853
+ msgid " Bit.ly User Login Updated."
854
+ msgstr "Bit.ly brugernavn opdateret"
855
+
856
+ #: wp-to-twitter-manager.php:483
857
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
858
+ msgstr "Bit.ly User Login slettet. Du kan ikke benytte Bit.ly API uden at opgive dit brugernavn."
859
+
860
+ #: wp-to-twitter-manager.php:485
861
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
862
+ msgstr "Bit.ly Login ikke tilføjet - <a href='http://bit.ly/account/'>få et her</a>! "
863
+
864
+ #: wp-to-twitter-manager.php:501
865
+ msgid "<p>One or more of your last posts has failed to send a status update to Twitter. The Tweet has been saved, and you can re-Tweet it at your leisure.</p>"
866
+ msgstr "<p>Status opdatering for en eller flere af dine sidst udgivet indlæg til Twitter er fejlet. Din Tweet er gemt og du kan re-Tweet denne når det passer dig.</p>"
867
+
868
+ #: wp-to-twitter-manager.php:507
869
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
870
+ msgstr "Beklager! Jeg kunne ikke få forbindelse med Twitter serverne og udgive din <strong>nye genvej</strong>! Du er desværre nødt til udgive den manuelt."
871
+
872
+ #: wp-to-twitter-manager.php:510
873
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues.</p>"
874
+ msgstr "<p>Forespørgslen til URL shortener API fejlet, din URL blev ikke forkortet. Den komplette URL for indlægget blev vedhæftet din Tweet. Kontrollér med din URL shortening service for at se om der er nogle kendte problemstillinger.</p>"
875
+
876
+ #: wp-to-twitter-manager.php:516
877
+ msgid "Clear 'WP to Twitter' Error Messages"
878
+ msgstr "Nulstil 'WP to Twitter' fejlbeskeder"
879
+
880
+ #: wp-to-twitter-manager.php:523
881
+ msgid "WP to Twitter Options"
882
+ msgstr "WP to Twitter indstillinger"
883
+
884
+ #: wp-to-twitter-manager.php:536
885
+ msgid "Basic Settings"
886
+ msgstr "Normale indstillinger"
887
+
888
+ #: wp-to-twitter-manager.php:542 wp-to-twitter-manager.php:606
889
+ msgid "Save WP->Twitter Options"
890
+ msgstr "Gem WP->Twitter indstillinger"
891
+
892
+ #: wp-to-twitter-manager.php:586
893
+ msgid "Settings for Comments"
894
+ msgstr "Indstillinger for kommentarer"
895
+
896
+ #: wp-to-twitter-manager.php:589
897
+ msgid "Update Twitter when new comments are posted"
898
+ msgstr "Opdater Twitter når nye kommentarer sendes"
899
+
900
+ #: wp-to-twitter-manager.php:590
901
+ msgid "Text for new comments:"
902
+ msgstr "Tekst for nye kommentarer:"
903
+
904
+ #: wp-to-twitter-manager.php:595
905
+ msgid "Settings for Links"
906
+ msgstr "Indstillinger for genveje"
907
+
908
+ #: wp-to-twitter-manager.php:598
909
+ msgid "Update Twitter when you post a Blogroll link"
910
+ msgstr "Opdatér Twitter når du poster et Blogroll link"
911
+
912
+ #: wp-to-twitter-manager.php:599
913
+ msgid "Text for new link updates:"
914
+ msgstr "Tekst for nye link opdateringer:"
915
+
916
+ #: wp-to-twitter-manager.php:599
917
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
918
+ msgstr "Mulige shortcodes: <code>#url#</code>, <code>#title#</code>, og <code>#description#</code>."
919
+
920
+ #: wp-to-twitter-manager.php:546
921
+ msgid "Don't shorten URLs."
922
+ msgstr "Forkort ikke URLs"
923
+
924
+ #: wp-to-twitter-manager.php:614
925
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
926
+ msgstr "<abbr title=\"Uniform Resource Locator\">URL</abbr> forkorter Kontoindstillinger"
927
+
928
+ #: wp-to-twitter-manager.php:618
929
+ msgid "Your Su.pr account details"
930
+ msgstr "Dine Su.pr konto detaljer"
931
+
932
+ #: wp-to-twitter-manager.php:622
933
+ msgid "Your Su.pr Username:"
934
+ msgstr "Dit Su.pr brugernavn:"
935
+
936
+ #: wp-to-twitter-manager.php:626
937
+ msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
938
+ msgstr "Din Su.pr <abbr title='application programming interface'>API</abbr> Key:"
939
+
940
+ #: wp-to-twitter-manager.php:633
941
+ msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
942
+ msgstr "Har du ikke en Su.pr konto eller API key? <a href='http://su.pr/'>Få en her</a>!<br />Du har brug for en API key for at tilknytte de URLs du opretter med din Su.pr konto."
943
+
944
+ #: wp-to-twitter-manager.php:639
945
+ msgid "Your Bit.ly account details"
946
+ msgstr "Din Bit.ly konto indstillinger"
947
+
948
+ #: wp-to-twitter-manager.php:643
949
+ msgid "Your Bit.ly username:"
950
+ msgstr "Dit Bit.ly brugernavn"
951
+
952
+ #: wp-to-twitter-manager.php:647
953
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
954
+ msgstr "Din Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
955
+
956
+ #: wp-to-twitter-manager.php:655
957
+ msgid "Save Bit.ly API Key"
958
+ msgstr "Gem Bit.ly API Key"
959
+
960
+ #: wp-to-twitter-manager.php:655
961
+ msgid "Clear Bit.ly API Key"
962
+ msgstr "Nustil Bit.ly API Key"
963
+
964
+ #: wp-to-twitter-manager.php:655
965
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
966
+ msgstr "En Bit.ly API key og brugernavn er nødvendigt for at forkorte URLs via Bit.ly API og WP to Twitter."
967
+
968
+ #: wp-to-twitter-manager.php:661
969
+ msgid "Your YOURLS account details"
970
+ msgstr "Din YOURLS kontodetaljer"
971
+
972
+ #: wp-to-twitter-manager.php:665
973
+ msgid "Path to your YOURLS config file (Local installations)"
974
+ msgstr "Sti til din YOURLS config fil (lokale installationer)"
975
+
976
+ #: wp-to-twitter-manager.php:666 wp-to-twitter-manager.php:670
977
+ msgid "Example:"
978
+ msgstr "Eksempel:"
979
+
980
+ #: wp-to-twitter-manager.php:669
981
+ msgid "URI to the YOURLS API (Remote installations)"
982
+ msgstr "URI til YOURLS API (Remote installationer)"
983
+
984
+ #: wp-to-twitter-manager.php:673
985
+ msgid "Your YOURLS username:"
986
+ msgstr "Dit YOURLS brugernavn:"
987
+
988
+ #: wp-to-twitter-manager.php:677
989
+ msgid "Your YOURLS password:"
990
+ msgstr "Dit YOURLS password:"
991
+
992
+ #: wp-to-twitter-manager.php:677
993
+ msgid "<em>Saved</em>"
994
+ msgstr "<em>Gemt</em>"
995
+
996
+ #: wp-to-twitter-manager.php:681
997
+ msgid "Post ID for YOURLS url slug."
998
+ msgstr "Indlæg ID for YOURLS url slug."
999
+
1000
+ #: wp-to-twitter-manager.php:682
1001
+ msgid "Custom keyword for YOURLS url slug."
1002
+ msgstr "Brugerdefineret nøgleord for YOURLS url slug."
1003
+
1004
+ #: wp-to-twitter-manager.php:683
1005
+ msgid "Default: sequential URL numbering."
1006
+ msgstr "Standard: sekventiel URL nummerering."
1007
+
1008
+ #: wp-to-twitter-manager.php:689
1009
+ msgid "Save YOURLS Account Info"
1010
+ msgstr "Gem YOURLS konto info"
1011
+
1012
+ #: wp-to-twitter-manager.php:689
1013
+ msgid "Clear YOURLS password"
1014
+ msgstr "Nulstil YOURLS password"
1015
+
1016
+ #: wp-to-twitter-manager.php:689
1017
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
1018
+ msgstr "Et YOURLS password og brugernavn er nødvendigt for at forkorte URLs via remote YOURLS API og WP to Twitter."
1019
+
1020
+ #: wp-to-twitter-manager.php:702
1021
+ msgid "Advanced Settings"
1022
+ msgstr "Avancerede indstillinger"
1023
+
1024
+ #: wp-to-twitter-manager.php:707 wp-to-twitter-manager.php:875
1025
+ msgid "Save Advanced WP->Twitter Options"
1026
+ msgstr "Gem Avancerede WP-> Twitter indstillinger"
1027
+
1028
+ #: wp-to-twitter-manager.php:709
1029
+ msgid "Advanced Tweet settings"
1030
+ msgstr "Avancerede Tweet indstillinger"
1031
+
1032
+ #: wp-to-twitter-manager.php:711
1033
+ msgid "Strip nonalphanumeric characters from tags"
1034
+ msgstr "Fjern ikke-alfanumerisk tegn fra tags"
1035
+
1036
+ #: wp-to-twitter-manager.php:712
1037
+ msgid "Spaces in tags replaced with:"
1038
+ msgstr "Mellemrum i tags erstattes af:"
1039
+
1040
+ #: wp-to-twitter-manager.php:713
1041
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
1042
+ msgstr "Default måde at erstatte er underscore (<code>_</code>). Brug <code>[ ]</code> for at fjerne mellemrum helt."
1043
+
1044
+ #: wp-to-twitter-manager.php:720
1045
+ msgid "Maximum number of tags to include:"
1046
+ msgstr "Maksimum antal tags der skal inkluderes"
1047
+
1048
+ #: wp-to-twitter-manager.php:721
1049
+ msgid "Maximum length in characters for included tags:"
1050
+ msgstr "Maks antal tegn for inkluderede tags:"
1051
+
1052
+ #: wp-to-twitter-manager.php:722
1053
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
1054
+ msgstr "Disse muligheder gør det muligt at begrænse længden og antal af Wordpress tags sendt til Twitter som hastags. "
1055
+
1056
+ #: wp-to-twitter-manager.php:725
1057
+ msgid "Length of post excerpt (in characters):"
1058
+ msgstr "Længde af indlægsuddrag (antal tegn):"
1059
+
1060
+ #: wp-to-twitter-manager.php:725
1061
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
1062
+ msgstr "Trækkes som standard fra indlægget. Hvis du anvender feltet 'Uddrag' benyttes dette i stedet."
1063
+
1064
+ #: wp-to-twitter-manager.php:728
1065
+ msgid "WP to Twitter Date Formatting:"
1066
+ msgstr "WP to Twitter Dato formattering:"
1067
+
1068
+ #: wp-to-twitter-manager.php:729
1069
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1070
+ msgstr "Standard er dine generelle indstillinger. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Dokumentation for Dato-formattering</a>."
1071
+
1072
+ #: wp-to-twitter-manager.php:733
1073
+ msgid "Custom text before all Tweets:"
1074
+ msgstr "Brugerdefineret tekst før alle Tweets:"
1075
+
1076
+ #: wp-to-twitter-manager.php:734
1077
+ msgid "Custom text after all Tweets:"
1078
+ msgstr "Brugerdefineret tekst efter alle Tweets:"
1079
+
1080
+ #: wp-to-twitter-manager.php:737
1081
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1082
+ msgstr "Brugerdefineret felt for at en alternativ URL kan blive forkortet og Tweeted:"
1083
+
1084
+ #: wp-to-twitter-manager.php:738
1085
+ msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
1086
+ msgstr "Du kan bruge et brugerdefineret felt til at sende en alternativ URL for dit indlæg. Det du skal indsætte er navnet for dit brugerdefinerede felt, der indeholder din eksterne URL."
1087
+
1088
+ #: wp-to-twitter-manager.php:761
1089
+ msgid "Preferred status update truncation sequence"
1090
+ msgstr "Foretrukken afkortningssekvens for statusopdatering "
1091
+
1092
+ #: wp-to-twitter-manager.php:764
1093
+ msgid "This is the order in which items will be abbreviated or removed from your status update if it is too long to send to Twitter."
1094
+ msgstr "Dette er rækkefølgen hvormed elementer bliver forkortet eller fjernet fra din statusopdatering hvis den er for lang til Twitter."
1095
+
1096
+ #: wp-to-twitter-manager.php:769
1097
+ msgid "Special Cases when WordPress should send a Tweet"
1098
+ msgstr "Specielle tilfælde hvor Wordpress afsender et Tweet"
1099
+
1100
+ #: wp-to-twitter-manager.php:772
1101
+ msgid "Do not post Tweets by default"
1102
+ msgstr "Send ikke Tweets som standard"
1103
+
1104
+ #: wp-to-twitter-manager.php:775
1105
+ msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
1106
+ msgstr "Som standard vil alle indlæg der opfylder andre betingelser blive sendt via Twitter. Markér et valg for at ændre disse indstillinger."
1107
+
1108
+ #: wp-to-twitter-manager.php:779
1109
+ msgid "Allow status updates from Quick Edit"
1110
+ msgstr "Tillad statusopdateringer ved lynredigering"
1111
+
1112
+ #: wp-to-twitter-manager.php:780
1113
+ msgid "If checked, all posts edited individually or in bulk through the Quick Edit feature will be Tweeted."
1114
+ msgstr "Hvis markeret, vil alle indlæg der redigeres individuelt eller masseredigeres gennem Hurtig-redigering funktionen blive Tweeted."
1115
+
1116
+ #: wp-to-twitter-manager.php:785
1117
+ msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
1118
+ msgstr "Forsinkelse af Tweets med WP Tweets PRO flytter Tweeting til en udgivelses-uafhængig aktion."
1119
+
1120
+ #: wp-to-twitter-manager.php:792
1121
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1122
+ msgstr "Send Twitter opdateringer via fjern-udgivelser (Send indlæg via e-mail eller XMLRPC klient)"
1123
+
1124
+ #: wp-to-twitter-manager.php:797
1125
+ msgid "Google Analytics Settings"
1126
+ msgstr "Google Analytics Indstillinger"
1127
+
1128
+ #: wp-to-twitter-manager.php:798
1129
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
1130
+ msgstr "Du kan måle antallet af hits fra Twitter ved at bruge Google Analytics og definere en kampagneidentifikator her. Du kan enten definere en statisk identifikator eller en dynamisk identifikator. Statiske identifikatorer skifter ikke fra indlæg til indlæg; dynamiske identifikatorer er dannet ud fra information relevant for det specifikke indlæg. Dynamiske identifikatorer vil give dig mulighed for nedbryde din statistik med en ekstra variabel."
1131
+
1132
+ #: wp-to-twitter-manager.php:802
1133
+ msgid "Use a Static Identifier with WP-to-Twitter"
1134
+ msgstr "Brug en statisk identifikator med WP-to-Twitter"
1135
+
1136
+ #: wp-to-twitter-manager.php:803
1137
+ msgid "Static Campaign identifier for Google Analytics:"
1138
+ msgstr "Statisk kampagneidentifikator for Google Analytics"
1139
+
1140
+ #: wp-to-twitter-manager.php:807
1141
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1142
+ msgstr "Brug en dynamisk identifikator med Google Analytics og WP-to-Twitter"
1143
+
1144
+ #: wp-to-twitter-manager.php:808
1145
+ msgid "What dynamic identifier would you like to use?"
1146
+ msgstr "Hvilken dynamisk identifikator vil du benytte?"
1147
+
1148
+ #: wp-to-twitter-manager.php:810
1149
+ msgid "Category"
1150
+ msgstr "Kategori"
1151
+
1152
+ #: wp-to-twitter-manager.php:811
1153
+ msgid "Post ID"
1154
+ msgstr "Indlæg ID"
1155
+
1156
+ #: wp-to-twitter-manager.php:812
1157
+ msgid "Post Title"
1158
+ msgstr "Indlæg titel"
1159
+
1160
+ #: wp-to-twitter-manager.php:813
1161
+ msgid "Author"
1162
+ msgstr "Forfatter"
lang/wp-to-twitter-de_DE.mo ADDED
Binary file
lang/wp-to-twitter-de_DE.po ADDED
@@ -0,0 +1,1215 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Translation of WP to Twitter in German
2
+ # This file is distributed under the same license as the WP to Twitter package.
3
+ msgid ""
4
+ msgstr ""
5
+ "PO-Revision-Date: 2013-04-30 01:46:23+0000\n"
6
+ "MIME-Version: 1.0\n"
7
+ "Content-Type: text/plain; charset=UTF-8\n"
8
+ "Content-Transfer-Encoding: 8bit\n"
9
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
10
+ "X-Generator: GlotPress/0.1\n"
11
+ "Project-Id-Version: WP to Twitter\n"
12
+
13
+ #: wp-to-twitter-shorteners.php:375
14
+ msgid "Your jotURL account details"
15
+ msgstr "Ihre jotURL-Account-Details"
16
+
17
+ #: wp-to-twitter-shorteners.php:379
18
+ msgid "Your jotURL public <abbr title='application programming interface'>API</abbr> key:"
19
+ msgstr "Ihr öffentlicher jotURL <abbr title='application programming interface'>API</abbr>-Schlüssel:"
20
+
21
+ #: wp-to-twitter-shorteners.php:380
22
+ msgid "Your jotURL private <abbr title='application programming interface'>API</abbr> key:"
23
+ msgstr "Ihr privater jotURL <abbr title='application programming interface'>API</abbr>-Schlüssel: "
24
+
25
+ #: wp-to-twitter-shorteners.php:381
26
+ msgid "Parameters to add to the long URL (before shortening):"
27
+ msgstr "Parameter die der langen URL (vor der Kürzung) angefügt werden sollen:"
28
+
29
+ #: wp-to-twitter-shorteners.php:381
30
+ msgid "Parameters to add to the short URL (after shortening):"
31
+ msgstr "Parameter die der gekürzten URL angefügt werden sollen: "
32
+
33
+ #: wp-to-twitter-shorteners.php:382
34
+ msgid "View your jotURL public and private API key"
35
+ msgstr "Ihren privaten und öffentlichen jotURL API-Schlüssel anzsehen"
36
+
37
+ #: wp-to-twitter-shorteners.php:385
38
+ msgid "Save jotURL settings"
39
+ msgstr "Speichern jotURL Einstellungen"
40
+
41
+ #: wp-to-twitter-shorteners.php:385
42
+ msgid "Clear jotURL settings"
43
+ msgstr "Klar jotURL Einstellungen"
44
+
45
+ #: wp-to-twitter-shorteners.php:386
46
+ msgid "A jotURL public and private API key is required to shorten URLs via the jotURL API and WP to Twitter."
47
+ msgstr "Ein jotURL öffentlichen und privaten API-Schlüssel erforderlich ist, um URLs über die API und jotURL WP Twitter verkürzen."
48
+
49
+ #: wp-to-twitter-shorteners.php:481
50
+ msgid "jotURL private API Key Updated. "
51
+ msgstr "jotURL private API Key aktualisiert."
52
+
53
+ #: wp-to-twitter-shorteners.php:484
54
+ msgid "jotURL private API Key deleted. You cannot use the jotURL API without a private API key. "
55
+ msgstr "jotURL private API Key gelöscht. Sie können nicht die jotURL API ohne privaten API-Schlüssel."
56
+
57
+ #: wp-to-twitter-shorteners.php:486
58
+ msgid "jotURL private API Key not added - <a href='https://www.joturl.com/reserved/api.html'>get one here</a>! A private API key is required to use the jotURL URL shortening service. "
59
+ msgstr "jotURL private API Key nicht aufgenommen - <a href='https://www.joturl.com/reserved/api.html'>erhalten Sie ein hier</a>! Ein privater API-Schlüssel erforderlich ist, um die jotURL URL Verkürzung Service nutzen."
60
+
61
+ #: wp-to-twitter-shorteners.php:490
62
+ msgid "jotURL public API Key Updated. "
63
+ msgstr "jotURL öffentliche API Key aktualisiert."
64
+
65
+ #: wp-to-twitter-shorteners.php:493
66
+ msgid "jotURL public API Key deleted. You cannot use the jotURL API without providing your public API Key. "
67
+ msgstr "jotURL öffentliche API Key gelöscht. Sie können nicht die jotURL API ohne Ihre öffentliche API Key."
68
+
69
+ #: wp-to-twitter-shorteners.php:495
70
+ msgid "jotURL public API Key not added - <a href='https://www.joturl.com/reserved/api.html'>get one here</a>! "
71
+ msgstr "jotURL öffentliche API Key nicht aufgenommen - <a href='https://www.joturl.com/reserved/api.html'>erhalten Sie ein hier</a>!"
72
+
73
+ #: wp-to-twitter-shorteners.php:501
74
+ msgid "Long URL parameters added. "
75
+ msgstr ""
76
+
77
+ #: wp-to-twitter-shorteners.php:504
78
+ msgid "Long URL parameters deleted. "
79
+ msgstr ""
80
+
81
+ #: wp-to-twitter-shorteners.php:510
82
+ msgid "Short URL parameters added. "
83
+ msgstr ""
84
+
85
+ #: wp-to-twitter-shorteners.php:513
86
+ msgid "Short URL parameters deleted. "
87
+ msgstr ""
88
+
89
+ #: wp-to-twitter-shorteners.php:527
90
+ msgid "You must add your jotURL public and private API key in order to shorten URLs with jotURL."
91
+ msgstr ""
92
+
93
+ #: wp-to-twitter-manager.php:526
94
+ msgid "Tags"
95
+ msgstr "Tags"
96
+
97
+ #: wp-to-twitter-manager.php:542
98
+ msgid "Template Tag Settings"
99
+ msgstr "Template-Tag-Einstellungen"
100
+
101
+ #: wp-to-twitter-manager.php:544
102
+ msgid "Extracted from the post. If you use the 'Excerpt' field, it will be used instead."
103
+ msgstr ""
104
+
105
+ #: wp-to-twitter-manager.php:587
106
+ msgid "Template tag priority order"
107
+ msgstr ""
108
+
109
+ #: wp-to-twitter-manager.php:588
110
+ msgid "The order in which items will be abbreviated or removed from your Tweet if the Tweet is too long to send to Twitter."
111
+ msgstr "Die Reihenfolge, in der die Elemente abgekürzt werden oder aus ihr entfernt wird, wenn der Tweet Tweet ist zu lang, um an Twitter senden."
112
+
113
+ #: wp-to-twitter-manager.php:641
114
+ msgid "Author Settings"
115
+ msgstr ""
116
+
117
+ #: wp-to-twitter-manager.php:646
118
+ msgid "Authors can add their username in their user profile. With the free edition of WP to Twitter, it adds an @reference to the author. The @reference is placed using the <code>#account#</code> shortcode, which will pick up the main account if the user account isn't configured."
119
+ msgstr ""
120
+
121
+ #: wp-to-twitter-manager.php:650
122
+ msgid "Permissions"
123
+ msgstr ""
124
+
125
+ #: wp-to-twitter-manager.php:685
126
+ msgid "Error Messages and Debugging"
127
+ msgstr ""
128
+
129
+ #: wp-to-twitter-manager.php:805
130
+ msgid "<code>#cat_desc#</code>: custom value from the category description field"
131
+ msgstr ""
132
+
133
+ #: wp-to-twitter-manager.php:812
134
+ msgid "<code>#@#</code>: the twitter @reference for the author or blank, if not set"
135
+ msgstr ""
136
+
137
+ #: wp-to-twitter-oauth.php:176
138
+ msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>."
139
+ msgstr ""
140
+
141
+ #: wp-to-twitter-oauth.php:272
142
+ msgid "<strong>Troubleshooting tip:</strong> Connected, but getting a error that your Authentication credentials are missing or incorrect? Check that your Access token has read and write permission. If not, you'll need to create a new token. <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/#q1\">Read the FAQ</a>"
143
+ msgstr ""
144
+
145
+ #: wp-to-twitter-oauth.php:298 wp-to-twitter-oauth.php:304
146
+ msgid "Twitter's server time: "
147
+ msgstr ""
148
+
149
+ #: wp-to-twitter.php:69
150
+ msgid "WP to Twitter requires WordPress 3.1.4 or a more recent version <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update WordPress to continue using WP to Twitter with all features!</a>"
151
+ msgstr ""
152
+
153
+ #: wp-to-twitter.php:304
154
+ msgid "403 Forbidden: The request is understood, but it has been refused by Twitter. Reasons: Too many Tweets in a short time or the same Tweet was submitted twice, among others. Not an error from WP to Twitter."
155
+ msgstr ""
156
+
157
+ #: wp-to-twitter.php:1281
158
+ msgid "Upgrade"
159
+ msgstr ""
160
+
161
+ #: wp-to-twitter-manager.php:531
162
+ msgid "Use tag slug as hashtag value"
163
+ msgstr ""
164
+
165
+ #: wp-to-twitter.php:1026
166
+ msgid "Tweets are no more than 140 characters; Twitter counts URLs as 20 or 21 characters. Template tags: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, or <code>#blog#</code>."
167
+ msgstr ""
168
+
169
+ #: wp-to-twitter-manager.php:176
170
+ msgid "WP to Twitter failed to connect with Twitter. Try <a href=\"#wpt_http\">switching to an HTTP connection</a>."
171
+ msgstr "WP to Twitter konnte nicht mit Twitter verbinden. Versuche <a href=\"#wpt_http\">zu einer HTTP Verbindung zu wechseln</a>."
172
+
173
+ #: wp-to-twitter-shorteners.php:545
174
+ msgid "Choose a short URL service (account settings below)"
175
+ msgstr "Wähle einen Kürz-URL Dienst (Konto-Einstellungen unten)"
176
+
177
+ #: wp-to-twitter-shorteners.php:551
178
+ msgid "YOURLS (on this server)"
179
+ msgstr "YOURLS (in diesem Server)"
180
+
181
+ #: wp-to-twitter-shorteners.php:552
182
+ msgid "YOURLS (on a remote server)"
183
+ msgstr "YOURLS (auf externem Server)"
184
+
185
+ #: wp-to-twitter-manager.php:493
186
+ msgid "In addition to standard template tags, comments can use <code>#commenter#</code> to post the commenter's name in the Tweet. <em>Use this at your own risk</em>, as it lets anybody who can post a comment on your site post a phrase in your Twitter stream."
187
+ msgstr ""
188
+
189
+ #: wp-to-twitter.php:60
190
+ msgid "The current version of WP Tweets PRO is <strong>%s</strong>. Upgrade for best compatibility!"
191
+ msgstr "Die aktuelle Version von WP Tweets PRO ist <strong>%s</strong>. Bitte upgraden für eine bessere Kompatibilität!"
192
+
193
+ #: wpt-functions.php:239
194
+ msgid "Thank you for supporting the continuing development of this plug-in! I'll get back to you as soon as I can. Please ensure that you can receive email at <code>%s</code>."
195
+ msgstr "Vielen Dank, dass Sie die Weiterentwicklung dieses Plugins unterstützen! Ich werde mich so bald wie möglich bei Ihnen melden. Bitte stellen Sie sicher, dass Sie E-Mails an <code>%s</code> empfangen können."
196
+
197
+ #: wpt-functions.php:241
198
+ msgid "Thanks for using WP to Twitter. Please ensure that you can receive email at <code>%s</code>."
199
+ msgstr "Vielen Dank für die Benutzung von WP to Twitter. Bitte stellen Sie sicher, dass Sie E-Mails an <code>%s</code> empfangen können."
200
+
201
+ #: wpt-functions.php:261
202
+ msgid "Reply to:"
203
+ msgstr "Antwort an:"
204
+
205
+ #: wp-to-twitter-manager.php:666
206
+ msgid "The lowest user group that can add their Twitter information"
207
+ msgstr "Der niedrigste Benutzer-Grupper, der seine Twitter Information eintragen kann."
208
+
209
+ #: wp-to-twitter-manager.php:671
210
+ msgid "The lowest user group that can see the Custom Tweet options when posting"
211
+ msgstr "Der niedrigste Benutzer-Grupper, der die benutzerdefinierte Tweet Optionen beim Posten sehen kann."
212
+
213
+ #: wp-to-twitter-manager.php:676
214
+ msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
215
+ msgstr "Der niedrigste Benutzer-Grupper, der die Tweetern/Nicht tweetern Option umschalten kann. "
216
+
217
+ #: wp-to-twitter-manager.php:681
218
+ msgid "The lowest user group that can send Twitter updates"
219
+ msgstr "Der niedrigste Benutzer-Grupper, der Twitter Updates senden kann. "
220
+
221
+ #: wp-to-twitter-manager.php:809
222
+ msgid "<code>#author#</code>: the post author (@reference if available, otherwise display name)"
223
+ msgstr ""
224
+
225
+ #: wp-to-twitter-manager.php:810
226
+ msgid "<code>#displayname#</code>: post author's display name"
227
+ msgstr ""
228
+
229
+ #: wp-to-twitter.php:274
230
+ msgid "This tweet was blank and could not be sent to Twitter."
231
+ msgstr "Dieser Tweet war leer und konnte nicht an Twitter gesendet werden."
232
+
233
+ #: wp-to-twitter.php:307
234
+ msgid "404 Not Found: The URI requested is invalid or the resource requested does not exist."
235
+ msgstr ""
236
+
237
+ #: wp-to-twitter.php:310
238
+ msgid "406 Not Acceptable: Invalid Format Specified."
239
+ msgstr ""
240
+
241
+ #: wp-to-twitter.php:313
242
+ msgid "429 Too Many Requests: You have exceeded your rate limits."
243
+ msgstr ""
244
+
245
+ #: wp-to-twitter.php:325
246
+ msgid "504 Gateway Timeout: The Twitter servers are up, but the request couldn't be serviced due to some failure within our stack. Try again later."
247
+ msgstr ""
248
+
249
+ #: wp-to-twitter.php:969
250
+ msgid "Your prepended Tweet text; not part of your template."
251
+ msgstr ""
252
+
253
+ #: wp-to-twitter.php:972
254
+ msgid "Your appended Tweet text; not part of your template."
255
+ msgstr ""
256
+
257
+ #: wp-to-twitter.php:1074
258
+ msgid "Your role does not have the ability to Post Tweets from this site."
259
+ msgstr ""
260
+
261
+ #: wp-to-twitter.php:1180
262
+ msgid "Hide account name in Tweets"
263
+ msgstr ""
264
+
265
+ #: wp-to-twitter.php:1181
266
+ msgid "Do not display my account in the #account# template tag."
267
+ msgstr ""
268
+
269
+ #: wpt-functions.php:264
270
+ msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
271
+ msgstr ""
272
+
273
+ #: wpt-functions.php:267
274
+ msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
275
+ msgstr ""
276
+
277
+ #: wpt-functions.php:270
278
+ msgid "Support Request:"
279
+ msgstr ""
280
+
281
+ #: wp-to-twitter-manager.php:472
282
+ msgid "Settings for type \"%1$s\""
283
+ msgstr ""
284
+
285
+ #: wp-to-twitter-manager.php:475
286
+ msgid "Update when %1$s %2$s is published"
287
+ msgstr ""
288
+
289
+ #: wp-to-twitter-manager.php:475
290
+ msgid "Text for new %1$s updates"
291
+ msgstr ""
292
+
293
+ #: wp-to-twitter-manager.php:479
294
+ msgid "Update when %1$s %2$s is edited"
295
+ msgstr ""
296
+
297
+ #: wp-to-twitter-manager.php:479
298
+ msgid "Text for %1$s editing updates"
299
+ msgstr ""
300
+
301
+ #: wp-to-twitter-oauth.php:209
302
+ msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
303
+ msgstr ""
304
+
305
+ #: wp-to-twitter-shorteners.php:555
306
+ msgid "Use Twitter Friendly Links."
307
+ msgstr ""
308
+
309
+ #: wp-to-twitter-shorteners.php:329
310
+ msgid "View your Bit.ly username and API key"
311
+ msgstr ""
312
+
313
+ #: wp-to-twitter-shorteners.php:391
314
+ msgid "Your shortener does not require any account settings."
315
+ msgstr ""
316
+
317
+ #: wp-to-twitter.php:288
318
+ msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
319
+ msgstr "Ihr Twitter-Anwendung nicht über Lese-und Schreibrechte. Zum <a href=\"%s\">Ihrem Twitter Apps</a>, um diese Einstellungen zu ändern."
320
+
321
+ #: wp-to-twitter.php:1046
322
+ msgid "Failed Tweets"
323
+ msgstr ""
324
+
325
+ #: wp-to-twitter.php:1061
326
+ msgid "No failed tweets on this post."
327
+ msgstr ""
328
+
329
+ #: wp-to-twitter-manager.php:783
330
+ msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
331
+ msgstr ""
332
+
333
+ #: wp-to-twitter-manager.php:815
334
+ msgid "<code>#reference#</code>: Used only in co-tweeting. @reference to main account when posted to author account, @reference to author account in post to main account."
335
+ msgstr ""
336
+
337
+ #: wp-to-twitter-oauth.php:276
338
+ msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
339
+ msgstr ""
340
+
341
+ #: wp-to-twitter.php:259
342
+ msgid "This account is not authorized to post to Twitter."
343
+ msgstr ""
344
+
345
+ #: wp-to-twitter.php:268
346
+ msgid "This tweet is identical to another Tweet recently sent to this account."
347
+ msgstr ""
348
+
349
+ #: wp-to-twitter.php:961
350
+ msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
351
+ msgstr ""
352
+
353
+ #: wp-to-twitter-shorteners.php:295
354
+ msgid "(optional)"
355
+ msgstr ""
356
+
357
+ #: wp-to-twitter-manager.php:599
358
+ msgid "Do not post Tweets by default (editing only)"
359
+ msgstr ""
360
+
361
+ #: wp-to-twitter-manager.php:807
362
+ msgid "<code>#modified#</code>: the post modified date"
363
+ msgstr ""
364
+
365
+ #: wp-to-twitter-oauth.php:274
366
+ msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
367
+ msgstr ""
368
+
369
+ #: wp-to-twitter-manager.php:644
370
+ msgid "Authors have individual Twitter accounts"
371
+ msgstr "Autoren haben individuelle Twitter Accounts"
372
+
373
+ #: wp-to-twitter-manager.php:687
374
+ msgid "Disable global URL shortener error messages."
375
+ msgstr ""
376
+
377
+ #: wp-to-twitter-manager.php:688
378
+ msgid "Disable global Twitter API error messages."
379
+ msgstr ""
380
+
381
+ #: wp-to-twitter-manager.php:690
382
+ msgid "Get Debugging Data for OAuth Connection"
383
+ msgstr ""
384
+
385
+ #: wp-to-twitter-manager.php:692
386
+ msgid "Switch to <code>http</code> connection. (Default is https)"
387
+ msgstr ""
388
+
389
+ #: wp-to-twitter-manager.php:694
390
+ msgid "I made a donation, so stop whinging at me, please."
391
+ msgstr ""
392
+
393
+ #: wp-to-twitter-manager.php:708
394
+ msgid "Limit Updating Categories"
395
+ msgstr ""
396
+
397
+ #: wp-to-twitter-manager.php:711
398
+ msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
399
+ msgstr ""
400
+
401
+ #: wp-to-twitter-manager.php:712
402
+ msgid "<em>Category limits are disabled.</em>"
403
+ msgstr ""
404
+
405
+ #: wp-to-twitter-manager.php:721
406
+ msgid "Get Plug-in Support"
407
+ msgstr ""
408
+
409
+ #: wp-to-twitter-manager.php:732
410
+ msgid "Check Support"
411
+ msgstr "Hilfe Ansehen"
412
+
413
+ #: wp-to-twitter-manager.php:732
414
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
415
+ msgstr ""
416
+
417
+ #: wp-to-twitter-manager.php:750
418
+ msgid "Support WP to Twitter"
419
+ msgstr ""
420
+
421
+ #: wp-to-twitter-manager.php:752
422
+ msgid "WP to Twitter Support"
423
+ msgstr ""
424
+
425
+ #: wp-to-twitter-manager.php:760 wp-to-twitter.php:1067 wp-to-twitter.php:1069
426
+ msgid "Get Support"
427
+ msgstr "Hilfe anfordern"
428
+
429
+ #: wp-to-twitter-manager.php:763
430
+ msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a> Every donation counts - donate $2, $10, or $100 and help me keep this plug-in running!"
431
+ msgstr ""
432
+
433
+ #: wp-to-twitter-manager.php:781
434
+ msgid "Upgrade Now!"
435
+ msgstr ""
436
+
437
+ #: wp-to-twitter-manager.php:784
438
+ msgid "Extra features with the PRO upgrade:"
439
+ msgstr ""
440
+
441
+ #: wp-to-twitter-manager.php:786
442
+ msgid "Users can post to their own Twitter accounts"
443
+ msgstr ""
444
+
445
+ #: wp-to-twitter-manager.php:787
446
+ msgid "Set a timer to send your Tweet minutes or hours after you publish the post"
447
+ msgstr ""
448
+
449
+ #: wp-to-twitter-manager.php:788
450
+ msgid "Automatically re-send Tweets at an assigned time after publishing"
451
+ msgstr ""
452
+
453
+ #: wp-to-twitter-manager.php:797
454
+ msgid "Shortcodes"
455
+ msgstr ""
456
+
457
+ #: wp-to-twitter-manager.php:799
458
+ msgid "Available in post update templates:"
459
+ msgstr ""
460
+
461
+ #: wp-to-twitter-manager.php:801
462
+ msgid "<code>#title#</code>: the title of your blog post"
463
+ msgstr ""
464
+
465
+ #: wp-to-twitter-manager.php:802
466
+ msgid "<code>#blog#</code>: the title of your blog"
467
+ msgstr ""
468
+
469
+ #: wp-to-twitter-manager.php:803
470
+ msgid "<code>#post#</code>: a short excerpt of the post content"
471
+ msgstr ""
472
+
473
+ #: wp-to-twitter-manager.php:804
474
+ msgid "<code>#category#</code>: the first selected category for the post"
475
+ msgstr ""
476
+
477
+ #: wp-to-twitter-manager.php:806
478
+ msgid "<code>#date#</code>: the post date"
479
+ msgstr ""
480
+
481
+ #: wp-to-twitter-manager.php:808
482
+ msgid "<code>#url#</code>: the post URL"
483
+ msgstr ""
484
+
485
+ #: wp-to-twitter-manager.php:811
486
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
487
+ msgstr ""
488
+
489
+ #: wp-to-twitter-manager.php:813
490
+ msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
491
+ msgstr ""
492
+
493
+ #: wp-to-twitter-manager.php:818
494
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
495
+ msgstr ""
496
+
497
+ #: wp-to-twitter-oauth.php:107
498
+ msgid "WP to Twitter was unable to establish a connection to Twitter."
499
+ msgstr ""
500
+
501
+ #: wp-to-twitter-oauth.php:177
502
+ msgid "There was an error querying Twitter's servers"
503
+ msgstr ""
504
+
505
+ #: wp-to-twitter-oauth.php:201 wp-to-twitter-oauth.php:203
506
+ msgid "Connect to Twitter"
507
+ msgstr ""
508
+
509
+ #: wp-to-twitter-oauth.php:206
510
+ msgid "WP to Twitter Set-up"
511
+ msgstr ""
512
+
513
+ #: wp-to-twitter-oauth.php:207 wp-to-twitter-oauth.php:298
514
+ #: wp-to-twitter-oauth.php:303
515
+ msgid "Your server time:"
516
+ msgstr ""
517
+
518
+ #: wp-to-twitter-oauth.php:207
519
+ msgid "Twitter's time:"
520
+ msgstr ""
521
+
522
+ #: wp-to-twitter-oauth.php:207
523
+ msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
524
+ msgstr ""
525
+
526
+ #: wp-to-twitter-oauth.php:213
527
+ msgid "1. Register this site as an application on "
528
+ msgstr ""
529
+
530
+ #: wp-to-twitter-oauth.php:213
531
+ msgid "Twitter's application registration page"
532
+ msgstr ""
533
+
534
+ #: wp-to-twitter-oauth.php:215
535
+ msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
536
+ msgstr ""
537
+
538
+ #: wp-to-twitter-oauth.php:216
539
+ msgid "Your Application's Name will show up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\""
540
+ msgstr ""
541
+
542
+ #: wp-to-twitter-oauth.php:217
543
+ msgid "Your Application Description can be anything."
544
+ msgstr ""
545
+
546
+ #: wp-to-twitter-oauth.php:218
547
+ msgid "The WebSite and Callback URL should be "
548
+ msgstr ""
549
+
550
+ #: wp-to-twitter-oauth.php:220
551
+ msgid "Agree to the Developer Rules of the Road and continue."
552
+ msgstr ""
553
+
554
+ #: wp-to-twitter-oauth.php:221
555
+ msgid "2. Switch to the \"Settings\" tab in Twitter apps"
556
+ msgstr ""
557
+
558
+ #: wp-to-twitter-oauth.php:223
559
+ msgid "Select \"Read and Write\" for the Application Type"
560
+ msgstr ""
561
+
562
+ #: wp-to-twitter-oauth.php:224
563
+ msgid "Update the application settings"
564
+ msgstr ""
565
+
566
+ #: wp-to-twitter-oauth.php:225
567
+ msgid "Return to the Details tab and create your access token. Refresh page to view your access tokens."
568
+ msgstr ""
569
+
570
+ #: wp-to-twitter-oauth.php:227
571
+ msgid "Once you have registered your site as an application, you will be provided with four keys."
572
+ msgstr ""
573
+
574
+ #: wp-to-twitter-oauth.php:228
575
+ msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
576
+ msgstr ""
577
+
578
+ #: wp-to-twitter-oauth.php:231
579
+ msgid "Twitter Consumer Key"
580
+ msgstr ""
581
+
582
+ #: wp-to-twitter-oauth.php:235
583
+ msgid "Twitter Consumer Secret"
584
+ msgstr ""
585
+
586
+ #: wp-to-twitter-oauth.php:239
587
+ msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
588
+ msgstr ""
589
+
590
+ #: wp-to-twitter-oauth.php:240
591
+ msgid "If the Access level for your Access Token is not \"<em>Read and write</em>\", you must return to step 2 and generate a new Access Token."
592
+ msgstr ""
593
+
594
+ #: wp-to-twitter-oauth.php:243
595
+ msgid "Access Token"
596
+ msgstr ""
597
+
598
+ #: wp-to-twitter-oauth.php:247
599
+ msgid "Access Token Secret"
600
+ msgstr ""
601
+
602
+ #: wp-to-twitter-oauth.php:266
603
+ msgid "Disconnect Your WordPress and Twitter Account"
604
+ msgstr ""
605
+
606
+ #: wp-to-twitter-oauth.php:270
607
+ msgid "Disconnect your WordPress and Twitter Account"
608
+ msgstr ""
609
+
610
+ #: wp-to-twitter-oauth.php:280
611
+ msgid "Disconnect from Twitter"
612
+ msgstr ""
613
+
614
+ #: wp-to-twitter-oauth.php:286
615
+ msgid "Twitter Username "
616
+ msgstr ""
617
+
618
+ #: wp-to-twitter-oauth.php:287
619
+ msgid "Consumer Key "
620
+ msgstr ""
621
+
622
+ #: wp-to-twitter-oauth.php:288
623
+ msgid "Consumer Secret "
624
+ msgstr ""
625
+
626
+ #: wp-to-twitter-oauth.php:289
627
+ msgid "Access Token "
628
+ msgstr ""
629
+
630
+ #: wp-to-twitter-oauth.php:290
631
+ msgid "Access Token Secret "
632
+ msgstr ""
633
+
634
+ #: wp-to-twitter.php:42
635
+ msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
636
+ msgstr ""
637
+
638
+ #: wp-to-twitter-oauth.php:192
639
+ msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
640
+ msgstr ""
641
+
642
+ #: wp-to-twitter.php:293
643
+ msgid "200 OK: Success!"
644
+ msgstr ""
645
+
646
+ #: wp-to-twitter.php:297
647
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
648
+ msgstr ""
649
+
650
+ #: wp-to-twitter.php:300
651
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
652
+ msgstr ""
653
+
654
+ #: wp-to-twitter.php:316
655
+ msgid "500 Internal Server Error: Something is broken at Twitter."
656
+ msgstr ""
657
+
658
+ #: wp-to-twitter.php:322
659
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
660
+ msgstr ""
661
+
662
+ #: wp-to-twitter.php:319
663
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
664
+ msgstr ""
665
+
666
+ #: wp-to-twitter.php:354
667
+ msgid "No Twitter OAuth connection found."
668
+ msgstr ""
669
+
670
+ #: wp-to-twitter.php:1032
671
+ msgid "Previous Tweets"
672
+ msgstr ""
673
+
674
+ #: wp-to-twitter.php:964
675
+ msgid "Custom Twitter Post"
676
+ msgstr ""
677
+
678
+ #: wp-to-twitter.php:988
679
+ msgid "Your template:"
680
+ msgstr ""
681
+
682
+ #: wp-to-twitter.php:993
683
+ msgid "YOURLS Custom Keyword"
684
+ msgstr ""
685
+
686
+ #: wp-to-twitter.php:1067
687
+ msgid "Upgrade to WP Tweets Pro"
688
+ msgstr ""
689
+
690
+ #: wp-to-twitter.php:1005
691
+ msgid "Don't Tweet this post."
692
+ msgstr "Diesen Eintrag nicht twittern."
693
+
694
+ #: wp-to-twitter.php:1005
695
+ msgid "Tweet this post."
696
+ msgstr ""
697
+
698
+ #: wp-to-twitter.php:1017
699
+ msgid "Access to customizing WP to Twitter values is not allowed for your user role."
700
+ msgstr ""
701
+
702
+ #: wp-to-twitter.php:1106
703
+ msgid "Characters left: "
704
+ msgstr ""
705
+
706
+ #: wp-to-twitter.php:1166
707
+ msgid "WP Tweets User Settings"
708
+ msgstr ""
709
+
710
+ #: wp-to-twitter.php:1170
711
+ msgid "Use My Twitter Username"
712
+ msgstr ""
713
+
714
+ #: wp-to-twitter.php:1171
715
+ msgid "Tweet my posts with an @ reference to my username."
716
+ msgstr ""
717
+
718
+ #: wp-to-twitter.php:1172
719
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
720
+ msgstr ""
721
+
722
+ #: wp-to-twitter.php:1176
723
+ msgid "Your Twitter Username"
724
+ msgstr "Dein Twitter Benutzername"
725
+
726
+ #: wp-to-twitter.php:1177
727
+ msgid "Enter your own Twitter username."
728
+ msgstr "Gib deinen Twitter Benutzernamen ein."
729
+
730
+ #: wp-to-twitter.php:1233
731
+ msgid "Check off categories to tweet"
732
+ msgstr ""
733
+
734
+ #: wp-to-twitter.php:1237
735
+ msgid "Do not tweet posts in checked categories (Reverses default behavior)"
736
+ msgstr ""
737
+
738
+ #: wp-to-twitter.php:1254
739
+ msgid "Limits are exclusive. If a post is in one category which should be posted and one category that should not, it will not be posted."
740
+ msgstr ""
741
+
742
+ #: wp-to-twitter.php:1257
743
+ msgid "Set Categories"
744
+ msgstr ""
745
+
746
+ #: wp-to-twitter.php:1280
747
+ msgid "Settings"
748
+ msgstr "Einstellungen"
749
+
750
+ #: wp-to-twitter.php:1318
751
+ msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
752
+ msgstr ""
753
+
754
+ msgid "WP to Twitter"
755
+ msgstr "WP to Twitter"
756
+
757
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
758
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
759
+
760
+ msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
761
+ msgstr ""
762
+
763
+ msgid "Joseph Dolson"
764
+ msgstr "Joseph Dolson"
765
+
766
+ msgid "http://www.joedolson.com/"
767
+ msgstr "http://www.joedolson.com/"
768
+
769
+ #: wpt-functions.php:233
770
+ msgid "Please read the FAQ and other Help documents before making a support request."
771
+ msgstr ""
772
+
773
+ #: wpt-functions.php:235
774
+ msgid "Please describe your problem. I'm not psychic."
775
+ msgstr ""
776
+
777
+ #: wpt-functions.php:256
778
+ msgid "<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message."
779
+ msgstr ""
780
+
781
+ #: wpt-functions.php:273
782
+ msgid "Send Support Request"
783
+ msgstr ""
784
+
785
+ #: wpt-functions.php:276
786
+ msgid "The following additional information will be sent with your support request:"
787
+ msgstr ""
788
+
789
+ #: wp-to-twitter-manager.php:39
790
+ msgid "No error information is available for your shortener."
791
+ msgstr ""
792
+
793
+ #: wp-to-twitter-manager.php:41
794
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
795
+ msgstr ""
796
+
797
+ #: wp-to-twitter-manager.php:44
798
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
799
+ msgstr ""
800
+
801
+ #: wp-to-twitter-manager.php:52
802
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
803
+ msgstr ""
804
+
805
+ #: wp-to-twitter-manager.php:55
806
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
807
+ msgstr ""
808
+
809
+ #: wp-to-twitter-manager.php:59
810
+ msgid "You have not connected WordPress to Twitter."
811
+ msgstr ""
812
+
813
+ #: wp-to-twitter-manager.php:63
814
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
815
+ msgstr ""
816
+
817
+ #: wp-to-twitter-manager.php:67
818
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
819
+ msgstr "<li><strong>Dein Server sollte WP to Twitter problemlos ausführen.</strong></li>"
820
+
821
+ #: wp-to-twitter-manager.php:85
822
+ msgid "WP to Twitter Errors Cleared"
823
+ msgstr "WP to Twitter Fehlermeldung gelöscht."
824
+
825
+ #: wp-to-twitter-manager.php:169
826
+ msgid "WP to Twitter is now connected with Twitter."
827
+ msgstr ""
828
+
829
+ #: wp-to-twitter-manager.php:183
830
+ msgid "OAuth Authentication Data Cleared."
831
+ msgstr ""
832
+
833
+ #: wp-to-twitter-manager.php:190
834
+ msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
835
+ msgstr ""
836
+
837
+ #: wp-to-twitter-manager.php:197
838
+ msgid "OAuth Authentication response not understood."
839
+ msgstr ""
840
+
841
+ #: wp-to-twitter-manager.php:360
842
+ msgid "WP to Twitter Advanced Options Updated"
843
+ msgstr ""
844
+
845
+ #: wp-to-twitter-shorteners.php:523
846
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
847
+ msgstr "Du musst deinen Bit.ly Login und API Key eingeben um die URLs mit Bit.ly zu kürzen."
848
+
849
+ #: wp-to-twitter-shorteners.php:531
850
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
851
+ msgstr ""
852
+
853
+ #: wp-to-twitter-shorteners.php:535
854
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
855
+ msgstr ""
856
+
857
+ #: wp-to-twitter-manager.php:382
858
+ msgid "WP to Twitter Options Updated"
859
+ msgstr "WP to Twitter Einstellungen Aktualisiert"
860
+
861
+ #: wp-to-twitter-manager.php:391
862
+ msgid "Category limits updated."
863
+ msgstr ""
864
+
865
+ #: wp-to-twitter-manager.php:395
866
+ msgid "Category limits unset."
867
+ msgstr ""
868
+
869
+ #: wp-to-twitter-shorteners.php:403
870
+ msgid "YOURLS password updated. "
871
+ msgstr ""
872
+
873
+ #: wp-to-twitter-shorteners.php:406
874
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
875
+ msgstr ""
876
+
877
+ #: wp-to-twitter-shorteners.php:408
878
+ msgid "Failed to save your YOURLS password! "
879
+ msgstr ""
880
+
881
+ #: wp-to-twitter-shorteners.php:412
882
+ msgid "YOURLS username added. "
883
+ msgstr ""
884
+
885
+ #: wp-to-twitter-shorteners.php:416
886
+ msgid "YOURLS API url added. "
887
+ msgstr ""
888
+
889
+ #: wp-to-twitter-shorteners.php:419
890
+ msgid "YOURLS API url removed. "
891
+ msgstr ""
892
+
893
+ #: wp-to-twitter-shorteners.php:424
894
+ msgid "YOURLS local server path added. "
895
+ msgstr ""
896
+
897
+ #: wp-to-twitter-shorteners.php:426
898
+ msgid "The path to your YOURLS installation is not correct. "
899
+ msgstr ""
900
+
901
+ #: wp-to-twitter-shorteners.php:430
902
+ msgid "YOURLS local server path removed. "
903
+ msgstr ""
904
+
905
+ #: wp-to-twitter-shorteners.php:435
906
+ msgid "YOURLS will use Post ID for short URL slug."
907
+ msgstr ""
908
+
909
+ #: wp-to-twitter-shorteners.php:437
910
+ msgid "YOURLS will use your custom keyword for short URL slug."
911
+ msgstr ""
912
+
913
+ #: wp-to-twitter-shorteners.php:441
914
+ msgid "YOURLS will not use Post ID for the short URL slug."
915
+ msgstr ""
916
+
917
+ #: wp-to-twitter-shorteners.php:449
918
+ msgid "Su.pr API Key and Username Updated"
919
+ msgstr ""
920
+
921
+ #: wp-to-twitter-shorteners.php:453
922
+ msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
923
+ msgstr ""
924
+
925
+ #: wp-to-twitter-shorteners.php:455
926
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
927
+ msgstr ""
928
+
929
+ #: wp-to-twitter-shorteners.php:461
930
+ msgid "Bit.ly API Key Updated."
931
+ msgstr "Bit.ly API Key aktualisiert."
932
+
933
+ #: wp-to-twitter-shorteners.php:464
934
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
935
+ msgstr "Bit.ly API Key gelöscht. Du kannst die Bit.ly API nicht ohne API Key verwenden."
936
+
937
+ #: wp-to-twitter-shorteners.php:466
938
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
939
+ msgstr "Bit.ly API Key nicht hinzugefügt - <a href='http://bit.ly/account/'>HIER anfordern</a>! Ein API Key wird für den Bit.ly Dienst benötigt."
940
+
941
+ #: wp-to-twitter-shorteners.php:470
942
+ msgid " Bit.ly User Login Updated."
943
+ msgstr "Bit.ly Benutzer Login aktualisiert."
944
+
945
+ #: wp-to-twitter-shorteners.php:473
946
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
947
+ msgstr "Bit.ly Benutzer Login gelöscht. Du kannst die Bit.ly API nicht ohne Benutzernamen verwenden."
948
+
949
+ #: wp-to-twitter-shorteners.php:475
950
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
951
+ msgstr "Bit.ly Login nicht hinzugefügt - <a href='http://bit.ly/account/'>HIER</a> klicken zum Anlegen!"
952
+
953
+ #: wp-to-twitter-manager.php:414
954
+ msgid "<p>One or more of your last posts has failed to send a status update to Twitter. The Tweet has been saved, and you can re-Tweet it at your leisure.</p>"
955
+ msgstr ""
956
+
957
+ #: wp-to-twitter-manager.php:420
958
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
959
+ msgstr "Sorry! Ich konnte den Twitter Server nicht erreichten, um einen Tweet über deinen neuen <strong>neuen Link</strong> zu veröffentlichen! Ich befürchte, du musst ihn manuell veröffentlichen."
960
+
961
+ #: wp-to-twitter-manager.php:423
962
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues.</p>"
963
+ msgstr ""
964
+
965
+ #: wp-to-twitter-manager.php:429
966
+ msgid "Clear 'WP to Twitter' Error Messages"
967
+ msgstr "'WP to Twitter' Fehlermeldung löschen"
968
+
969
+ #: wp-to-twitter-manager.php:435
970
+ msgid "WP to Twitter Options"
971
+ msgstr "WP to Twitter Einstellungen"
972
+
973
+ #: wp-to-twitter-manager.php:448
974
+ msgid "Basic Settings"
975
+ msgstr ""
976
+
977
+ #: wp-to-twitter-manager.php:454 wp-to-twitter-manager.php:507
978
+ msgid "Save WP->Twitter Options"
979
+ msgstr "WP->Twitter Einstellungen sichern"
980
+
981
+ #: wp-to-twitter-manager.php:487
982
+ msgid "Settings for Comments"
983
+ msgstr ""
984
+
985
+ #: wp-to-twitter-manager.php:490
986
+ msgid "Update Twitter when new comments are posted"
987
+ msgstr ""
988
+
989
+ #: wp-to-twitter-manager.php:491
990
+ msgid "Text for new comments:"
991
+ msgstr ""
992
+
993
+ #: wp-to-twitter-manager.php:496
994
+ msgid "Settings for Links"
995
+ msgstr ""
996
+
997
+ #: wp-to-twitter-manager.php:499
998
+ msgid "Update Twitter when you post a Blogroll link"
999
+ msgstr "Aktualisiere Twitter wenn du einen neuen Blogroll Link veröffentlichst."
1000
+
1001
+ #: wp-to-twitter-manager.php:500
1002
+ msgid "Text for new link updates:"
1003
+ msgstr "Text für neue Link Aktualisierung: "
1004
+
1005
+ #: wp-to-twitter-manager.php:500
1006
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
1007
+ msgstr "Vorhandene Codes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
1008
+
1009
+ #: wp-to-twitter-shorteners.php:547
1010
+ msgid "Don't shorten URLs."
1011
+ msgstr "URLs nicht kürzen."
1012
+
1013
+ #: wp-to-twitter-shorteners.php:291
1014
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
1015
+ msgstr ""
1016
+
1017
+ #: wp-to-twitter-shorteners.php:295
1018
+ msgid "Your Su.pr account details"
1019
+ msgstr ""
1020
+
1021
+ #: wp-to-twitter-shorteners.php:300
1022
+ msgid "Your Su.pr Username:"
1023
+ msgstr ""
1024
+
1025
+ #: wp-to-twitter-shorteners.php:304
1026
+ msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
1027
+ msgstr ""
1028
+
1029
+ #: wp-to-twitter-shorteners.php:311
1030
+ msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
1031
+ msgstr ""
1032
+
1033
+ #: wp-to-twitter-shorteners.php:317
1034
+ msgid "Your Bit.ly account details"
1035
+ msgstr "Deine Bit.ly Account Informationen"
1036
+
1037
+ #: wp-to-twitter-shorteners.php:322
1038
+ msgid "Your Bit.ly username:"
1039
+ msgstr "Dein Bit.ly Benutzername:"
1040
+
1041
+ #: wp-to-twitter-shorteners.php:326
1042
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
1043
+ msgstr "Dein Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
1044
+
1045
+ #: wp-to-twitter-shorteners.php:334
1046
+ msgid "Save Bit.ly API Key"
1047
+ msgstr "Bit.ly API Key gespeichert"
1048
+
1049
+ #: wp-to-twitter-shorteners.php:334
1050
+ msgid "Clear Bit.ly API Key"
1051
+ msgstr "Bit.ly API Key entfernen"
1052
+
1053
+ #: wp-to-twitter-shorteners.php:334
1054
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
1055
+ msgstr "Ein Bit.ly API Key und Benutzernamen werden für den URL Kürzer von der Bit.ly API und WP to Twitter benötigt."
1056
+
1057
+ #: wp-to-twitter-shorteners.php:340
1058
+ msgid "Your YOURLS account details"
1059
+ msgstr ""
1060
+
1061
+ #: wp-to-twitter-shorteners.php:345
1062
+ msgid "Path to your YOURLS config file (Local installations)"
1063
+ msgstr ""
1064
+
1065
+ #: wp-to-twitter-shorteners.php:346 wp-to-twitter-shorteners.php:350
1066
+ msgid "Example:"
1067
+ msgstr ""
1068
+
1069
+ #: wp-to-twitter-shorteners.php:349
1070
+ msgid "URI to the YOURLS API (Remote installations)"
1071
+ msgstr ""
1072
+
1073
+ #: wp-to-twitter-shorteners.php:353
1074
+ msgid "Your YOURLS username:"
1075
+ msgstr ""
1076
+
1077
+ #: wp-to-twitter-shorteners.php:357
1078
+ msgid "Your YOURLS password:"
1079
+ msgstr ""
1080
+
1081
+ #: wp-to-twitter-shorteners.php:357
1082
+ msgid "<em>Saved</em>"
1083
+ msgstr ""
1084
+
1085
+ #: wp-to-twitter-shorteners.php:361
1086
+ msgid "Post ID for YOURLS url slug."
1087
+ msgstr ""
1088
+
1089
+ #: wp-to-twitter-shorteners.php:362
1090
+ msgid "Custom keyword for YOURLS url slug."
1091
+ msgstr ""
1092
+
1093
+ #: wp-to-twitter-shorteners.php:363
1094
+ msgid "Default: sequential URL numbering."
1095
+ msgstr ""
1096
+
1097
+ #: wp-to-twitter-shorteners.php:369
1098
+ msgid "Save YOURLS Account Info"
1099
+ msgstr ""
1100
+
1101
+ #: wp-to-twitter-shorteners.php:369
1102
+ msgid "Clear YOURLS password"
1103
+ msgstr ""
1104
+
1105
+ #: wp-to-twitter-shorteners.php:369
1106
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
1107
+ msgstr ""
1108
+
1109
+ #: wp-to-twitter-manager.php:518
1110
+ msgid "Advanced Settings"
1111
+ msgstr ""
1112
+
1113
+ #: wp-to-twitter-manager.php:523 wp-to-twitter-manager.php:700
1114
+ msgid "Save Advanced WP->Twitter Options"
1115
+ msgstr ""
1116
+
1117
+ #: wp-to-twitter-manager.php:528
1118
+ msgid "Strip nonalphanumeric characters from tags"
1119
+ msgstr ""
1120
+
1121
+ #: wp-to-twitter-manager.php:534
1122
+ msgid "Spaces in tags replaced with:"
1123
+ msgstr ""
1124
+
1125
+ #: wp-to-twitter-manager.php:537
1126
+ msgid "Maximum number of tags to include:"
1127
+ msgstr "Maximale Anzahl von Tags pro Tweet:"
1128
+
1129
+ #: wp-to-twitter-manager.php:538
1130
+ msgid "Maximum length in characters for included tags:"
1131
+ msgstr "Maximale Länge von Zeichen inklusive Tags:"
1132
+
1133
+ #: wp-to-twitter-manager.php:544
1134
+ msgid "Length of post excerpt (in characters):"
1135
+ msgstr "Länge des Blogeintrag Auszugs (in Zeichen):"
1136
+
1137
+ #: wp-to-twitter-manager.php:547
1138
+ msgid "WP to Twitter Date Formatting:"
1139
+ msgstr "WP to Twitter Datums Format:"
1140
+
1141
+ #: wp-to-twitter-manager.php:547
1142
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1143
+ msgstr "Der Standard ist aus den Allgemeinen Einstellungne. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Datumsformat Dokumentation</a>."
1144
+
1145
+ #: wp-to-twitter-manager.php:551
1146
+ msgid "Custom text before all Tweets:"
1147
+ msgstr ""
1148
+
1149
+ #: wp-to-twitter-manager.php:554
1150
+ msgid "Custom text after all Tweets:"
1151
+ msgstr ""
1152
+
1153
+ #: wp-to-twitter-manager.php:557
1154
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1155
+ msgstr "Benutzerfeld für eine alternative URL zum Verkürzen und Tweeten:"
1156
+
1157
+ #: wp-to-twitter-manager.php:594
1158
+ msgid "Special Cases when WordPress should send a Tweet"
1159
+ msgstr "Spezialfälle wenn WordPress einen Tweet senden soll"
1160
+
1161
+ #: wp-to-twitter-manager.php:597
1162
+ msgid "Do not post Tweets by default"
1163
+ msgstr ""
1164
+
1165
+ #: wp-to-twitter-manager.php:603
1166
+ msgid "Allow status updates from Quick Edit"
1167
+ msgstr ""
1168
+
1169
+ #: wp-to-twitter-manager.php:608
1170
+ msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
1171
+ msgstr ""
1172
+
1173
+ #: wp-to-twitter-manager.php:615
1174
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1175
+ msgstr "Twitter Aktualisierungen bei Remote Veröffentlichungen (Einträge per Email oder XMLRPC Client)"
1176
+
1177
+ #: wp-to-twitter-manager.php:620
1178
+ msgid "Google Analytics Settings"
1179
+ msgstr ""
1180
+
1181
+ #: wp-to-twitter-manager.php:621
1182
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
1183
+ msgstr ""
1184
+
1185
+ #: wp-to-twitter-manager.php:625
1186
+ msgid "Use a Static Identifier with WP-to-Twitter"
1187
+ msgstr ""
1188
+
1189
+ #: wp-to-twitter-manager.php:626
1190
+ msgid "Static Campaign identifier for Google Analytics:"
1191
+ msgstr ""
1192
+
1193
+ #: wp-to-twitter-manager.php:630
1194
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1195
+ msgstr ""
1196
+
1197
+ #: wp-to-twitter-manager.php:631
1198
+ msgid "What dynamic identifier would you like to use?"
1199
+ msgstr ""
1200
+
1201
+ #: wp-to-twitter-manager.php:633
1202
+ msgid "Category"
1203
+ msgstr ""
1204
+
1205
+ #: wp-to-twitter-manager.php:634
1206
+ msgid "Post ID"
1207
+ msgstr ""
1208
+
1209
+ #: wp-to-twitter-manager.php:635
1210
+ msgid "Post Title"
1211
+ msgstr ""
1212
+
1213
+ #: wp-to-twitter-manager.php:636
1214
+ msgid "Author"
1215
+ msgstr ""
wp-to-twitter-es_ES.mo → lang/wp-to-twitter-es_ES.mo RENAMED
File without changes
wp-to-twitter-es_ES.po → lang/wp-to-twitter-es_ES.po RENAMED
@@ -1,519 +1,519 @@
1
- msgid ""
2
- msgstr ""
3
- "Project-Id-Version: WP to Twitter\n"
4
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
5
- "POT-Creation-Date: 2009-09-26 22:40+0000\n"
6
- "PO-Revision-Date: \n"
7
- "Last-Translator: David Gil <dgilperez@gmail.com>\n"
8
- "Language-Team: www.sohelet.com <dgilperez@sohelet.com>\n"
9
- "MIME-Version: 1.0\n"
10
- "Content-Type: text/plain; charset=UTF-8\n"
11
- "Content-Transfer-Encoding: 8bit\n"
12
- "X-Poedit-Language: Spanish\n"
13
- "X-Poedit-Country: SPAIN\n"
14
-
15
- #: functions.php:117
16
- msgid "Twitter Password Saved"
17
- msgstr "Contraseña de Twitter guardada"
18
-
19
- #: functions.php:119
20
- msgid "Twitter Password Not Saved"
21
- msgstr "Contraseña de Twitter no guardada"
22
-
23
- #: functions.php:126
24
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
25
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Esconder</a>] Si tiene problemas, por favor copie esta configuración en cualquier petición de soporte."
26
-
27
- #: wp-to-twitter-manager.php:60
28
- msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
29
- msgstr "¡introduzca su información de acceso a Twitter e información de API del acortador de URLs para usar este plugin!"
30
-
31
- #: wp-to-twitter-manager.php:66
32
- msgid "Please add your Twitter password. "
33
- msgstr "Por favor introduzca su contraseña de Twitter."
34
-
35
- #: wp-to-twitter-manager.php:72
36
- msgid "WP to Twitter Errors Cleared"
37
- msgstr "Errores de WP to Twitter eliminados"
38
-
39
- #: wp-to-twitter-manager.php:78
40
- msgid "URL shortener request failed! We couldn't shrink that URL, so we attached the normal URL to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]"
41
- msgstr "¡El acortador de URLs falló! No pudimos reducir la URL, de modo que hemos adjuntado la URL original al Tweet. Por favor, revise con su proveedor de URL por si el problema está identificado. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]"
42
-
43
- #: wp-to-twitter-manager.php:82
44
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
45
- msgstr "Lo siento, no he podido contactar con los servidores de Twitter para notificar su nueva entrada. Su Tweet ha sido almacenado en un campo personalizado adjunto a la entrada, puede Tweetearlo manualmente si quiere."
46
-
47
- #: wp-to-twitter-manager.php:84
48
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
49
- msgstr "Lo siento, no he podido contactar con los servidores de Twitter para notificar su nuevo enlace. Tendrá que Tweetearlo manualmente."
50
-
51
- #: wp-to-twitter-manager.php:137
52
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
53
- msgstr "Debe introducir su login y clave API de Bit.ly para acortar URLs con Bit.ly."
54
-
55
- #: wp-to-twitter-manager.php:146
56
- msgid "WP to Twitter Options Updated"
57
- msgstr "Opciones de WP to Twitter actualizadas"
58
-
59
- #: wp-to-twitter-manager.php:156
60
- msgid "Twitter login and password updated. "
61
- msgstr "Usuario y contraseña de Twitter actualizados."
62
-
63
- #: wp-to-twitter-manager.php:158
64
- msgid "You need to provide your twitter login and password! "
65
- msgstr "¡Es necesario que introduzca su nombre de usuario y contraseña de Twitter!"
66
-
67
- #: wp-to-twitter-manager.php:165
68
- msgid "Cligs API Key Updated"
69
- msgstr "Cli.gs: clave de API actualizada."
70
-
71
- #: wp-to-twitter-manager.php:168
72
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
73
- msgstr "Cli.gs: clave de API eliminada. Los Cli.gs creados por WP to Twitter ya no estarán asociados con su cuenta."
74
-
75
- #: wp-to-twitter-manager.php:170
76
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
77
- msgstr "Cli.gs: clave de API no añadida - ¡<a href='http://cli.gs/user/api/'>pinche aquí para conseguir una</a>! "
78
-
79
- #: wp-to-twitter-manager.php:176
80
- msgid "Bit.ly API Key Updated."
81
- msgstr "Bit.ly: clave de API actualizada."
82
-
83
- #: wp-to-twitter-manager.php:179
84
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
85
- msgstr "Clave API Bit.ly eliminada. You cannot use the Bit.ly API without an API key. "
86
-
87
- #: wp-to-twitter-manager.php:181
88
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
89
- msgstr "Clave de API de Bit.ly no añadida - ¡<a href='http://bit.ly/account/'>consiga una</a>! Se necesita una clave de API para usar el servicio de acortar URLs."
90
-
91
- #: wp-to-twitter-manager.php:185
92
- msgid " Bit.ly User Login Updated."
93
- msgstr "Bit.ly: usuario actualizado."
94
-
95
- #: wp-to-twitter-manager.php:188
96
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
97
- msgstr "Nombre de usuario de Bit.ly borrado. No puede usar el servicio Bit.ly sin proporcionar un nombre de usuario."
98
-
99
- #: wp-to-twitter-manager.php:190
100
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
101
- msgstr "Nombre de usuario de Bit.ly no añadido - ¡<a href='http://bit.ly/account/'>consiga uno</a>! "
102
-
103
- #: wp-to-twitter-manager.php:224
104
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
105
- msgstr "<li>Contacto correcto con Cli.gs API via Snoopy, pero la creación de la URL falló.</li>"
106
-
107
- #: wp-to-twitter-manager.php:226
108
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
109
- msgstr "<li>Contacto correcto con Cli.gs API via Snoopy, pero un error en el servidor de Cli.gs impidió el acortamiento de la URL.</li>"
110
-
111
- #: wp-to-twitter-manager.php:228
112
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy and created a shortened link.</li>"
113
- msgstr "<li>Contacto correcto con Cli.gs API via Snoopy y creación de URL acortada correcto.</li>"
114
-
115
- #: wp-to-twitter-manager.php:237
116
- #: wp-to-twitter-manager.php:262
117
- msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
118
- msgstr "<li>Contacto correcto con Bit.ly API via Snoopy.</li>"
119
-
120
- #: wp-to-twitter-manager.php:239
121
- #: wp-to-twitter-manager.php:264
122
- msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
123
- msgstr "<li>No he podido contactar con Bit.ly API via Snoopy.</li>"
124
-
125
- #: wp-to-twitter-manager.php:242
126
- msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
127
- msgstr "<li>No puedo conectar con Bit.ly API sin una clave API válida.</li>"
128
-
129
- #: wp-to-twitter-manager.php:246
130
- msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
131
- msgstr "<li>Contacto correcto con Twitter via Snoopy.</li>"
132
-
133
- #: wp-to-twitter-manager.php:248
134
- msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
135
- msgstr "<li>No he podido contactar con la API de Twitter via Snoopy.</li>"
136
-
137
- #: wp-to-twitter-manager.php:254
138
- msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
139
- msgstr "<li>Contacto correcto con Twitter via cURL.</li>"
140
-
141
- #: wp-to-twitter-manager.php:256
142
- msgid "<li>Failed to contact the Twitter API via cURL.</li>"
143
- msgstr "<li>No he podido contactar con la API de Twitter via cURL.</li>"
144
-
145
- #: wp-to-twitter-manager.php:268
146
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
147
- msgstr "<li>Contacto correcto con la API Cli.gs via Snoopy.</li>"
148
-
149
- #: wp-to-twitter-manager.php:271
150
- msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
151
- msgstr "<li>No he podido contactar con la API Cli.gs via Snoopy.</li>"
152
-
153
- #: wp-to-twitter-manager.php:276
154
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
155
- msgstr "<li><strong>Su servidor debe parece WP to Twitter correctamente.</strong></li>"
156
-
157
- #: wp-to-twitter-manager.php:281
158
- msgid "<li>Your server does not support <code>fputs</code>.</li>"
159
- msgstr "<li>Su servidor no soporta <code>fputs</code>.</li>"
160
-
161
- #: wp-to-twitter-manager.php:285
162
- msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
163
- msgstr "<li>Su servidor no soporta las funciones <code>file_get_contents</code> o <code>cURL</code>.</li>"
164
-
165
- #: wp-to-twitter-manager.php:289
166
- msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
167
- msgstr "<li>Su servidor no soporta <code>Snoopy</code>.</li>"
168
-
169
- #: wp-to-twitter-manager.php:292
170
- msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
171
- msgstr "<li><strong>Su servidor no parece soportar las funciones y clases PHP necesarias para que WP to Twitter funcione correctamente.</strong> Puede intentarlo de todas maneras, pero no hay garantías de que funcione. </li>"
172
-
173
- #: wp-to-twitter-manager.php:301
174
- msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
175
- msgstr "El plugin puede no funcionar completamente en su entorno de servidor. El plugin falló al contactar con ambas APIs del acortador de URLs y del servicio de Twitter."
176
-
177
- #: wp-to-twitter-manager.php:316
178
- msgid "WP to Twitter Options"
179
- msgstr "Opciones de WP to Twitter"
180
-
181
- #: wp-to-twitter-manager.php:320
182
- #: wp-to-twitter.php:759
183
- msgid "Get Support"
184
- msgstr "Consiga soporte"
185
-
186
- #: wp-to-twitter-manager.php:321
187
- msgid "Export Settings"
188
- msgstr "Exportar configuración"
189
-
190
- #: wp-to-twitter-manager.php:335
191
- msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
192
- msgstr "Para cada campo de actualización de entrada, puede usar los códigos <code>#title#</code> para el título de su entrada, <code>#blog#</code> para el nombre de su blog, <code>#post#</code> para un extracto de su entrada o <code>#url#</code> para la URL de la entrada (acortada o no, dependiendo de sus preferencias). También puede crear códigos personales para acceder a campos personalizados de Wordpress. Use dobles corchetes alrededor del nombre del campo personalizado para añadir su valor a su actualización de status. Ejemplo: <code>[[custom_field]]</code> ."
193
-
194
- #: wp-to-twitter-manager.php:342
195
- msgid "One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in the custom meta data for your post, and you can re-Tweet it at your leisure."
196
- msgstr "La actualización de estado de Twitter falló para una o más de sus últimas entradas. Su Tweet ha sido guardado en los metadatos de su entrada para que lo utilice a su conveniencia."
197
-
198
- #: wp-to-twitter-manager.php:345
199
- msgid "The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet."
200
- msgstr "La consulta a la API del acortador de URLs falló, por lo que la URL no se acortó. Se ha adjuntado la URL original a su Tweet."
201
-
202
- #: wp-to-twitter-manager.php:357
203
- msgid "Clear 'WP to Twitter' Error Messages"
204
- msgstr "Borrar los errores de WP to Twitter"
205
-
206
- #: wp-to-twitter-manager.php:366
207
- msgid "Set what should be in a Tweet"
208
- msgstr "Ajuste la estructura del Tweet"
209
-
210
- #: wp-to-twitter-manager.php:369
211
- msgid "Update when a post is published"
212
- msgstr "Actualizar cuando se publique una entrada"
213
-
214
- #: wp-to-twitter-manager.php:369
215
- msgid "Text for new post updates:"
216
- msgstr "Texto para nuevas entradas:"
217
-
218
- #: wp-to-twitter-manager.php:374
219
- msgid "Update when a post is edited"
220
- msgstr "Actualizar cuando se edite una entrada"
221
-
222
- #: wp-to-twitter-manager.php:374
223
- msgid "Text for editing updates:"
224
- msgstr "Texto para ediciones de entradas:"
225
-
226
- #: wp-to-twitter-manager.php:378
227
- msgid "Update Twitter when new Wordpress Pages are published"
228
- msgstr "Actualizar Twitter cuando se publique una nueva página de Wordpress"
229
-
230
- #: wp-to-twitter-manager.php:378
231
- msgid "Text for new page updates:"
232
- msgstr "Texto para nuevas páginas:"
233
-
234
- #: wp-to-twitter-manager.php:382
235
- msgid "Update Twitter when WordPress Pages are edited"
236
- msgstr "Actualizar Twitter cuando se edite una nueva página de Wordpress"
237
-
238
- #: wp-to-twitter-manager.php:382
239
- msgid "Text for page edit updates:"
240
- msgstr "Texto para ediciones de páginas:"
241
-
242
- #: wp-to-twitter-manager.php:386
243
- msgid "Add tags as hashtags on Tweets"
244
- msgstr "Añadir hashtags a los Tweets"
245
-
246
- #: wp-to-twitter-manager.php:388
247
- msgid "Maximum number of tags to include:"
248
- msgstr "Número máximo de tags a incluir:"
249
-
250
- #: wp-to-twitter-manager.php:389
251
- msgid "Maximum length in characters for included tags:"
252
- msgstr "Máximo número de caracteres para los tags incluidos:"
253
-
254
- #: wp-to-twitter-manager.php:390
255
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
256
- msgstr "Estas opciones le permiten restringir el número y longitud de etiquetas (tags) que se envían a Twitter como hashtags. Introduzca <code>0</code> o un valor en blanco para permitir todas las etiquetas."
257
-
258
- #: wp-to-twitter-manager.php:394
259
- msgid "Update Twitter when you post a Blogroll link"
260
- msgstr "Actualice Twitter cuando publique un enlace de Blogroll"
261
-
262
- #: wp-to-twitter-manager.php:396
263
- msgid "Text for new link updates:"
264
- msgstr "Texto para nuevos enlaces:"
265
-
266
- #: wp-to-twitter-manager.php:396
267
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
268
- msgstr "Códigos permitidos: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
269
-
270
- #: wp-to-twitter-manager.php:399
271
- msgid "Length of post excerpt (in characters):"
272
- msgstr "Longitud del extracto de entrada (en caracteres):"
273
-
274
- #: wp-to-twitter-manager.php:399
275
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
276
- msgstr "Extraido de la entrada misma por defecto. Si usa el campo 'Excerpt' (Extracto), se usará ése a su vez."
277
-
278
- #: wp-to-twitter-manager.php:403
279
- msgid "Custom text before Tweets:"
280
- msgstr "Texto personalizado antes de Tweets:"
281
-
282
- #: wp-to-twitter-manager.php:404
283
- msgid "Custom text after Tweets:"
284
- msgstr "Texto personalizado después de Tweets:"
285
-
286
- #: wp-to-twitter-manager.php:407
287
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
288
- msgstr "Campo personalizado para una acortar y Tweetear una URL alternativa:"
289
-
290
- #: wp-to-twitter-manager.php:408
291
- msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
292
- msgstr "Puede usar un campo personalizado para enviar a Cli.gs y Twitter una URL alternativa al permalink de Wordpress. Este valor es el nombre del campo personalizado que usa para añadir la URL externa."
293
-
294
- #: wp-to-twitter-manager.php:412
295
- msgid "Special Cases when WordPress should send a Tweet"
296
- msgstr "Casos especiales en los que Wordpress debe enviar un Tweet"
297
-
298
- #: wp-to-twitter-manager.php:415
299
- msgid "Set default Tweet status to 'No.'"
300
- msgstr "El estado por defecto del Tweet es 'No'"
301
-
302
- #: wp-to-twitter-manager.php:416
303
- msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
304
- msgstr "Las actualizaciones de Twitter se pueden enviar por cada entrada. Por defecto, todas las entradas SÍ se enviarán a Twitter. Marque esta casilla para cambiar este ajuste a NO."
305
-
306
- #: wp-to-twitter-manager.php:420
307
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
308
- msgstr "Enviar las actualizaciones de Twitter en publicación remota (Post by Email o cliente XMLRPC)"
309
-
310
- #: wp-to-twitter-manager.php:424
311
- msgid "Update Twitter when a post is published using QuickPress"
312
- msgstr "Actualizar Twitter cuando se publique una entrada utilizando QuickPress"
313
-
314
- #: wp-to-twitter-manager.php:428
315
- msgid "Special Fields"
316
- msgstr "Campos especiales"
317
-
318
- #: wp-to-twitter-manager.php:431
319
- msgid "Use Google Analytics with WP-to-Twitter"
320
- msgstr "Usar Google Analytics con WP-to-Twitter"
321
-
322
- #: wp-to-twitter-manager.php:432
323
- msgid "Campaign identifier for Google Analytics:"
324
- msgstr "Identificador de campaña de Google Analytics:"
325
-
326
- #: wp-to-twitter-manager.php:433
327
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
328
- msgstr "Puede seguir la respuesta de Twitter mediante Google Analytics si define un identificador de campaña aquí."
329
-
330
- #: wp-to-twitter-manager.php:438
331
- msgid "Authors have individual Twitter accounts"
332
- msgstr "Los autores tienen cuentas de Twitter individuales"
333
-
334
- #: wp-to-twitter-manager.php:438
335
- msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
336
- msgstr "Cada autor puede elegir su cuenta de Twitter personal en su perfil de usuario. Sus entradas se notificarán a sus propias cuentas de Twitter."
337
-
338
- #: wp-to-twitter-manager.php:442
339
- msgid "Set your preferred URL Shortener"
340
- msgstr "Elija su acortador de URLs preferido"
341
-
342
- #: wp-to-twitter-manager.php:445
343
- msgid "Use <strong>Cli.gs</strong> for my URL shortener."
344
- msgstr "Usar <strong>Cli.gs</strong> como acortador de URLs."
345
-
346
- #: wp-to-twitter-manager.php:445
347
- msgid "Use <strong>Bit.ly</strong> for my URL shortener."
348
- msgstr "Usar <strong>Bit.ly</strong> como acortador de URLs."
349
-
350
- #: wp-to-twitter-manager.php:445
351
- msgid "Don't shorten URLs."
352
- msgstr "No acortar URLs."
353
-
354
- #: wp-to-twitter-manager.php:450
355
- msgid "Save WP->Twitter Options"
356
- msgstr "Guardar configuración WP->Twitter "
357
-
358
- #: wp-to-twitter-manager.php:456
359
- msgid "Your Twitter account details"
360
- msgstr "Detalles de su cuenta de Twitter"
361
-
362
- #: wp-to-twitter-manager.php:463
363
- msgid "Your Twitter username:"
364
- msgstr "Su nombre de usuario de Twitter:"
365
-
366
- #: wp-to-twitter-manager.php:467
367
- msgid "Your Twitter password:"
368
- msgstr "Su contraseña de Twitter:"
369
-
370
- #: wp-to-twitter-manager.php:467
371
- msgid "(<em>Saved</em>)"
372
- msgstr "(<em>Guardado</em>)"
373
-
374
- #: wp-to-twitter-manager.php:471
375
- msgid "Save Twitter Login Info"
376
- msgstr "Guardar información de login de Twitter"
377
-
378
- #: wp-to-twitter-manager.php:471
379
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
380
- msgstr "&raquo; <small>¿No tiene cuenta en Twitter? <a href='http://www.twitter.com'>Consiga una aquí, gratis</a>"
381
-
382
- #: wp-to-twitter-manager.php:475
383
- msgid "Your Cli.gs account details"
384
- msgstr "Detalles de su cuenta Cli.gs"
385
-
386
- #: wp-to-twitter-manager.php:482
387
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
388
- msgstr "Su clave Cli.gs <abbr title='application programming interface'>API</abbr>:"
389
-
390
- #: wp-to-twitter-manager.php:488
391
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
392
- msgstr "¿No dispone de cuenta en Cli.gs o una clave API Cligs ? ¡<a href='http://cli.gs/user/api/'>Consiga una gratis aquí</a>!<br /> Necesitará una clave API para asociar los Cligs que cree con su cuenta Cligs."
393
-
394
- #: wp-to-twitter-manager.php:493
395
- msgid "Your Bit.ly account details"
396
- msgstr "Detalles de su cuenta Bit.ly"
397
-
398
- #: wp-to-twitter-manager.php:498
399
- msgid "Your Bit.ly username:"
400
- msgstr "Su nombre de usuario de Bit.ly:"
401
-
402
- #: wp-to-twitter-manager.php:502
403
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
404
- msgstr "Su clave Bit.ly <abbr title='application programming interface'>API</abbr>:"
405
-
406
- #: wp-to-twitter-manager.php:509
407
- msgid "Save Bit.ly API Key"
408
- msgstr "Guardar clave Bit.ly"
409
-
410
- #: wp-to-twitter-manager.php:509
411
- msgid "Clear Bit.ly API Key"
412
- msgstr "Borrar clave Bit.ly"
413
-
414
- #: wp-to-twitter-manager.php:509
415
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
416
- msgstr "Se necesita un usuario y una clave API de Bit.ly para acortar URLs con la API de Bit.ly y WP to Twitter."
417
-
418
- #: wp-to-twitter-manager.php:518
419
- msgid "Check Support"
420
- msgstr "Chequear soporte"
421
-
422
- #: wp-to-twitter-manager.php:518
423
- msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
424
- msgstr "Comprobar si su servidor soporta las peticiones de WP to Twitter a las APIs de Twitter y del acortador de URLs."
425
-
426
- #: wp-to-twitter-manager.php:526
427
- msgid "Need help?"
428
- msgstr "¿Necesita ayuda?"
429
-
430
- #: wp-to-twitter-manager.php:527
431
- msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
432
- msgstr "Visite la <a href='http://www.joedolson.com/articles/wp-to-twitter/'>página del plugin WP to Twitter</a>."
433
-
434
- #: wp-to-twitter.php:691
435
- msgid "Add_new_tag"
436
- msgstr "Añadir_nueva_etiqueta"
437
-
438
- #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
439
- #. Plugin Name of an extension
440
- #: wp-to-twitter.php:713
441
- msgid "WP to Twitter"
442
- msgstr "WP to Twitter"
443
-
444
- #: wp-to-twitter.php:754
445
- msgid "Twitter Post"
446
- msgstr "Post de Twitter"
447
-
448
- #: wp-to-twitter.php:759
449
- msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code> or <code>#blog#</code> to insert the shortened URL, post title, a post excerpt or blog name into the Tweet."
450
- msgstr " caracteres.<br />Las entradas de Twitter son de 140 caracteres como máximo; si su URL Cli.gs se añade al final del documento, tiene 119 caracteres disponibles. Puede usar <code>#url#</code>, <code>#title#</code>, <code>#post#</code> o <code>#blog#</code> para insertar en el Tweet la URL corta, título de entrada, extracto de la entrada o nombre del blog."
451
-
452
- #: wp-to-twitter.php:759
453
- msgid "Make a Donation"
454
- msgstr "Haga una Donación"
455
-
456
- #: wp-to-twitter.php:762
457
- msgid "Don't Tweet this post."
458
- msgstr "No Tweetear esta entrada."
459
-
460
- #: wp-to-twitter.php:811
461
- msgid "WP to Twitter User Settings"
462
- msgstr "Ajustes de usuario de WP to Twitter"
463
-
464
- #: wp-to-twitter.php:815
465
- msgid "Use My Twitter Account"
466
- msgstr "Usar mi cuenta de Twitter"
467
-
468
- #: wp-to-twitter.php:816
469
- msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
470
- msgstr "Seleccione esta opción si quiere que sus entradas se Tweeteen en su propia cuenta de Twitter sin referencias @. "
471
-
472
- #: wp-to-twitter.php:817
473
- msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
474
- msgstr "Tweetear mis entradas en mi cuenta de Twitter con una referencia @ a la cuenta principal de Twitter del blog."
475
-
476
- #: wp-to-twitter.php:818
477
- msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
478
- msgstr "Tweetear mis entradas con la cuenta principal de Twitter del blog, con una referencia @ a mi cuenta personal (no se necesita contraseña para esta opción)."
479
-
480
- #: wp-to-twitter.php:821
481
- msgid "Your Twitter Username"
482
- msgstr "Su nombre de usuario de Twitter"
483
-
484
- #: wp-to-twitter.php:822
485
- msgid "Enter your own Twitter username."
486
- msgstr "Introduzca su nombre de usuario de Twitter"
487
-
488
- #: wp-to-twitter.php:825
489
- msgid "Your Twitter Password"
490
- msgstr "Su contraseña de Twitter"
491
-
492
- #: wp-to-twitter.php:826
493
- msgid "Enter your own Twitter password."
494
- msgstr "Introduzca su contraseña de Twitter"
495
-
496
- #: wp-to-twitter.php:945
497
- msgid "<p>Couldn't locate the settings page.</p>"
498
- msgstr "<p>No he podido encontrar la página de configuración.</p>"
499
-
500
- #: wp-to-twitter.php:950
501
- msgid "Settings"
502
- msgstr "Configuración"
503
-
504
- #. Plugin URI of an extension
505
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
506
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
507
-
508
- #. Description of an extension
509
- msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
510
- msgstr "Actualiza Twitter cuando crea una nueva entrada o añade algo a su Blogroll usando Cli.gs. Con una clave de API de Cli.gs, crea un clig en su cuenta Cli.gs con el nombre de su entrada como título."
511
-
512
- #. Author of an extension
513
- msgid "Joseph Dolson"
514
- msgstr "Joseph Dolson"
515
-
516
- #. Author URI of an extension
517
- msgid "http://www.joedolson.com/"
518
- msgstr "http://www.joedolson.com/"
519
-
1
+ msgid ""
2
+ msgstr ""
3
+ "Project-Id-Version: WP to Twitter\n"
4
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
5
+ "POT-Creation-Date: 2009-09-26 22:40+0000\n"
6
+ "PO-Revision-Date: \n"
7
+ "Last-Translator: David Gil <dgilperez@gmail.com>\n"
8
+ "Language-Team: www.sohelet.com <dgilperez@sohelet.com>\n"
9
+ "MIME-Version: 1.0\n"
10
+ "Content-Type: text/plain; charset=UTF-8\n"
11
+ "Content-Transfer-Encoding: 8bit\n"
12
+ "X-Poedit-Language: Spanish\n"
13
+ "X-Poedit-Country: SPAIN\n"
14
+
15
+ #: functions.php:117
16
+ msgid "Twitter Password Saved"
17
+ msgstr "Contraseña de Twitter guardada"
18
+
19
+ #: functions.php:119
20
+ msgid "Twitter Password Not Saved"
21
+ msgstr "Contraseña de Twitter no guardada"
22
+
23
+ #: functions.php:126
24
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
25
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Esconder</a>] Si tiene problemas, por favor copie esta configuración en cualquier petición de soporte."
26
+
27
+ #: wp-to-twitter-manager.php:60
28
+ msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
29
+ msgstr "¡introduzca su información de acceso a Twitter e información de API del acortador de URLs para usar este plugin!"
30
+
31
+ #: wp-to-twitter-manager.php:66
32
+ msgid "Please add your Twitter password. "
33
+ msgstr "Por favor introduzca su contraseña de Twitter."
34
+
35
+ #: wp-to-twitter-manager.php:72
36
+ msgid "WP to Twitter Errors Cleared"
37
+ msgstr "Errores de WP to Twitter eliminados"
38
+
39
+ #: wp-to-twitter-manager.php:78
40
+ msgid "URL shortener request failed! We couldn't shrink that URL, so we attached the normal URL to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]"
41
+ msgstr "¡El acortador de URLs falló! No pudimos reducir la URL, de modo que hemos adjuntado la URL original al Tweet. Por favor, revise con su proveedor de URL por si el problema está identificado. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]"
42
+
43
+ #: wp-to-twitter-manager.php:82
44
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
45
+ msgstr "Lo siento, no he podido contactar con los servidores de Twitter para notificar su nueva entrada. Su Tweet ha sido almacenado en un campo personalizado adjunto a la entrada, puede Tweetearlo manualmente si quiere."
46
+
47
+ #: wp-to-twitter-manager.php:84
48
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
49
+ msgstr "Lo siento, no he podido contactar con los servidores de Twitter para notificar su nuevo enlace. Tendrá que Tweetearlo manualmente."
50
+
51
+ #: wp-to-twitter-manager.php:137
52
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
53
+ msgstr "Debe introducir su login y clave API de Bit.ly para acortar URLs con Bit.ly."
54
+
55
+ #: wp-to-twitter-manager.php:146
56
+ msgid "WP to Twitter Options Updated"
57
+ msgstr "Opciones de WP to Twitter actualizadas"
58
+
59
+ #: wp-to-twitter-manager.php:156
60
+ msgid "Twitter login and password updated. "
61
+ msgstr "Usuario y contraseña de Twitter actualizados."
62
+
63
+ #: wp-to-twitter-manager.php:158
64
+ msgid "You need to provide your twitter login and password! "
65
+ msgstr "¡Es necesario que introduzca su nombre de usuario y contraseña de Twitter!"
66
+
67
+ #: wp-to-twitter-manager.php:165
68
+ msgid "Cligs API Key Updated"
69
+ msgstr "Cli.gs: clave de API actualizada."
70
+
71
+ #: wp-to-twitter-manager.php:168
72
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
73
+ msgstr "Cli.gs: clave de API eliminada. Los Cli.gs creados por WP to Twitter ya no estarán asociados con su cuenta."
74
+
75
+ #: wp-to-twitter-manager.php:170
76
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
77
+ msgstr "Cli.gs: clave de API no añadida - ¡<a href='http://cli.gs/user/api/'>pinche aquí para conseguir una</a>! "
78
+
79
+ #: wp-to-twitter-manager.php:176
80
+ msgid "Bit.ly API Key Updated."
81
+ msgstr "Bit.ly: clave de API actualizada."
82
+
83
+ #: wp-to-twitter-manager.php:179
84
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
85
+ msgstr "Clave API Bit.ly eliminada. You cannot use the Bit.ly API without an API key. "
86
+
87
+ #: wp-to-twitter-manager.php:181
88
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
89
+ msgstr "Clave de API de Bit.ly no añadida - ¡<a href='http://bit.ly/account/'>consiga una</a>! Se necesita una clave de API para usar el servicio de acortar URLs."
90
+
91
+ #: wp-to-twitter-manager.php:185
92
+ msgid " Bit.ly User Login Updated."
93
+ msgstr "Bit.ly: usuario actualizado."
94
+
95
+ #: wp-to-twitter-manager.php:188
96
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
97
+ msgstr "Nombre de usuario de Bit.ly borrado. No puede usar el servicio Bit.ly sin proporcionar un nombre de usuario."
98
+
99
+ #: wp-to-twitter-manager.php:190
100
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
101
+ msgstr "Nombre de usuario de Bit.ly no añadido - ¡<a href='http://bit.ly/account/'>consiga uno</a>! "
102
+
103
+ #: wp-to-twitter-manager.php:224
104
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
105
+ msgstr "<li>Contacto correcto con Cli.gs API via Snoopy, pero la creación de la URL falló.</li>"
106
+
107
+ #: wp-to-twitter-manager.php:226
108
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
109
+ msgstr "<li>Contacto correcto con Cli.gs API via Snoopy, pero un error en el servidor de Cli.gs impidió el acortamiento de la URL.</li>"
110
+
111
+ #: wp-to-twitter-manager.php:228
112
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy and created a shortened link.</li>"
113
+ msgstr "<li>Contacto correcto con Cli.gs API via Snoopy y creación de URL acortada correcto.</li>"
114
+
115
+ #: wp-to-twitter-manager.php:237
116
+ #: wp-to-twitter-manager.php:262
117
+ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
118
+ msgstr "<li>Contacto correcto con Bit.ly API via Snoopy.</li>"
119
+
120
+ #: wp-to-twitter-manager.php:239
121
+ #: wp-to-twitter-manager.php:264
122
+ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
123
+ msgstr "<li>No he podido contactar con Bit.ly API via Snoopy.</li>"
124
+
125
+ #: wp-to-twitter-manager.php:242
126
+ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
127
+ msgstr "<li>No puedo conectar con Bit.ly API sin una clave API válida.</li>"
128
+
129
+ #: wp-to-twitter-manager.php:246
130
+ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
131
+ msgstr "<li>Contacto correcto con Twitter via Snoopy.</li>"
132
+
133
+ #: wp-to-twitter-manager.php:248
134
+ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
135
+ msgstr "<li>No he podido contactar con la API de Twitter via Snoopy.</li>"
136
+
137
+ #: wp-to-twitter-manager.php:254
138
+ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
139
+ msgstr "<li>Contacto correcto con Twitter via cURL.</li>"
140
+
141
+ #: wp-to-twitter-manager.php:256
142
+ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
143
+ msgstr "<li>No he podido contactar con la API de Twitter via cURL.</li>"
144
+
145
+ #: wp-to-twitter-manager.php:268
146
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
147
+ msgstr "<li>Contacto correcto con la API Cli.gs via Snoopy.</li>"
148
+
149
+ #: wp-to-twitter-manager.php:271
150
+ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
151
+ msgstr "<li>No he podido contactar con la API Cli.gs via Snoopy.</li>"
152
+
153
+ #: wp-to-twitter-manager.php:276
154
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
155
+ msgstr "<li><strong>Su servidor debe parece WP to Twitter correctamente.</strong></li>"
156
+
157
+ #: wp-to-twitter-manager.php:281
158
+ msgid "<li>Your server does not support <code>fputs</code>.</li>"
159
+ msgstr "<li>Su servidor no soporta <code>fputs</code>.</li>"
160
+
161
+ #: wp-to-twitter-manager.php:285
162
+ msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
163
+ msgstr "<li>Su servidor no soporta las funciones <code>file_get_contents</code> o <code>cURL</code>.</li>"
164
+
165
+ #: wp-to-twitter-manager.php:289
166
+ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
167
+ msgstr "<li>Su servidor no soporta <code>Snoopy</code>.</li>"
168
+
169
+ #: wp-to-twitter-manager.php:292
170
+ msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
171
+ msgstr "<li><strong>Su servidor no parece soportar las funciones y clases PHP necesarias para que WP to Twitter funcione correctamente.</strong> Puede intentarlo de todas maneras, pero no hay garantías de que funcione. </li>"
172
+
173
+ #: wp-to-twitter-manager.php:301
174
+ msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
175
+ msgstr "El plugin puede no funcionar completamente en su entorno de servidor. El plugin falló al contactar con ambas APIs del acortador de URLs y del servicio de Twitter."
176
+
177
+ #: wp-to-twitter-manager.php:316
178
+ msgid "WP to Twitter Options"
179
+ msgstr "Opciones de WP to Twitter"
180
+
181
+ #: wp-to-twitter-manager.php:320
182
+ #: wp-to-twitter.php:759
183
+ msgid "Get Support"
184
+ msgstr "Consiga soporte"
185
+
186
+ #: wp-to-twitter-manager.php:321
187
+ msgid "Export Settings"
188
+ msgstr "Exportar configuración"
189
+
190
+ #: wp-to-twitter-manager.php:335
191
+ msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
192
+ msgstr "Para cada campo de actualización de entrada, puede usar los códigos <code>#title#</code> para el título de su entrada, <code>#blog#</code> para el nombre de su blog, <code>#post#</code> para un extracto de su entrada o <code>#url#</code> para la URL de la entrada (acortada o no, dependiendo de sus preferencias). También puede crear códigos personales para acceder a campos personalizados de Wordpress. Use dobles corchetes alrededor del nombre del campo personalizado para añadir su valor a su actualización de status. Ejemplo: <code>[[custom_field]]</code> ."
193
+
194
+ #: wp-to-twitter-manager.php:342
195
+ msgid "One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in the custom meta data for your post, and you can re-Tweet it at your leisure."
196
+ msgstr "La actualización de estado de Twitter falló para una o más de sus últimas entradas. Su Tweet ha sido guardado en los metadatos de su entrada para que lo utilice a su conveniencia."
197
+
198
+ #: wp-to-twitter-manager.php:345
199
+ msgid "The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet."
200
+ msgstr "La consulta a la API del acortador de URLs falló, por lo que la URL no se acortó. Se ha adjuntado la URL original a su Tweet."
201
+
202
+ #: wp-to-twitter-manager.php:357
203
+ msgid "Clear 'WP to Twitter' Error Messages"
204
+ msgstr "Borrar los errores de WP to Twitter"
205
+
206
+ #: wp-to-twitter-manager.php:366
207
+ msgid "Set what should be in a Tweet"
208
+ msgstr "Ajuste la estructura del Tweet"
209
+
210
+ #: wp-to-twitter-manager.php:369
211
+ msgid "Update when a post is published"
212
+ msgstr "Actualizar cuando se publique una entrada"
213
+
214
+ #: wp-to-twitter-manager.php:369
215
+ msgid "Text for new post updates:"
216
+ msgstr "Texto para nuevas entradas:"
217
+
218
+ #: wp-to-twitter-manager.php:374
219
+ msgid "Update when a post is edited"
220
+ msgstr "Actualizar cuando se edite una entrada"
221
+
222
+ #: wp-to-twitter-manager.php:374
223
+ msgid "Text for editing updates:"
224
+ msgstr "Texto para ediciones de entradas:"
225
+
226
+ #: wp-to-twitter-manager.php:378
227
+ msgid "Update Twitter when new Wordpress Pages are published"
228
+ msgstr "Actualizar Twitter cuando se publique una nueva página de Wordpress"
229
+
230
+ #: wp-to-twitter-manager.php:378
231
+ msgid "Text for new page updates:"
232
+ msgstr "Texto para nuevas páginas:"
233
+
234
+ #: wp-to-twitter-manager.php:382
235
+ msgid "Update Twitter when WordPress Pages are edited"
236
+ msgstr "Actualizar Twitter cuando se edite una nueva página de Wordpress"
237
+
238
+ #: wp-to-twitter-manager.php:382
239
+ msgid "Text for page edit updates:"
240
+ msgstr "Texto para ediciones de páginas:"
241
+
242
+ #: wp-to-twitter-manager.php:386
243
+ msgid "Add tags as hashtags on Tweets"
244
+ msgstr "Añadir hashtags a los Tweets"
245
+
246
+ #: wp-to-twitter-manager.php:388
247
+ msgid "Maximum number of tags to include:"
248
+ msgstr "Número máximo de tags a incluir:"
249
+
250
+ #: wp-to-twitter-manager.php:389
251
+ msgid "Maximum length in characters for included tags:"
252
+ msgstr "Máximo número de caracteres para los tags incluidos:"
253
+
254
+ #: wp-to-twitter-manager.php:390
255
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
256
+ msgstr "Estas opciones le permiten restringir el número y longitud de etiquetas (tags) que se envían a Twitter como hashtags. Introduzca <code>0</code> o un valor en blanco para permitir todas las etiquetas."
257
+
258
+ #: wp-to-twitter-manager.php:394
259
+ msgid "Update Twitter when you post a Blogroll link"
260
+ msgstr "Actualice Twitter cuando publique un enlace de Blogroll"
261
+
262
+ #: wp-to-twitter-manager.php:396
263
+ msgid "Text for new link updates:"
264
+ msgstr "Texto para nuevos enlaces:"
265
+
266
+ #: wp-to-twitter-manager.php:396
267
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
268
+ msgstr "Códigos permitidos: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
269
+
270
+ #: wp-to-twitter-manager.php:399
271
+ msgid "Length of post excerpt (in characters):"
272
+ msgstr "Longitud del extracto de entrada (en caracteres):"
273
+
274
+ #: wp-to-twitter-manager.php:399
275
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
276
+ msgstr "Extraido de la entrada misma por defecto. Si usa el campo 'Excerpt' (Extracto), se usará ése a su vez."
277
+
278
+ #: wp-to-twitter-manager.php:403
279
+ msgid "Custom text before Tweets:"
280
+ msgstr "Texto personalizado antes de Tweets:"
281
+
282
+ #: wp-to-twitter-manager.php:404
283
+ msgid "Custom text after Tweets:"
284
+ msgstr "Texto personalizado después de Tweets:"
285
+
286
+ #: wp-to-twitter-manager.php:407
287
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
288
+ msgstr "Campo personalizado para una acortar y Tweetear una URL alternativa:"
289
+
290
+ #: wp-to-twitter-manager.php:408
291
+ msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
292
+ msgstr "Puede usar un campo personalizado para enviar a Cli.gs y Twitter una URL alternativa al permalink de Wordpress. Este valor es el nombre del campo personalizado que usa para añadir la URL externa."
293
+
294
+ #: wp-to-twitter-manager.php:412
295
+ msgid "Special Cases when WordPress should send a Tweet"
296
+ msgstr "Casos especiales en los que Wordpress debe enviar un Tweet"
297
+
298
+ #: wp-to-twitter-manager.php:415
299
+ msgid "Set default Tweet status to 'No.'"
300
+ msgstr "El estado por defecto del Tweet es 'No'"
301
+
302
+ #: wp-to-twitter-manager.php:416
303
+ msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
304
+ msgstr "Las actualizaciones de Twitter se pueden enviar por cada entrada. Por defecto, todas las entradas SÍ se enviarán a Twitter. Marque esta casilla para cambiar este ajuste a NO."
305
+
306
+ #: wp-to-twitter-manager.php:420
307
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
308
+ msgstr "Enviar las actualizaciones de Twitter en publicación remota (Post by Email o cliente XMLRPC)"
309
+
310
+ #: wp-to-twitter-manager.php:424
311
+ msgid "Update Twitter when a post is published using QuickPress"
312
+ msgstr "Actualizar Twitter cuando se publique una entrada utilizando QuickPress"
313
+
314
+ #: wp-to-twitter-manager.php:428
315
+ msgid "Special Fields"
316
+ msgstr "Campos especiales"
317
+
318
+ #: wp-to-twitter-manager.php:431
319
+ msgid "Use Google Analytics with WP-to-Twitter"
320
+ msgstr "Usar Google Analytics con WP-to-Twitter"
321
+
322
+ #: wp-to-twitter-manager.php:432
323
+ msgid "Campaign identifier for Google Analytics:"
324
+ msgstr "Identificador de campaña de Google Analytics:"
325
+
326
+ #: wp-to-twitter-manager.php:433
327
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
328
+ msgstr "Puede seguir la respuesta de Twitter mediante Google Analytics si define un identificador de campaña aquí."
329
+
330
+ #: wp-to-twitter-manager.php:438
331
+ msgid "Authors have individual Twitter accounts"
332
+ msgstr "Los autores tienen cuentas de Twitter individuales"
333
+
334
+ #: wp-to-twitter-manager.php:438
335
+ msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
336
+ msgstr "Cada autor puede elegir su cuenta de Twitter personal en su perfil de usuario. Sus entradas se notificarán a sus propias cuentas de Twitter."
337
+
338
+ #: wp-to-twitter-manager.php:442
339
+ msgid "Set your preferred URL Shortener"
340
+ msgstr "Elija su acortador de URLs preferido"
341
+
342
+ #: wp-to-twitter-manager.php:445
343
+ msgid "Use <strong>Cli.gs</strong> for my URL shortener."
344
+ msgstr "Usar <strong>Cli.gs</strong> como acortador de URLs."
345
+
346
+ #: wp-to-twitter-manager.php:445
347
+ msgid "Use <strong>Bit.ly</strong> for my URL shortener."
348
+ msgstr "Usar <strong>Bit.ly</strong> como acortador de URLs."
349
+
350
+ #: wp-to-twitter-manager.php:445
351
+ msgid "Don't shorten URLs."
352
+ msgstr "No acortar URLs."
353
+
354
+ #: wp-to-twitter-manager.php:450
355
+ msgid "Save WP->Twitter Options"
356
+ msgstr "Guardar configuración WP->Twitter "
357
+
358
+ #: wp-to-twitter-manager.php:456
359
+ msgid "Your Twitter account details"
360
+ msgstr "Detalles de su cuenta de Twitter"
361
+
362
+ #: wp-to-twitter-manager.php:463
363
+ msgid "Your Twitter username:"
364
+ msgstr "Su nombre de usuario de Twitter:"
365
+
366
+ #: wp-to-twitter-manager.php:467
367
+ msgid "Your Twitter password:"
368
+ msgstr "Su contraseña de Twitter:"
369
+
370
+ #: wp-to-twitter-manager.php:467
371
+ msgid "(<em>Saved</em>)"
372
+ msgstr "(<em>Guardado</em>)"
373
+
374
+ #: wp-to-twitter-manager.php:471
375
+ msgid "Save Twitter Login Info"
376
+ msgstr "Guardar información de login de Twitter"
377
+
378
+ #: wp-to-twitter-manager.php:471
379
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
380
+ msgstr "&raquo; <small>¿No tiene cuenta en Twitter? <a href='http://www.twitter.com'>Consiga una aquí, gratis</a>"
381
+
382
+ #: wp-to-twitter-manager.php:475
383
+ msgid "Your Cli.gs account details"
384
+ msgstr "Detalles de su cuenta Cli.gs"
385
+
386
+ #: wp-to-twitter-manager.php:482
387
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
388
+ msgstr "Su clave Cli.gs <abbr title='application programming interface'>API</abbr>:"
389
+
390
+ #: wp-to-twitter-manager.php:488
391
+ msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
392
+ msgstr "¿No dispone de cuenta en Cli.gs o una clave API Cligs ? ¡<a href='http://cli.gs/user/api/'>Consiga una gratis aquí</a>!<br /> Necesitará una clave API para asociar los Cligs que cree con su cuenta Cligs."
393
+
394
+ #: wp-to-twitter-manager.php:493
395
+ msgid "Your Bit.ly account details"
396
+ msgstr "Detalles de su cuenta Bit.ly"
397
+
398
+ #: wp-to-twitter-manager.php:498
399
+ msgid "Your Bit.ly username:"
400
+ msgstr "Su nombre de usuario de Bit.ly:"
401
+
402
+ #: wp-to-twitter-manager.php:502
403
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
404
+ msgstr "Su clave Bit.ly <abbr title='application programming interface'>API</abbr>:"
405
+
406
+ #: wp-to-twitter-manager.php:509
407
+ msgid "Save Bit.ly API Key"
408
+ msgstr "Guardar clave Bit.ly"
409
+
410
+ #: wp-to-twitter-manager.php:509
411
+ msgid "Clear Bit.ly API Key"
412
+ msgstr "Borrar clave Bit.ly"
413
+
414
+ #: wp-to-twitter-manager.php:509
415
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
416
+ msgstr "Se necesita un usuario y una clave API de Bit.ly para acortar URLs con la API de Bit.ly y WP to Twitter."
417
+
418
+ #: wp-to-twitter-manager.php:518
419
+ msgid "Check Support"
420
+ msgstr "Chequear soporte"
421
+
422
+ #: wp-to-twitter-manager.php:518
423
+ msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
424
+ msgstr "Comprobar si su servidor soporta las peticiones de WP to Twitter a las APIs de Twitter y del acortador de URLs."
425
+
426
+ #: wp-to-twitter-manager.php:526
427
+ msgid "Need help?"
428
+ msgstr "¿Necesita ayuda?"
429
+
430
+ #: wp-to-twitter-manager.php:527
431
+ msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
432
+ msgstr "Visite la <a href='http://www.joedolson.com/articles/wp-to-twitter/'>página del plugin WP to Twitter</a>."
433
+
434
+ #: wp-to-twitter.php:691
435
+ msgid "Add_new_tag"
436
+ msgstr "Añadir_nueva_etiqueta"
437
+
438
+ #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
439
+ #. Plugin Name of an extension
440
+ #: wp-to-twitter.php:713
441
+ msgid "WP to Twitter"
442
+ msgstr "WP to Twitter"
443
+
444
+ #: wp-to-twitter.php:754
445
+ msgid "Twitter Post"
446
+ msgstr "Post de Twitter"
447
+
448
+ #: wp-to-twitter.php:759
449
+ msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code> or <code>#blog#</code> to insert the shortened URL, post title, a post excerpt or blog name into the Tweet."
450
+ msgstr " caracteres.<br />Las entradas de Twitter son de 140 caracteres como máximo; si su URL Cli.gs se añade al final del documento, tiene 119 caracteres disponibles. Puede usar <code>#url#</code>, <code>#title#</code>, <code>#post#</code> o <code>#blog#</code> para insertar en el Tweet la URL corta, título de entrada, extracto de la entrada o nombre del blog."
451
+
452
+ #: wp-to-twitter.php:759
453
+ msgid "Make a Donation"
454
+ msgstr "Haga una Donación"
455
+
456
+ #: wp-to-twitter.php:762
457
+ msgid "Don't Tweet this post."
458
+ msgstr "No Tweetear esta entrada."
459
+
460
+ #: wp-to-twitter.php:811
461
+ msgid "WP to Twitter User Settings"
462
+ msgstr "Ajustes de usuario de WP to Twitter"
463
+
464
+ #: wp-to-twitter.php:815
465
+ msgid "Use My Twitter Account"
466
+ msgstr "Usar mi cuenta de Twitter"
467
+
468
+ #: wp-to-twitter.php:816
469
+ msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
470
+ msgstr "Seleccione esta opción si quiere que sus entradas se Tweeteen en su propia cuenta de Twitter sin referencias @. "
471
+
472
+ #: wp-to-twitter.php:817
473
+ msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
474
+ msgstr "Tweetear mis entradas en mi cuenta de Twitter con una referencia @ a la cuenta principal de Twitter del blog."
475
+
476
+ #: wp-to-twitter.php:818
477
+ msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
478
+ msgstr "Tweetear mis entradas con la cuenta principal de Twitter del blog, con una referencia @ a mi cuenta personal (no se necesita contraseña para esta opción)."
479
+
480
+ #: wp-to-twitter.php:821
481
+ msgid "Your Twitter Username"
482
+ msgstr "Su nombre de usuario de Twitter"
483
+
484
+ #: wp-to-twitter.php:822
485
+ msgid "Enter your own Twitter username."
486
+ msgstr "Introduzca su nombre de usuario de Twitter"
487
+
488
+ #: wp-to-twitter.php:825
489
+ msgid "Your Twitter Password"
490
+ msgstr "Su contraseña de Twitter"
491
+
492
+ #: wp-to-twitter.php:826
493
+ msgid "Enter your own Twitter password."
494
+ msgstr "Introduzca su contraseña de Twitter"
495
+
496
+ #: wp-to-twitter.php:945
497
+ msgid "<p>Couldn't locate the settings page.</p>"
498
+ msgstr "<p>No he podido encontrar la página de configuración.</p>"
499
+
500
+ #: wp-to-twitter.php:950
501
+ msgid "Settings"
502
+ msgstr "Configuración"
503
+
504
+ #. Plugin URI of an extension
505
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
506
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
507
+
508
+ #. Description of an extension
509
+ msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
510
+ msgstr "Actualiza Twitter cuando crea una nueva entrada o añade algo a su Blogroll usando Cli.gs. Con una clave de API de Cli.gs, crea un clig en su cuenta Cli.gs con el nombre de su entrada como título."
511
+
512
+ #. Author of an extension
513
+ msgid "Joseph Dolson"
514
+ msgstr "Joseph Dolson"
515
+
516
+ #. Author URI of an extension
517
+ msgid "http://www.joedolson.com/"
518
+ msgstr "http://www.joedolson.com/"
519
+
wp-to-twitter-et_ET.mo → lang/wp-to-twitter-et_ET.mo RENAMED
File without changes
wp-to-twitter-et_ET.po → lang/wp-to-twitter-et_ET.po RENAMED
@@ -1,759 +1,759 @@
1
- # Translation of the WordPress plugin WP to Twitter 2.1.1 by Joseph Dolson.
2
- # Copyright (C) 2010 Joseph Dolson
3
- # This file is distributed under the same license as the WP to Twitter package.
4
- # FIRST AUTHOR <EMAIL@ADDRESS>, 2010.
5
- #
6
- msgid ""
7
- msgstr ""
8
- "Project-Id-Version: WP to Twitter 2.1.1\n"
9
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
- "POT-Creation-Date: 2010-05-13 21:26+0000\n"
11
- "PO-Revision-Date: 2010-07-06 21:01-0600\n"
12
- "Last-Translator: Raivo Ratsep\n"
13
- "Language-Team: Raivo Ratsep <raivo.ratsep@gmail.com>\n"
14
- "MIME-Version: 1.0\n"
15
- "Content-Type: text/plain; charset=UTF-8\n"
16
- "Content-Transfer-Encoding: 8bit\n"
17
- "X-Poedit-Language: Estonian\n"
18
- "X-Poedit-Country: ESTONIA\n"
19
- "Plural-Forms: nplurals=2; plural=n != 1;\n"
20
-
21
- #: functions.php:248
22
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
23
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Peida</a>] Kui sul on probleeme, kopeeri need seaded tehnilise toe abipalvesse."
24
-
25
- #: wp-to-twitter-manager.php:76
26
- msgid "Please <a href='#twitterpw'>add your Twitter password</a>. "
27
- msgstr "Palun <a href='#twitterpw'>lisa oma Twitter'i salasõna</a>. "
28
-
29
- #: wp-to-twitter-manager.php:82
30
- msgid "WP to Twitter Errors Cleared"
31
- msgstr "WP to Twitter Parandatud Vead"
32
-
33
- #: wp-to-twitter-manager.php:93
34
- msgid "Twitter API settings reset. You may need to change your username and password settings, if they are not the same as the alternate service previously in use."
35
- msgstr "Twitter API seaded nullida. Teil võib tekkida vajadus muuta oma kasutajanime ja parooli seadeid, kui nad ei ole samad, mis varem kasutusel olnud asendusteenuses ."
36
-
37
- #: wp-to-twitter-manager.php:103
38
- msgid "Twitter-compatible API settings updated. "
39
- msgstr "Twitteriga ühilduva API seaded uuendatud."
40
-
41
- #: wp-to-twitter-manager.php:105
42
- msgid "You have configured WP to Twitter to use both Twitter and your selected service. Remember to add your username and login information for both services."
43
- msgstr "Sa oled konfigureerinud WP to Twitter kasutama nii Twitter'it kui sinu valitud teenust. Ära unusta lisamast oma kasutajanime ja sisselogimise informatsiooni mõlema teenuse jaoks."
44
-
45
- #: wp-to-twitter-manager.php:114
46
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
47
- msgstr "Vabanda! Ma ei saanud ühendust Twitter serveriga, et postitada su uut blogi sissekannet. Su Säuts (tweet) on salvestatud postituse juures asuvasse kohandatud välja nii, et saad seda säutsu käsitsi säutsuda (Tweetida), kui soovid!"
48
-
49
- #: wp-to-twitter-manager.php:116
50
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
51
- msgstr "Vabandust! Ei saanud postitada su <strong>uut linki</strong>, sest ei saanud ühendust Twitteri serveritega. Pead selle vist kahjuks käsitsi postitama."
52
-
53
- #: wp-to-twitter-manager.php:145
54
- msgid "WP to Twitter Advanced Options Updated"
55
- msgstr "WP to Twitter Täiendavad võimalused uuendatud."
56
-
57
- #: wp-to-twitter-manager.php:162
58
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
59
- msgstr "Peate lisama oma Bit.ly login'i ja API salasõna, et lühendada URL'e Bit.ly.'ga."
60
-
61
- #: wp-to-twitter-manager.php:166
62
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
63
- msgstr "Peate lisama oma YOURLS'i serveri URL'i, kasutajatunnuse ja salasõna, et URL'e lühendada YOURLS'i kauginstallatsiooniga."
64
-
65
- #: wp-to-twitter-manager.php:170
66
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
67
- msgstr "Peate lisama oma YOURLS serveriaadressi, et URL'e lühendada YOURLS'i kauginstallatsiooniga / et lühendada YOURLS'i kauginstallatsiooniga URL'e."
68
-
69
- #: wp-to-twitter-manager.php:174
70
- msgid "WP to Twitter Options Updated"
71
- msgstr "WP to Twitter valikud uuendatud"
72
-
73
- #: wp-to-twitter-manager.php:184
74
- msgid "Category limits updated."
75
- msgstr "Kategooriapiirangud uuendatud."
76
-
77
- #: wp-to-twitter-manager.php:188
78
- msgid "Category limits unset."
79
- msgstr "Kategooriapiirangud pole määratud."
80
-
81
- #: wp-to-twitter-manager.php:209
82
- msgid "Twitter login and password updated. "
83
- msgstr "Twitteri kasutajanimi ja salasõna uuendatud."
84
-
85
- #: wp-to-twitter-manager.php:211
86
- msgid "You need to provide your Twitter login and password! "
87
- msgstr "Pead kasutama oma Twitteri kasutajanime ja salasõna!"
88
-
89
- #: wp-to-twitter-manager.php:218
90
- msgid "YOURLS password updated. "
91
- msgstr "YOURLS salasõna uuendatud."
92
-
93
- #: wp-to-twitter-manager.php:221
94
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
95
- msgstr "YOURLS kasutajatunnus kustutatud. Sa ei saa kasutada Bit.ly API't ilma oma kasutajatunnuseta."
96
-
97
- #: wp-to-twitter-manager.php:223
98
- msgid "Failed to save your YOURLS password! "
99
- msgstr "Ei õnnestunud salvestada sinu YOURLS salasõna!"
100
-
101
- #: wp-to-twitter-manager.php:227
102
- msgid "YOURLS username added. "
103
- msgstr "YOURLS kasutajanimi lisatud."
104
-
105
- #: wp-to-twitter-manager.php:231
106
- msgid "YOURLS API url added. "
107
- msgstr "YOURLS API URL lisatud."
108
-
109
- #: wp-to-twitter-manager.php:236
110
- msgid "YOURLS local server path added. "
111
- msgstr "YOURLS kohaliku serveri viide lisatud."
112
-
113
- #: wp-to-twitter-manager.php:238
114
- msgid "The path to your YOURLS installation is not correct. "
115
- msgstr "viide sy YOURLS installatsioonifailidele pole korrektne."
116
-
117
- #: wp-to-twitter-manager.php:243
118
- msgid "YOURLS will use Post ID for short URL slug."
119
- msgstr "YOURLS kasutab postituse ID'd lühikese URL'i juhuslikult genereeritud märgendi (URL slug) jaoks. "
120
-
121
- #: wp-to-twitter-manager.php:246
122
- msgid "YOURLS will not use Post ID for the short URL slug."
123
- msgstr "YOURLS ei kasuta postituse ID'd lühikese URL'i juhuslikult genereeritud märgendi (URL slug) jaoks. "
124
-
125
- #: wp-to-twitter-manager.php:253
126
- msgid "Cligs API Key Updated"
127
- msgstr "Cligs API kood uuendatud"
128
-
129
- #: wp-to-twitter-manager.php:256
130
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
131
- msgstr "Cligs API kood kustutatud. WP to Twitter'i poolt loodud Cli.gs ei ole enam sinu kontoga seotud. "
132
-
133
- #: wp-to-twitter-manager.php:258
134
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
135
- msgstr "Cligs API koodi pole lisatud - <a href='http://cli.gs/user/api/'> saad selle siit</a>! "
136
-
137
- #: wp-to-twitter-manager.php:264
138
- msgid "Bit.ly API Key Updated."
139
- msgstr "Bit.ly API kood uuendatud."
140
-
141
- #: wp-to-twitter-manager.php:267
142
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
143
- msgstr "Bit.ly API kood kustutatud. Sa ei saa Bit.ly API't kasutada ilma API koodita."
144
-
145
- #: wp-to-twitter-manager.php:269
146
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
147
- msgstr "Bit.ly API koodi pole lisatud - <a href='http://bit.ly/account/'> saad selle siit </a>! Bit.ly URL'i lühendamise teenuseks on vaja API koodi."
148
-
149
- #: wp-to-twitter-manager.php:273
150
- msgid " Bit.ly User Login Updated."
151
- msgstr "Bit.ly kasutajatunnus uuendatud."
152
-
153
- #: wp-to-twitter-manager.php:276
154
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
155
- msgstr "Bit.ly kasutajatunnus kustutatud. Sa ei saa kasutada Bit.ly API't ilma oma kasutajatunnuseta."
156
-
157
- #: wp-to-twitter-manager.php:278
158
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
159
- msgstr "Bit.ly kasutajatunnust pole lisatud - <a href='http://bit.ly/account/'> saad selle siit</a>! "
160
-
161
- #: wp-to-twitter-manager.php:372
162
- msgid "<li><strong>Your selected URL shortener does not require testing.</strong></li>"
163
- msgstr "<li><strong>Sinu poolt valitud URL lühendaja ei vaja testimist.</strong></li>"
164
-
165
- #: wp-to-twitter-manager.php:375
166
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
167
- msgstr "<li class=\"error\"><strong>WP to Twitter ei saavutanud ühenduslt sinu poolt valitud URL lühendusteenusega.</strong></li>"
168
-
169
- #: wp-to-twitter-manager.php:379
170
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
171
- msgstr "<li><strong>WP to Twitter saavutas edukalt ühenduse sinu poolt valitud URL lühendusteenusega.</strong> Järgnev link peaks viitama sinu blogi kodulehele:"
172
-
173
- #: wp-to-twitter-manager.php:390
174
- msgid "<li><strong>WP to Twitter successfully submitted a status update to your primary update service.</strong></li>"
175
- msgstr "<li><strong> WP to Twitter saatis edukalt staatuse värskenduse su peamisele uuendusteenusele.</strong></li>"
176
-
177
- #: wp-to-twitter-manager.php:393
178
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to your primary update service.</strong></li>"
179
- msgstr "<li class=\"error\"><strong>WP to Twitter WP to Twitter ei suutnud saata värskendust su peamisele uuendusteenusele.</strong></li>"
180
-
181
- #: wp-to-twitter-manager.php:394
182
- msgid "Twitter returned this error:"
183
- msgstr "Twitter saatis sellise veateate:"
184
-
185
- #: wp-to-twitter-manager.php:398
186
- msgid "<li class=\"error\"><strong>WP to Twitter failed to contact your primary update service.</strong></li>"
187
- msgstr "<li class=\"error\"><strong>WP to Twitter WP to Twitter ei suutnud saada ühendust su peamise uuendusteenusega.</strong></li>"
188
-
189
- #: wp-to-twitter-manager.php:399
190
- msgid "No error was returned."
191
- msgstr "Veateateid ei edastatud."
192
-
193
- #: wp-to-twitter-manager.php:406
194
- msgid "<li><strong>WP to Twitter successfully submitted a status update to your secondary update service.</strong></li>"
195
- msgstr "<li><strong>WP to Twitter saatis staatuse värskenduse edukalt su sekundaarsele uuendusteenusele.</strong></li>"
196
-
197
- #: wp-to-twitter-manager.php:409
198
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to your secondary update service.</strong></li>"
199
- msgstr "<li class=\"error\"><strong>WP to Twitter ei suutnud saata värskendust su sekundaarsele uuendusteenusele.</strong></li>"
200
-
201
- #: wp-to-twitter-manager.php:410
202
- msgid "The service returned this error:"
203
- msgstr "Teenus edastas järgmise veateate:"
204
-
205
- #: wp-to-twitter-manager.php:417
206
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
207
- msgstr "<li><strong>Sinu server peaks WP to Twitter'it edukalt jooksutama.</strong></li>"
208
-
209
- #: wp-to-twitter-manager.php:420
210
- msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
211
- msgstr "<li class=\"error\"><strong>Tundub, et sinu server ei toeta meetodeid, mis on vajalikud WP to Twitteri töötamiseks .</strong> Võid seda siiski proovida - kasutusele olevad testid ei ole täiuslikud.</li>"
212
-
213
- #: wp-to-twitter-manager.php:430
214
- msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
215
- msgstr "See plugin ei pruugi sinu serveri keskkonnas täielikult töötada. Plugin ei saanud ühendust URL'i lühendava API'ga ega Twitteri API teenusega."
216
-
217
- #: wp-to-twitter-manager.php:444
218
- msgid "WP to Twitter Options"
219
- msgstr "WP to Twitter Valikud"
220
-
221
- #: wp-to-twitter-manager.php:452
222
- #: wp-to-twitter.php:925
223
- msgid "Get Support"
224
- msgstr "Abi"
225
-
226
- #: wp-to-twitter-manager.php:453
227
- msgid "Export Settings"
228
- msgstr "Ekspordi seaded"
229
-
230
- #: wp-to-twitter-manager.php:454
231
- #: wp-to-twitter.php:925
232
- msgid "Make a Donation"
233
- msgstr "Tee annetus"
234
-
235
- #: wp-to-twitter-manager.php:469
236
- msgid "Shortcodes available in post update templates:"
237
- msgstr "Lühendkoodid on saadaval uuendusjärgsetes mallides"
238
-
239
- #: wp-to-twitter-manager.php:471
240
- msgid "<code>#title#</code>: the title of your blog post"
241
- msgstr "<code>#title#</code>: Blogipostituse pealkiri"
242
-
243
- #: wp-to-twitter-manager.php:472
244
- msgid "<code>#blog#</code>: the title of your blog"
245
- msgstr "<code>#blog#</code>: Blogi nimi või pealkiri"
246
-
247
- #: wp-to-twitter-manager.php:473
248
- msgid "<code>#post#</code>: a short excerpt of the post content"
249
- msgstr "<code>#post#</code>: lühike väljavõte postituse sisust"
250
-
251
- #: wp-to-twitter-manager.php:474
252
- msgid "<code>#category#</code>: the first selected category for the post"
253
- msgstr "<code>#category#</code>: postituse sisu esimene valitud kategooria"
254
-
255
- #: wp-to-twitter-manager.php:475
256
- msgid "<code>#date#</code>: the post date"
257
- msgstr "<code>#date#</code>: postituse kuupäev"
258
-
259
- #: wp-to-twitter-manager.php:476
260
- msgid "<code>#url#</code>: the post URL"
261
- msgstr "<code>#url#</code>: postituse URL"
262
-
263
- #: wp-to-twitter-manager.php:477
264
- msgid "<code>#author#</code>: the post author'"
265
- msgstr "<code>#author#</code>: postituse autor'"
266
-
267
- #: wp-to-twitter-manager.php:479
268
- msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
269
- msgstr "Võite luua ka kohandatud lühendkoode, et kasutada WordPressi kohandatud välju. Oma staatuse värskendusele kohandatud välja väärtuse lisamiseks kasuta oma kohandatud välja ümber kahekordseid kandilisi sulge. Näide: <code>[[custom_field]]</code></p>"
270
-
271
- #: wp-to-twitter-manager.php:484
272
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
273
- msgstr "<p> Üks või rohkem sinu viimastest postitustest ei suutnud staatuse värskendamist Twitterile saata. Sinu Säuts on salvestatud postituse kohandatud väljadele ning võite seda soovi korral uuesti Säutsuda. </p>"
274
-
275
- #: wp-to-twitter-manager.php:487
276
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
277
- msgstr "<p> Päring URL'i lühendava API suhtes ebaõnnestus ning sinu URL'i ei lühendatud. Sinu Säutsule lisati täispikkuses URL. Kontrolli, kas sinu URL'ide lühendamisteenuse pakkujal esineb levinud probleeme. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
278
-
279
- #: wp-to-twitter-manager.php:494
280
- msgid "Clear 'WP to Twitter' Error Messages"
281
- msgstr "Puhasta 'WP to Twitter' veateated"
282
-
283
- #: wp-to-twitter-manager.php:507
284
- msgid "Basic Settings"
285
- msgstr "Põhiseaded"
286
-
287
- #: wp-to-twitter-manager.php:513
288
- msgid "Tweet Templates"
289
- msgstr "Säutsumallid"
290
-
291
- #: wp-to-twitter-manager.php:516
292
- msgid "Update when a post is published"
293
- msgstr "Uuenda, kui tehakse uus postitus"
294
-
295
- #: wp-to-twitter-manager.php:516
296
- msgid "Text for new post updates:"
297
- msgstr "Tekst uute postituste jaoks:"
298
-
299
- #: wp-to-twitter-manager.php:521
300
- msgid "Update when a post is edited"
301
- msgstr "Uuenda, kui postitust muudetakse"
302
-
303
- #: wp-to-twitter-manager.php:521
304
- msgid "Text for editing updates:"
305
- msgstr "Tekst postituste muutmise jaoks:"
306
-
307
- #: wp-to-twitter-manager.php:525
308
- msgid "Update Twitter when new Wordpress Pages are published"
309
- msgstr "Värskenda Twitterit pärast uute Wordpressi lehekülgede avaldamist"
310
-
311
- #: wp-to-twitter-manager.php:525
312
- msgid "Text for new page updates:"
313
- msgstr "Värske lehe uuenduse tekst:"
314
-
315
- #: wp-to-twitter-manager.php:529
316
- msgid "Update Twitter when WordPress Pages are edited"
317
- msgstr "Värskenda Twitterit, kui muudetakse WordPressi lehekülgi"
318
-
319
- #: wp-to-twitter-manager.php:529
320
- msgid "Text for page edit updates:"
321
- msgstr "Lehekülje muudatuste tekst:"
322
-
323
- #: wp-to-twitter-manager.php:533
324
- msgid "Update Twitter when you post a Blogroll link"
325
- msgstr "Värskenda Twitterit, kui postitad Blogrolli lingi"
326
-
327
- #: wp-to-twitter-manager.php:534
328
- msgid "Text for new link updates:"
329
- msgstr "Tekst uute lingivärskenduste jaoks:"
330
-
331
- #: wp-to-twitter-manager.php:534
332
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
333
- msgstr "Olemasolevad lühikoodid: <code>#url#</code>, <code>#title#</code>, ja <code>#description#</code>."
334
-
335
- #: wp-to-twitter-manager.php:538
336
- msgid "Choose your short URL service (account settings below)"
337
- msgstr "Vali oma lühikese URL'i teenus (kontoseaded all)"
338
-
339
- #: wp-to-twitter-manager.php:541
340
- msgid "Use Cli.gs for my URL shortener."
341
- msgstr "Kasuta Cli.gs'i oma URL'ide lühendajana."
342
-
343
- #: wp-to-twitter-manager.php:542
344
- msgid "Use Bit.ly for my URL shortener."
345
- msgstr "Kasuta Bit.ly'd oma URL'ide lühendajana."
346
-
347
- #: wp-to-twitter-manager.php:543
348
- msgid "YOURLS (installed on this server)"
349
- msgstr "YOURLS (installeeritud sellesse serverisse)"
350
-
351
- #: wp-to-twitter-manager.php:544
352
- msgid "YOURLS (installed on a remote server)"
353
- msgstr "YOURLS (installeeritud kaugserverisse)"
354
-
355
- #: wp-to-twitter-manager.php:545
356
- msgid "Use WordPress as a URL shortener."
357
- msgstr "Kasuta WordPressi URL'ide lühendajana."
358
-
359
- #: wp-to-twitter-manager.php:546
360
- msgid "Don't shorten URLs."
361
- msgstr "Ära lühenda URL'e."
362
-
363
- #: wp-to-twitter-manager.php:548
364
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
365
- msgstr "Kasutades URL'ide lühendamiseks WordPressi saadad URL'i Twitterisse, kasutades Wordpressi vaikevalikuga määratud URL formaati: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics'it ei saa kasutada, kui kasutate WordPressi poolt lühendatud URL'e."
366
-
367
- #: wp-to-twitter-manager.php:554
368
- msgid "Save WP->Twitter Options"
369
- msgstr "Salvesta WP->Twitter seaded"
370
-
371
- #: wp-to-twitter-manager.php:580
372
- #: wp-to-twitter-manager.php:599
373
- msgid "(<em>Saved</em>)"
374
- msgstr "(<em>Salvestatud</em>)"
375
-
376
- #: wp-to-twitter-manager.php:584
377
- #: wp-to-twitter-manager.php:603
378
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
379
- msgstr "&raquo; <small> Sul puudubTwitter'i konto? <a href='http://www.twitter.com'> Siit saad selle tasuta</a>"
380
-
381
- #: wp-to-twitter-manager.php:590
382
- msgid "Your Twitter account details"
383
- msgstr "Sinu Twitteri konto detailid"
384
-
385
- #: wp-to-twitter-manager.php:591
386
- msgid "These are your settings for Twitter as a second update service."
387
- msgstr "Need on sinu seaded Twitterile kui sekundaarsele uuendusteenusele."
388
-
389
- #: wp-to-twitter-manager.php:595
390
- msgid "Your Twitter username:"
391
- msgstr "Sinu Twitteri kasutajanimi:"
392
-
393
- #: wp-to-twitter-manager.php:599
394
- msgid "Your Twitter password:"
395
- msgstr "Sinu Twitteri salasõna:"
396
-
397
- #: wp-to-twitter-manager.php:603
398
- msgid "Save Twitter Login Info"
399
- msgstr "Salvesta Twitteri login-info"
400
-
401
- #: wp-to-twitter-manager.php:609
402
- msgid "Your Cli.gs account details"
403
- msgstr "Sinu Cli.gs konto detailid"
404
-
405
- #: wp-to-twitter-manager.php:614
406
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
407
- msgstr "Sinu Cli.gs <abbr title='application programming interface'>API</abbr> kood:"
408
-
409
- #: wp-to-twitter-manager.php:620
410
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
411
- msgstr "Sul puudub Cli.gs konto või Cligs API kood? <a href='http://cli.gs/user/api/'>Siit saad selle tasuta! </a>!<br /> Vajate API koodi, et seostada oma Cligs postitusi oma Cligs kontoga."
412
-
413
- #: wp-to-twitter-manager.php:626
414
- msgid "Your Bit.ly account details"
415
- msgstr "Teie Bit.ly konto detailid:"
416
-
417
- #: wp-to-twitter-manager.php:631
418
- msgid "Your Bit.ly username:"
419
- msgstr "Sinu Bit.ly kasutajanimi:"
420
-
421
- #: wp-to-twitter-manager.php:635
422
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
423
- msgstr "Sinu Bit.ly <abbr title='application programming interface'>API</abbr> kood:"
424
-
425
- #: wp-to-twitter-manager.php:642
426
- msgid "Save Bit.ly API Key"
427
- msgstr "Salvesta Bit.ly API kood"
428
-
429
- #: wp-to-twitter-manager.php:642
430
- msgid "Clear Bit.ly API Key"
431
- msgstr "Puhasta Bit.ly API kood"
432
-
433
- #: wp-to-twitter-manager.php:642
434
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
435
- msgstr " Bit.ly API ja WP to Twitter abil URL'ide lühendamiseks on vaja Bit.ly API koodi ja kasutajanime."
436
-
437
- #: wp-to-twitter-manager.php:647
438
- msgid "Your YOURLS account details"
439
- msgstr "Sinu YOURLS konto detailid"
440
-
441
- #: wp-to-twitter-manager.php:651
442
- msgid "Path to the YOURLS config file (Local installations)"
443
- msgstr "Viide YOURLS konfiguratsioonifailile (kohalikud installatsioonid)"
444
-
445
- #: wp-to-twitter-manager.php:652
446
- #: wp-to-twitter-manager.php:656
447
- msgid "Example:"
448
- msgstr "Näide:"
449
-
450
- #: wp-to-twitter-manager.php:655
451
- msgid "URI to the YOURLS API (Remote installations)"
452
- msgstr "YOURLS API (kauginstallatsioon) URI"
453
-
454
- #: wp-to-twitter-manager.php:659
455
- msgid "Your YOURLS username:"
456
- msgstr "Sinu YOURLS kasutajanimi:"
457
-
458
- #: wp-to-twitter-manager.php:663
459
- msgid "Your YOURLS password:"
460
- msgstr "Sinu YOURLS salasõna:"
461
-
462
- #: wp-to-twitter-manager.php:663
463
- msgid "<em>Saved</em>"
464
- msgstr "<em>Salvestatud</em>"
465
-
466
- #: wp-to-twitter-manager.php:667
467
- msgid "Use Post ID for YOURLS url slug."
468
- msgstr "Kasuta postituse ID'd YOURLS URL'i juhuslikult genereeritud märgendite (URL slug) jaoks. "
469
-
470
- #: wp-to-twitter-manager.php:672
471
- msgid "Save YOURLS Account Info"
472
- msgstr "Salvesta YOURLS kontoinfo"
473
-
474
- #: wp-to-twitter-manager.php:672
475
- msgid "Clear YOURLS password"
476
- msgstr "Nulli YOURLS salasõna"
477
-
478
- #: wp-to-twitter-manager.php:672
479
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
480
- msgstr "URL'ide lühendaimseks kaug-YOURLS API ja WP to Twitter'i abil on vaja YOURLS salasõna ja kasutajanime."
481
-
482
- #: wp-to-twitter-manager.php:677
483
- msgid "Change Twitter-compatible Service"
484
- msgstr "Muuda Twitteriga ühilduvat teenust"
485
-
486
- #: wp-to-twitter-manager.php:681
487
- msgid "URI for Twitter-compatible Post Status API"
488
- msgstr "Twitteriga ühilduva postituse staatuse API URI "
489
-
490
- #: wp-to-twitter-manager.php:685
491
- msgid "Service Name"
492
- msgstr "Teenuse nimi"
493
-
494
- #: wp-to-twitter-manager.php:689
495
- msgid "Status Update Character Limit"
496
- msgstr "Staatuse värskenduse tähemärkide limiit"
497
-
498
- #: wp-to-twitter-manager.php:693
499
- msgid "Post status updates to both services."
500
- msgstr "Postita staatusevärskendus mõlemasse teenusesse."
501
-
502
- #: wp-to-twitter-manager.php:696
503
- msgid "Reset to normal Twitter settings"
504
- msgstr "Taasta Twitteri algseaded"
505
-
506
- #: wp-to-twitter-manager.php:699
507
- msgid "Update Twitter Compatible Service"
508
- msgstr "Uuenda Twitteriga ühilduvat teenust:"
509
-
510
- #: wp-to-twitter-manager.php:699
511
- msgid "&raquo; <small>You can use any service using the Twitter-compatible REST API returning data in JSON format with this plugin. Twitter-compatible services include <a href='http://identi.ca'>Identi.ca</a>, <a href='http://shoutem.com'>Shoutem.com</a> and <a href='http://chirup.com'>Chirup.com</a>. <strong>No support will be provided for services other than Twitter.</strong>"
512
- msgstr "&raquo; <small>Selle pluginiga võite kasutada ükskõik millist teenust, mis kasutab Twitteriga ühilduvat REST API't, mis tagastab andmeid JSON formaadis. Twitteriga ühilduvate teeunste hulka kuuluvad <a href='http://identi.ca'>Identi.ca</a>, <a href='http://shoutem.com'>Shoutem.com</a> ja <a href='http://chirup.com'>Chirup.com</a>. <strong> Tuge pakutakse ainult Twitteri teenustele.</strong>"
513
-
514
- #: wp-to-twitter-manager.php:716
515
- msgid "Advanced Settings"
516
- msgstr "Täpsemad seaded"
517
-
518
- #: wp-to-twitter-manager.php:723
519
- msgid "Advanced Tweet settings"
520
- msgstr "Täpsemad Säutsuseaded"
521
-
522
- #: wp-to-twitter-manager.php:726
523
- msgid "Add tags as hashtags on Tweets"
524
- msgstr "Lisa Säutsudele märgendeid räsidena (hashtag)."
525
-
526
- #: wp-to-twitter-manager.php:727
527
- msgid "Spaces replaced with:"
528
- msgstr "Tühikud asendatatakse sellega:"
529
-
530
- #: wp-to-twitter-manager.php:728
531
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
532
- msgstr "Asendamiseks on vaikevalikuna kasutusel alakriips (<code>_</code>). Kasuta <code>[ ]</code> tühikute täielikuks eemaldamiseks."
533
-
534
- #: wp-to-twitter-manager.php:731
535
- msgid "Maximum number of tags to include:"
536
- msgstr "Maksimaalne kaasatavate märgendite arv:"
537
-
538
- #: wp-to-twitter-manager.php:732
539
- msgid "Maximum length in characters for included tags:"
540
- msgstr "Kaasatavate märgendite maksimumpikkus tähemärkides:"
541
-
542
- #: wp-to-twitter-manager.php:733
543
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
544
- msgstr "Need valikud võimaldavad sul piirata pikkust ja arvu WordPressi märgenditel, mis on Twitterisse saadetud räsidena (hashtag). Määra <code>0</code> või jäta tühjaks, et lubada kõiki ja igasuguseid märgendeid."
545
-
546
- #: wp-to-twitter-manager.php:736
547
- msgid "Length of post excerpt (in characters):"
548
- msgstr "Postituse väljavõtte pikkus tähemärkides:"
549
-
550
- #: wp-to-twitter-manager.php:736
551
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
552
- msgstr "Vaikeseadete järgi postitusest välja võetud. Seda kasutatakse siis, kui kasutate 'Excerpt'-välja."
553
-
554
- #: wp-to-twitter-manager.php:739
555
- msgid "WP to Twitter Date Formatting:"
556
- msgstr "WP to Twitter vormindamine:"
557
-
558
- #: wp-to-twitter-manager.php:740
559
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
560
- msgstr "Vaikeseaded lähtuvad sinu üldseadetest. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
561
-
562
- #: wp-to-twitter-manager.php:744
563
- msgid "Custom text before all Tweets:"
564
- msgstr "Kohandatud tekst enne kõiki Säutse:"
565
-
566
- #: wp-to-twitter-manager.php:745
567
- msgid "Custom text after all Tweets:"
568
- msgstr "Kohandatud tekst kõigile Säutsudele:"
569
-
570
- #: wp-to-twitter-manager.php:748
571
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
572
- msgstr "Kohandatud väli lühendatavale ja Säutsutavale alternatiivsele URL'ile:"
573
-
574
- #: wp-to-twitter-manager.php:749
575
- msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
576
- msgstr "Võite kasutada kohandatud välja, et oma postitusse saata alternatiivne URL. Väärtuseks on kohandatud välja nimi, mis sisaldab serveri URL'i."
577
-
578
- #: wp-to-twitter-manager.php:753
579
- msgid "Special Cases when WordPress should send a Tweet"
580
- msgstr "Erijuhtumid, mille puhul Wordpress peaks saatma Säutsu."
581
-
582
- #: wp-to-twitter-manager.php:756
583
- msgid "Do not post status updates by default"
584
- msgstr "Staatuse värskenduste postitamine on vaikseaseadena väljalülitatud."
585
-
586
- #: wp-to-twitter-manager.php:757
587
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
588
- msgstr "Vaikeseadena postitatakse Twitterisse kõik postitused, mis vastavad teistele nõuetele. Märgi see valik oma seadistuse muutmiseks."
589
-
590
- #: wp-to-twitter-manager.php:761
591
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
592
- msgstr "Saada Twitteri värskendused kaug-avaldamisega (postita e-mailiga või XMLRPC kliendiga)"
593
-
594
- #: wp-to-twitter-manager.php:765
595
- msgid "Update Twitter when a post is published using QuickPress"
596
- msgstr "Värskenda Twitterit, kui tehakse postitus kasutades QuickPress'i"
597
-
598
- #: wp-to-twitter-manager.php:769
599
- msgid "Google Analytics Settings"
600
- msgstr "Google Analytics'i seaded"
601
-
602
- #: wp-to-twitter-manager.php:770
603
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
604
- msgstr "Saate järgida Twitteri vastukaja, kasutades Google Analytics'it, ning defineerides siin kampaania identifikaatori. Võite kasutada staatilist või dünaamilist identifikaatorit. Staatilised identifikaatorid ei muutu erinevate postituste puhul kuid dünaamilised identifikaatorid tuletatakse iga posti suhtes relevantsest informatsioonist. Dünaamilised identifikaatorid võimaldavad sul statistikat lisamuutujate abil täpsustada."
605
-
606
- #: wp-to-twitter-manager.php:774
607
- msgid "Use a Static Identifier with WP-to-Twitter"
608
- msgstr "Kasuta staatilist identifikaatorit koos WP-to-Twitter'iga."
609
-
610
- #: wp-to-twitter-manager.php:775
611
- msgid "Static Campaign identifier for Google Analytics:"
612
- msgstr "Staatiline kampaania identifikaator Google Analytics'i jaoks"
613
-
614
- #: wp-to-twitter-manager.php:779
615
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
616
- msgstr "Kasuta Google Analytics'i ja WP-to-Twitter'iga dünaamilist identifikaatorit. "
617
-
618
- #: wp-to-twitter-manager.php:780
619
- msgid "What dynamic identifier would you like to use?"
620
- msgstr "Millist dünaamilist identifikaatorit soovid kasutada?"
621
-
622
- #: wp-to-twitter-manager.php:782
623
- msgid "Category"
624
- msgstr "Kategooria"
625
-
626
- #: wp-to-twitter-manager.php:783
627
- msgid "Post ID"
628
- msgstr "Postituse ID"
629
-
630
- #: wp-to-twitter-manager.php:784
631
- msgid "Post Title"
632
- msgstr "Postituse pealkiri"
633
-
634
- #: wp-to-twitter-manager.php:785
635
- msgid "Author"
636
- msgstr "Autor"
637
-
638
- #: wp-to-twitter-manager.php:790
639
- msgid "Individual Authors"
640
- msgstr "Autorid"
641
-
642
- #: wp-to-twitter-manager.php:793
643
- msgid "Authors have individual Twitter accounts"
644
- msgstr "Autoritel on oma Twitteri kontod"
645
-
646
- #: wp-to-twitter-manager.php:793
647
- msgid "Authors can set their own Twitter username and password in their user profile."
648
- msgstr "Autorid saavad oma Twitteri kasutajanime ja salasõna oma kasutajaprofiilist ise määrata."
649
-
650
- #: wp-to-twitter-manager.php:797
651
- msgid "Disable Error Messages"
652
- msgstr "Keela veateated"
653
-
654
- #: wp-to-twitter-manager.php:800
655
- msgid "Disable global URL shortener error messages."
656
- msgstr "Lülita välja globaalse URL lühendaja veateated."
657
-
658
- #: wp-to-twitter-manager.php:804
659
- msgid "Disable global Twitter API error messages."
660
- msgstr "Lülita välja globaalsed Twitter API veateated."
661
-
662
- #: wp-to-twitter-manager.php:810
663
- msgid "Save Advanced WP->Twitter Options"
664
- msgstr "Salvesta täiendavad WP->Twitter seaded"
665
-
666
- #: wp-to-twitter-manager.php:824
667
- msgid "Limit Updating Categories"
668
- msgstr "Piira Värskendamise Kategooriaid"
669
-
670
- #: wp-to-twitter-manager.php:828
671
- msgid "Select which blog categories will be Tweeted. "
672
- msgstr "Määra, milliseid blogikategooriaid tahad Säutsuda."
673
-
674
- #: wp-to-twitter-manager.php:831
675
- msgid "<em>Category limits are disabled.</em>"
676
- msgstr "<em>Kategooriapiirangud on välja lülitatud.</em>"
677
-
678
- #: wp-to-twitter-manager.php:845
679
- msgid "Check Support"
680
- msgstr "Kontrolli toe olemasolu"
681
-
682
- #: wp-to-twitter-manager.php:845
683
- msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
684
- msgstr "Kontrolli, kas server toetab <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter'i</a> päringuid Twitterile ja URL'e lühendavaid API'sid. See test saadab staatuse värskenduse Twitterile ja lühendab URL'e, kasutades sinu valitud meetodeid."
685
-
686
- #. #-#-#-#-# plugin.pot (WP to Twitter 2.1.1) #-#-#-#-#
687
- #. Plugin Name of the plugin/theme
688
- #: wp-to-twitter.php:853
689
- msgid "WP to Twitter"
690
- msgstr "WP to Twitter"
691
-
692
- #: wp-to-twitter.php:928
693
- msgid "Don't Tweet this post."
694
- msgstr "Ära Säutsu seda postitust"
695
-
696
- #: wp-to-twitter.php:938
697
- msgid "This URL is direct and has not been shortened: "
698
- msgstr "See URL on otsene ning seda pole lühendatud:"
699
-
700
- #: wp-to-twitter.php:990
701
- #: wp-to-twitter.php:1009
702
- msgid "WP to Twitter User Settings"
703
- msgstr "WP to Twitter kasutajaseaded"
704
-
705
- #: wp-to-twitter.php:1001
706
- #: wp-to-twitter.php:1014
707
- msgid "Enter your own Twitter username."
708
- msgstr "Sisestage oma Twitteri kasutajanimi"
709
-
710
- #: wp-to-twitter.php:1005
711
- #: wp-to-twitter.php:1018
712
- msgid "Enter your own Twitter password."
713
- msgstr "Sisestage oma Twitteri salasõna"
714
-
715
- #: wp-to-twitter.php:1005
716
- #: wp-to-twitter.php:1018
717
- msgid "<em>Password saved</em>"
718
- msgstr "<em>Salasõna salvestatud</em>"
719
-
720
- #: wp-to-twitter.php:1013
721
- msgid "Your Twitter Username"
722
- msgstr "Sinu Twitteri kasutajanimi"
723
-
724
- #: wp-to-twitter.php:1017
725
- msgid "Your Twitter Password"
726
- msgstr "Sinu Twitteri salasõna"
727
-
728
- #: wp-to-twitter.php:1061
729
- msgid "Check the categories you want to tweet:"
730
- msgstr "Märgi ära kategooriad, mille teemal tahad Säutsuda:"
731
-
732
- #: wp-to-twitter.php:1078
733
- msgid "Set Categories"
734
- msgstr "Määra kategooriad"
735
-
736
- #: wp-to-twitter.php:1147
737
- msgid "<p>Couldn't locate the settings page.</p>"
738
- msgstr "<p> Ei leidnud sätete lehekülge </p>"
739
-
740
- #: wp-to-twitter.php:1152
741
- msgid "Settings"
742
- msgstr "Seaded"
743
-
744
- #. Plugin URI of the plugin/theme
745
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
746
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
747
-
748
- #. Description of the plugin/theme
749
- msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
750
- msgstr "Värskendab Twitterit, kui teete uue blogipostituse või lisate midagi oma blogrollile, kasutades Cli.gs.'i. CLi.gs API koodiga saate luua clig'i oma Cli.gs kontole nii, et selle pealkirjaks on teie postituse pealkiri."
751
-
752
- #. Author of the plugin/theme
753
- msgid "Joseph Dolson"
754
- msgstr "Joseph Dolson"
755
-
756
- #. Author URI of the plugin/theme
757
- msgid "http://www.joedolson.com/"
758
- msgstr "http://www.joedolson.com/"
759
-
1
+ # Translation of the WordPress plugin WP to Twitter 2.1.1 by Joseph Dolson.
2
+ # Copyright (C) 2010 Joseph Dolson
3
+ # This file is distributed under the same license as the WP to Twitter package.
4
+ # FIRST AUTHOR <EMAIL@ADDRESS>, 2010.
5
+ #
6
+ msgid ""
7
+ msgstr ""
8
+ "Project-Id-Version: WP to Twitter 2.1.1\n"
9
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
+ "POT-Creation-Date: 2010-05-13 21:26+0000\n"
11
+ "PO-Revision-Date: 2010-07-06 21:01-0600\n"
12
+ "Last-Translator: Raivo Ratsep\n"
13
+ "Language-Team: Raivo Ratsep <raivo.ratsep@gmail.com>\n"
14
+ "MIME-Version: 1.0\n"
15
+ "Content-Type: text/plain; charset=UTF-8\n"
16
+ "Content-Transfer-Encoding: 8bit\n"
17
+ "X-Poedit-Language: Estonian\n"
18
+ "X-Poedit-Country: ESTONIA\n"
19
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
20
+
21
+ #: functions.php:248
22
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
23
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Peida</a>] Kui sul on probleeme, kopeeri need seaded tehnilise toe abipalvesse."
24
+
25
+ #: wp-to-twitter-manager.php:76
26
+ msgid "Please <a href='#twitterpw'>add your Twitter password</a>. "
27
+ msgstr "Palun <a href='#twitterpw'>lisa oma Twitter'i salasõna</a>. "
28
+
29
+ #: wp-to-twitter-manager.php:82
30
+ msgid "WP to Twitter Errors Cleared"
31
+ msgstr "WP to Twitter Parandatud Vead"
32
+
33
+ #: wp-to-twitter-manager.php:93
34
+ msgid "Twitter API settings reset. You may need to change your username and password settings, if they are not the same as the alternate service previously in use."
35
+ msgstr "Twitter API seaded nullida. Teil võib tekkida vajadus muuta oma kasutajanime ja parooli seadeid, kui nad ei ole samad, mis varem kasutusel olnud asendusteenuses ."
36
+
37
+ #: wp-to-twitter-manager.php:103
38
+ msgid "Twitter-compatible API settings updated. "
39
+ msgstr "Twitteriga ühilduva API seaded uuendatud."
40
+
41
+ #: wp-to-twitter-manager.php:105
42
+ msgid "You have configured WP to Twitter to use both Twitter and your selected service. Remember to add your username and login information for both services."
43
+ msgstr "Sa oled konfigureerinud WP to Twitter kasutama nii Twitter'it kui sinu valitud teenust. Ära unusta lisamast oma kasutajanime ja sisselogimise informatsiooni mõlema teenuse jaoks."
44
+
45
+ #: wp-to-twitter-manager.php:114
46
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
47
+ msgstr "Vabanda! Ma ei saanud ühendust Twitter serveriga, et postitada su uut blogi sissekannet. Su Säuts (tweet) on salvestatud postituse juures asuvasse kohandatud välja nii, et saad seda säutsu käsitsi säutsuda (Tweetida), kui soovid!"
48
+
49
+ #: wp-to-twitter-manager.php:116
50
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
51
+ msgstr "Vabandust! Ei saanud postitada su <strong>uut linki</strong>, sest ei saanud ühendust Twitteri serveritega. Pead selle vist kahjuks käsitsi postitama."
52
+
53
+ #: wp-to-twitter-manager.php:145
54
+ msgid "WP to Twitter Advanced Options Updated"
55
+ msgstr "WP to Twitter Täiendavad võimalused uuendatud."
56
+
57
+ #: wp-to-twitter-manager.php:162
58
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
59
+ msgstr "Peate lisama oma Bit.ly login'i ja API salasõna, et lühendada URL'e Bit.ly.'ga."
60
+
61
+ #: wp-to-twitter-manager.php:166
62
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
63
+ msgstr "Peate lisama oma YOURLS'i serveri URL'i, kasutajatunnuse ja salasõna, et URL'e lühendada YOURLS'i kauginstallatsiooniga."
64
+
65
+ #: wp-to-twitter-manager.php:170
66
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
67
+ msgstr "Peate lisama oma YOURLS serveriaadressi, et URL'e lühendada YOURLS'i kauginstallatsiooniga / et lühendada YOURLS'i kauginstallatsiooniga URL'e."
68
+
69
+ #: wp-to-twitter-manager.php:174
70
+ msgid "WP to Twitter Options Updated"
71
+ msgstr "WP to Twitter valikud uuendatud"
72
+
73
+ #: wp-to-twitter-manager.php:184
74
+ msgid "Category limits updated."
75
+ msgstr "Kategooriapiirangud uuendatud."
76
+
77
+ #: wp-to-twitter-manager.php:188
78
+ msgid "Category limits unset."
79
+ msgstr "Kategooriapiirangud pole määratud."
80
+
81
+ #: wp-to-twitter-manager.php:209
82
+ msgid "Twitter login and password updated. "
83
+ msgstr "Twitteri kasutajanimi ja salasõna uuendatud."
84
+
85
+ #: wp-to-twitter-manager.php:211
86
+ msgid "You need to provide your Twitter login and password! "
87
+ msgstr "Pead kasutama oma Twitteri kasutajanime ja salasõna!"
88
+
89
+ #: wp-to-twitter-manager.php:218
90
+ msgid "YOURLS password updated. "
91
+ msgstr "YOURLS salasõna uuendatud."
92
+
93
+ #: wp-to-twitter-manager.php:221
94
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
95
+ msgstr "YOURLS kasutajatunnus kustutatud. Sa ei saa kasutada Bit.ly API't ilma oma kasutajatunnuseta."
96
+
97
+ #: wp-to-twitter-manager.php:223
98
+ msgid "Failed to save your YOURLS password! "
99
+ msgstr "Ei õnnestunud salvestada sinu YOURLS salasõna!"
100
+
101
+ #: wp-to-twitter-manager.php:227
102
+ msgid "YOURLS username added. "
103
+ msgstr "YOURLS kasutajanimi lisatud."
104
+
105
+ #: wp-to-twitter-manager.php:231
106
+ msgid "YOURLS API url added. "
107
+ msgstr "YOURLS API URL lisatud."
108
+
109
+ #: wp-to-twitter-manager.php:236
110
+ msgid "YOURLS local server path added. "
111
+ msgstr "YOURLS kohaliku serveri viide lisatud."
112
+
113
+ #: wp-to-twitter-manager.php:238
114
+ msgid "The path to your YOURLS installation is not correct. "
115
+ msgstr "viide sy YOURLS installatsioonifailidele pole korrektne."
116
+
117
+ #: wp-to-twitter-manager.php:243
118
+ msgid "YOURLS will use Post ID for short URL slug."
119
+ msgstr "YOURLS kasutab postituse ID'd lühikese URL'i juhuslikult genereeritud märgendi (URL slug) jaoks. "
120
+
121
+ #: wp-to-twitter-manager.php:246
122
+ msgid "YOURLS will not use Post ID for the short URL slug."
123
+ msgstr "YOURLS ei kasuta postituse ID'd lühikese URL'i juhuslikult genereeritud märgendi (URL slug) jaoks. "
124
+
125
+ #: wp-to-twitter-manager.php:253
126
+ msgid "Cligs API Key Updated"
127
+ msgstr "Cligs API kood uuendatud"
128
+
129
+ #: wp-to-twitter-manager.php:256
130
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
131
+ msgstr "Cligs API kood kustutatud. WP to Twitter'i poolt loodud Cli.gs ei ole enam sinu kontoga seotud. "
132
+
133
+ #: wp-to-twitter-manager.php:258
134
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
135
+ msgstr "Cligs API koodi pole lisatud - <a href='http://cli.gs/user/api/'> saad selle siit</a>! "
136
+
137
+ #: wp-to-twitter-manager.php:264
138
+ msgid "Bit.ly API Key Updated."
139
+ msgstr "Bit.ly API kood uuendatud."
140
+
141
+ #: wp-to-twitter-manager.php:267
142
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
143
+ msgstr "Bit.ly API kood kustutatud. Sa ei saa Bit.ly API't kasutada ilma API koodita."
144
+
145
+ #: wp-to-twitter-manager.php:269
146
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
147
+ msgstr "Bit.ly API koodi pole lisatud - <a href='http://bit.ly/account/'> saad selle siit </a>! Bit.ly URL'i lühendamise teenuseks on vaja API koodi."
148
+
149
+ #: wp-to-twitter-manager.php:273
150
+ msgid " Bit.ly User Login Updated."
151
+ msgstr "Bit.ly kasutajatunnus uuendatud."
152
+
153
+ #: wp-to-twitter-manager.php:276
154
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
155
+ msgstr "Bit.ly kasutajatunnus kustutatud. Sa ei saa kasutada Bit.ly API't ilma oma kasutajatunnuseta."
156
+
157
+ #: wp-to-twitter-manager.php:278
158
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
159
+ msgstr "Bit.ly kasutajatunnust pole lisatud - <a href='http://bit.ly/account/'> saad selle siit</a>! "
160
+
161
+ #: wp-to-twitter-manager.php:372
162
+ msgid "<li><strong>Your selected URL shortener does not require testing.</strong></li>"
163
+ msgstr "<li><strong>Sinu poolt valitud URL lühendaja ei vaja testimist.</strong></li>"
164
+
165
+ #: wp-to-twitter-manager.php:375
166
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
167
+ msgstr "<li class=\"error\"><strong>WP to Twitter ei saavutanud ühenduslt sinu poolt valitud URL lühendusteenusega.</strong></li>"
168
+
169
+ #: wp-to-twitter-manager.php:379
170
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
171
+ msgstr "<li><strong>WP to Twitter saavutas edukalt ühenduse sinu poolt valitud URL lühendusteenusega.</strong> Järgnev link peaks viitama sinu blogi kodulehele:"
172
+
173
+ #: wp-to-twitter-manager.php:390
174
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to your primary update service.</strong></li>"
175
+ msgstr "<li><strong> WP to Twitter saatis edukalt staatuse värskenduse su peamisele uuendusteenusele.</strong></li>"
176
+
177
+ #: wp-to-twitter-manager.php:393
178
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to your primary update service.</strong></li>"
179
+ msgstr "<li class=\"error\"><strong>WP to Twitter WP to Twitter ei suutnud saata värskendust su peamisele uuendusteenusele.</strong></li>"
180
+
181
+ #: wp-to-twitter-manager.php:394
182
+ msgid "Twitter returned this error:"
183
+ msgstr "Twitter saatis sellise veateate:"
184
+
185
+ #: wp-to-twitter-manager.php:398
186
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to contact your primary update service.</strong></li>"
187
+ msgstr "<li class=\"error\"><strong>WP to Twitter WP to Twitter ei suutnud saada ühendust su peamise uuendusteenusega.</strong></li>"
188
+
189
+ #: wp-to-twitter-manager.php:399
190
+ msgid "No error was returned."
191
+ msgstr "Veateateid ei edastatud."
192
+
193
+ #: wp-to-twitter-manager.php:406
194
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to your secondary update service.</strong></li>"
195
+ msgstr "<li><strong>WP to Twitter saatis staatuse värskenduse edukalt su sekundaarsele uuendusteenusele.</strong></li>"
196
+
197
+ #: wp-to-twitter-manager.php:409
198
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to your secondary update service.</strong></li>"
199
+ msgstr "<li class=\"error\"><strong>WP to Twitter ei suutnud saata värskendust su sekundaarsele uuendusteenusele.</strong></li>"
200
+
201
+ #: wp-to-twitter-manager.php:410
202
+ msgid "The service returned this error:"
203
+ msgstr "Teenus edastas järgmise veateate:"
204
+
205
+ #: wp-to-twitter-manager.php:417
206
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
207
+ msgstr "<li><strong>Sinu server peaks WP to Twitter'it edukalt jooksutama.</strong></li>"
208
+
209
+ #: wp-to-twitter-manager.php:420
210
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
211
+ msgstr "<li class=\"error\"><strong>Tundub, et sinu server ei toeta meetodeid, mis on vajalikud WP to Twitteri töötamiseks .</strong> Võid seda siiski proovida - kasutusele olevad testid ei ole täiuslikud.</li>"
212
+
213
+ #: wp-to-twitter-manager.php:430
214
+ msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
215
+ msgstr "See plugin ei pruugi sinu serveri keskkonnas täielikult töötada. Plugin ei saanud ühendust URL'i lühendava API'ga ega Twitteri API teenusega."
216
+
217
+ #: wp-to-twitter-manager.php:444
218
+ msgid "WP to Twitter Options"
219
+ msgstr "WP to Twitter Valikud"
220
+
221
+ #: wp-to-twitter-manager.php:452
222
+ #: wp-to-twitter.php:925
223
+ msgid "Get Support"
224
+ msgstr "Abi"
225
+
226
+ #: wp-to-twitter-manager.php:453
227
+ msgid "Export Settings"
228
+ msgstr "Ekspordi seaded"
229
+
230
+ #: wp-to-twitter-manager.php:454
231
+ #: wp-to-twitter.php:925
232
+ msgid "Make a Donation"
233
+ msgstr "Tee annetus"
234
+
235
+ #: wp-to-twitter-manager.php:469
236
+ msgid "Shortcodes available in post update templates:"
237
+ msgstr "Lühendkoodid on saadaval uuendusjärgsetes mallides"
238
+
239
+ #: wp-to-twitter-manager.php:471
240
+ msgid "<code>#title#</code>: the title of your blog post"
241
+ msgstr "<code>#title#</code>: Blogipostituse pealkiri"
242
+
243
+ #: wp-to-twitter-manager.php:472
244
+ msgid "<code>#blog#</code>: the title of your blog"
245
+ msgstr "<code>#blog#</code>: Blogi nimi või pealkiri"
246
+
247
+ #: wp-to-twitter-manager.php:473
248
+ msgid "<code>#post#</code>: a short excerpt of the post content"
249
+ msgstr "<code>#post#</code>: lühike väljavõte postituse sisust"
250
+
251
+ #: wp-to-twitter-manager.php:474
252
+ msgid "<code>#category#</code>: the first selected category for the post"
253
+ msgstr "<code>#category#</code>: postituse sisu esimene valitud kategooria"
254
+
255
+ #: wp-to-twitter-manager.php:475
256
+ msgid "<code>#date#</code>: the post date"
257
+ msgstr "<code>#date#</code>: postituse kuupäev"
258
+
259
+ #: wp-to-twitter-manager.php:476
260
+ msgid "<code>#url#</code>: the post URL"
261
+ msgstr "<code>#url#</code>: postituse URL"
262
+
263
+ #: wp-to-twitter-manager.php:477
264
+ msgid "<code>#author#</code>: the post author'"
265
+ msgstr "<code>#author#</code>: postituse autor'"
266
+
267
+ #: wp-to-twitter-manager.php:479
268
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
269
+ msgstr "Võite luua ka kohandatud lühendkoode, et kasutada WordPressi kohandatud välju. Oma staatuse värskendusele kohandatud välja väärtuse lisamiseks kasuta oma kohandatud välja ümber kahekordseid kandilisi sulge. Näide: <code>[[custom_field]]</code></p>"
270
+
271
+ #: wp-to-twitter-manager.php:484
272
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
273
+ msgstr "<p> Üks või rohkem sinu viimastest postitustest ei suutnud staatuse värskendamist Twitterile saata. Sinu Säuts on salvestatud postituse kohandatud väljadele ning võite seda soovi korral uuesti Säutsuda. </p>"
274
+
275
+ #: wp-to-twitter-manager.php:487
276
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
277
+ msgstr "<p> Päring URL'i lühendava API suhtes ebaõnnestus ning sinu URL'i ei lühendatud. Sinu Säutsule lisati täispikkuses URL. Kontrolli, kas sinu URL'ide lühendamisteenuse pakkujal esineb levinud probleeme. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
278
+
279
+ #: wp-to-twitter-manager.php:494
280
+ msgid "Clear 'WP to Twitter' Error Messages"
281
+ msgstr "Puhasta 'WP to Twitter' veateated"
282
+
283
+ #: wp-to-twitter-manager.php:507
284
+ msgid "Basic Settings"
285
+ msgstr "Põhiseaded"
286
+
287
+ #: wp-to-twitter-manager.php:513
288
+ msgid "Tweet Templates"
289
+ msgstr "Säutsumallid"
290
+
291
+ #: wp-to-twitter-manager.php:516
292
+ msgid "Update when a post is published"
293
+ msgstr "Uuenda, kui tehakse uus postitus"
294
+
295
+ #: wp-to-twitter-manager.php:516
296
+ msgid "Text for new post updates:"
297
+ msgstr "Tekst uute postituste jaoks:"
298
+
299
+ #: wp-to-twitter-manager.php:521
300
+ msgid "Update when a post is edited"
301
+ msgstr "Uuenda, kui postitust muudetakse"
302
+
303
+ #: wp-to-twitter-manager.php:521
304
+ msgid "Text for editing updates:"
305
+ msgstr "Tekst postituste muutmise jaoks:"
306
+
307
+ #: wp-to-twitter-manager.php:525
308
+ msgid "Update Twitter when new Wordpress Pages are published"
309
+ msgstr "Värskenda Twitterit pärast uute Wordpressi lehekülgede avaldamist"
310
+
311
+ #: wp-to-twitter-manager.php:525
312
+ msgid "Text for new page updates:"
313
+ msgstr "Värske lehe uuenduse tekst:"
314
+
315
+ #: wp-to-twitter-manager.php:529
316
+ msgid "Update Twitter when WordPress Pages are edited"
317
+ msgstr "Värskenda Twitterit, kui muudetakse WordPressi lehekülgi"
318
+
319
+ #: wp-to-twitter-manager.php:529
320
+ msgid "Text for page edit updates:"
321
+ msgstr "Lehekülje muudatuste tekst:"
322
+
323
+ #: wp-to-twitter-manager.php:533
324
+ msgid "Update Twitter when you post a Blogroll link"
325
+ msgstr "Värskenda Twitterit, kui postitad Blogrolli lingi"
326
+
327
+ #: wp-to-twitter-manager.php:534
328
+ msgid "Text for new link updates:"
329
+ msgstr "Tekst uute lingivärskenduste jaoks:"
330
+
331
+ #: wp-to-twitter-manager.php:534
332
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
333
+ msgstr "Olemasolevad lühikoodid: <code>#url#</code>, <code>#title#</code>, ja <code>#description#</code>."
334
+
335
+ #: wp-to-twitter-manager.php:538
336
+ msgid "Choose your short URL service (account settings below)"
337
+ msgstr "Vali oma lühikese URL'i teenus (kontoseaded all)"
338
+
339
+ #: wp-to-twitter-manager.php:541
340
+ msgid "Use Cli.gs for my URL shortener."
341
+ msgstr "Kasuta Cli.gs'i oma URL'ide lühendajana."
342
+
343
+ #: wp-to-twitter-manager.php:542
344
+ msgid "Use Bit.ly for my URL shortener."
345
+ msgstr "Kasuta Bit.ly'd oma URL'ide lühendajana."
346
+
347
+ #: wp-to-twitter-manager.php:543
348
+ msgid "YOURLS (installed on this server)"
349
+ msgstr "YOURLS (installeeritud sellesse serverisse)"
350
+
351
+ #: wp-to-twitter-manager.php:544
352
+ msgid "YOURLS (installed on a remote server)"
353
+ msgstr "YOURLS (installeeritud kaugserverisse)"
354
+
355
+ #: wp-to-twitter-manager.php:545
356
+ msgid "Use WordPress as a URL shortener."
357
+ msgstr "Kasuta WordPressi URL'ide lühendajana."
358
+
359
+ #: wp-to-twitter-manager.php:546
360
+ msgid "Don't shorten URLs."
361
+ msgstr "Ära lühenda URL'e."
362
+
363
+ #: wp-to-twitter-manager.php:548
364
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
365
+ msgstr "Kasutades URL'ide lühendamiseks WordPressi saadad URL'i Twitterisse, kasutades Wordpressi vaikevalikuga määratud URL formaati: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics'it ei saa kasutada, kui kasutate WordPressi poolt lühendatud URL'e."
366
+
367
+ #: wp-to-twitter-manager.php:554
368
+ msgid "Save WP->Twitter Options"
369
+ msgstr "Salvesta WP->Twitter seaded"
370
+
371
+ #: wp-to-twitter-manager.php:580
372
+ #: wp-to-twitter-manager.php:599
373
+ msgid "(<em>Saved</em>)"
374
+ msgstr "(<em>Salvestatud</em>)"
375
+
376
+ #: wp-to-twitter-manager.php:584
377
+ #: wp-to-twitter-manager.php:603
378
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
379
+ msgstr "&raquo; <small> Sul puudubTwitter'i konto? <a href='http://www.twitter.com'> Siit saad selle tasuta</a>"
380
+
381
+ #: wp-to-twitter-manager.php:590
382
+ msgid "Your Twitter account details"
383
+ msgstr "Sinu Twitteri konto detailid"
384
+
385
+ #: wp-to-twitter-manager.php:591
386
+ msgid "These are your settings for Twitter as a second update service."
387
+ msgstr "Need on sinu seaded Twitterile kui sekundaarsele uuendusteenusele."
388
+
389
+ #: wp-to-twitter-manager.php:595
390
+ msgid "Your Twitter username:"
391
+ msgstr "Sinu Twitteri kasutajanimi:"
392
+
393
+ #: wp-to-twitter-manager.php:599
394
+ msgid "Your Twitter password:"
395
+ msgstr "Sinu Twitteri salasõna:"
396
+
397
+ #: wp-to-twitter-manager.php:603
398
+ msgid "Save Twitter Login Info"
399
+ msgstr "Salvesta Twitteri login-info"
400
+
401
+ #: wp-to-twitter-manager.php:609
402
+ msgid "Your Cli.gs account details"
403
+ msgstr "Sinu Cli.gs konto detailid"
404
+
405
+ #: wp-to-twitter-manager.php:614
406
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
407
+ msgstr "Sinu Cli.gs <abbr title='application programming interface'>API</abbr> kood:"
408
+
409
+ #: wp-to-twitter-manager.php:620
410
+ msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
411
+ msgstr "Sul puudub Cli.gs konto või Cligs API kood? <a href='http://cli.gs/user/api/'>Siit saad selle tasuta! </a>!<br /> Vajate API koodi, et seostada oma Cligs postitusi oma Cligs kontoga."
412
+
413
+ #: wp-to-twitter-manager.php:626
414
+ msgid "Your Bit.ly account details"
415
+ msgstr "Teie Bit.ly konto detailid:"
416
+
417
+ #: wp-to-twitter-manager.php:631
418
+ msgid "Your Bit.ly username:"
419
+ msgstr "Sinu Bit.ly kasutajanimi:"
420
+
421
+ #: wp-to-twitter-manager.php:635
422
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
423
+ msgstr "Sinu Bit.ly <abbr title='application programming interface'>API</abbr> kood:"
424
+
425
+ #: wp-to-twitter-manager.php:642
426
+ msgid "Save Bit.ly API Key"
427
+ msgstr "Salvesta Bit.ly API kood"
428
+
429
+ #: wp-to-twitter-manager.php:642
430
+ msgid "Clear Bit.ly API Key"
431
+ msgstr "Puhasta Bit.ly API kood"
432
+
433
+ #: wp-to-twitter-manager.php:642
434
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
435
+ msgstr " Bit.ly API ja WP to Twitter abil URL'ide lühendamiseks on vaja Bit.ly API koodi ja kasutajanime."
436
+
437
+ #: wp-to-twitter-manager.php:647
438
+ msgid "Your YOURLS account details"
439
+ msgstr "Sinu YOURLS konto detailid"
440
+
441
+ #: wp-to-twitter-manager.php:651
442
+ msgid "Path to the YOURLS config file (Local installations)"
443
+ msgstr "Viide YOURLS konfiguratsioonifailile (kohalikud installatsioonid)"
444
+
445
+ #: wp-to-twitter-manager.php:652
446
+ #: wp-to-twitter-manager.php:656
447
+ msgid "Example:"
448
+ msgstr "Näide:"
449
+
450
+ #: wp-to-twitter-manager.php:655
451
+ msgid "URI to the YOURLS API (Remote installations)"
452
+ msgstr "YOURLS API (kauginstallatsioon) URI"
453
+
454
+ #: wp-to-twitter-manager.php:659
455
+ msgid "Your YOURLS username:"
456
+ msgstr "Sinu YOURLS kasutajanimi:"
457
+
458
+ #: wp-to-twitter-manager.php:663
459
+ msgid "Your YOURLS password:"
460
+ msgstr "Sinu YOURLS salasõna:"
461
+
462
+ #: wp-to-twitter-manager.php:663
463
+ msgid "<em>Saved</em>"
464
+ msgstr "<em>Salvestatud</em>"
465
+
466
+ #: wp-to-twitter-manager.php:667
467
+ msgid "Use Post ID for YOURLS url slug."
468
+ msgstr "Kasuta postituse ID'd YOURLS URL'i juhuslikult genereeritud märgendite (URL slug) jaoks. "
469
+
470
+ #: wp-to-twitter-manager.php:672
471
+ msgid "Save YOURLS Account Info"
472
+ msgstr "Salvesta YOURLS kontoinfo"
473
+
474
+ #: wp-to-twitter-manager.php:672
475
+ msgid "Clear YOURLS password"
476
+ msgstr "Nulli YOURLS salasõna"
477
+
478
+ #: wp-to-twitter-manager.php:672
479
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
480
+ msgstr "URL'ide lühendaimseks kaug-YOURLS API ja WP to Twitter'i abil on vaja YOURLS salasõna ja kasutajanime."
481
+
482
+ #: wp-to-twitter-manager.php:677
483
+ msgid "Change Twitter-compatible Service"
484
+ msgstr "Muuda Twitteriga ühilduvat teenust"
485
+
486
+ #: wp-to-twitter-manager.php:681
487
+ msgid "URI for Twitter-compatible Post Status API"
488
+ msgstr "Twitteriga ühilduva postituse staatuse API URI "
489
+
490
+ #: wp-to-twitter-manager.php:685
491
+ msgid "Service Name"
492
+ msgstr "Teenuse nimi"
493
+
494
+ #: wp-to-twitter-manager.php:689
495
+ msgid "Status Update Character Limit"
496
+ msgstr "Staatuse värskenduse tähemärkide limiit"
497
+
498
+ #: wp-to-twitter-manager.php:693
499
+ msgid "Post status updates to both services."
500
+ msgstr "Postita staatusevärskendus mõlemasse teenusesse."
501
+
502
+ #: wp-to-twitter-manager.php:696
503
+ msgid "Reset to normal Twitter settings"
504
+ msgstr "Taasta Twitteri algseaded"
505
+
506
+ #: wp-to-twitter-manager.php:699
507
+ msgid "Update Twitter Compatible Service"
508
+ msgstr "Uuenda Twitteriga ühilduvat teenust:"
509
+
510
+ #: wp-to-twitter-manager.php:699
511
+ msgid "&raquo; <small>You can use any service using the Twitter-compatible REST API returning data in JSON format with this plugin. Twitter-compatible services include <a href='http://identi.ca'>Identi.ca</a>, <a href='http://shoutem.com'>Shoutem.com</a> and <a href='http://chirup.com'>Chirup.com</a>. <strong>No support will be provided for services other than Twitter.</strong>"
512
+ msgstr "&raquo; <small>Selle pluginiga võite kasutada ükskõik millist teenust, mis kasutab Twitteriga ühilduvat REST API't, mis tagastab andmeid JSON formaadis. Twitteriga ühilduvate teeunste hulka kuuluvad <a href='http://identi.ca'>Identi.ca</a>, <a href='http://shoutem.com'>Shoutem.com</a> ja <a href='http://chirup.com'>Chirup.com</a>. <strong> Tuge pakutakse ainult Twitteri teenustele.</strong>"
513
+
514
+ #: wp-to-twitter-manager.php:716
515
+ msgid "Advanced Settings"
516
+ msgstr "Täpsemad seaded"
517
+
518
+ #: wp-to-twitter-manager.php:723
519
+ msgid "Advanced Tweet settings"
520
+ msgstr "Täpsemad Säutsuseaded"
521
+
522
+ #: wp-to-twitter-manager.php:726
523
+ msgid "Add tags as hashtags on Tweets"
524
+ msgstr "Lisa Säutsudele märgendeid räsidena (hashtag)."
525
+
526
+ #: wp-to-twitter-manager.php:727
527
+ msgid "Spaces replaced with:"
528
+ msgstr "Tühikud asendatatakse sellega:"
529
+
530
+ #: wp-to-twitter-manager.php:728
531
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
532
+ msgstr "Asendamiseks on vaikevalikuna kasutusel alakriips (<code>_</code>). Kasuta <code>[ ]</code> tühikute täielikuks eemaldamiseks."
533
+
534
+ #: wp-to-twitter-manager.php:731
535
+ msgid "Maximum number of tags to include:"
536
+ msgstr "Maksimaalne kaasatavate märgendite arv:"
537
+
538
+ #: wp-to-twitter-manager.php:732
539
+ msgid "Maximum length in characters for included tags:"
540
+ msgstr "Kaasatavate märgendite maksimumpikkus tähemärkides:"
541
+
542
+ #: wp-to-twitter-manager.php:733
543
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
544
+ msgstr "Need valikud võimaldavad sul piirata pikkust ja arvu WordPressi märgenditel, mis on Twitterisse saadetud räsidena (hashtag). Määra <code>0</code> või jäta tühjaks, et lubada kõiki ja igasuguseid märgendeid."
545
+
546
+ #: wp-to-twitter-manager.php:736
547
+ msgid "Length of post excerpt (in characters):"
548
+ msgstr "Postituse väljavõtte pikkus tähemärkides:"
549
+
550
+ #: wp-to-twitter-manager.php:736
551
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
552
+ msgstr "Vaikeseadete järgi postitusest välja võetud. Seda kasutatakse siis, kui kasutate 'Excerpt'-välja."
553
+
554
+ #: wp-to-twitter-manager.php:739
555
+ msgid "WP to Twitter Date Formatting:"
556
+ msgstr "WP to Twitter vormindamine:"
557
+
558
+ #: wp-to-twitter-manager.php:740
559
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
560
+ msgstr "Vaikeseaded lähtuvad sinu üldseadetest. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
561
+
562
+ #: wp-to-twitter-manager.php:744
563
+ msgid "Custom text before all Tweets:"
564
+ msgstr "Kohandatud tekst enne kõiki Säutse:"
565
+
566
+ #: wp-to-twitter-manager.php:745
567
+ msgid "Custom text after all Tweets:"
568
+ msgstr "Kohandatud tekst kõigile Säutsudele:"
569
+
570
+ #: wp-to-twitter-manager.php:748
571
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
572
+ msgstr "Kohandatud väli lühendatavale ja Säutsutavale alternatiivsele URL'ile:"
573
+
574
+ #: wp-to-twitter-manager.php:749
575
+ msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
576
+ msgstr "Võite kasutada kohandatud välja, et oma postitusse saata alternatiivne URL. Väärtuseks on kohandatud välja nimi, mis sisaldab serveri URL'i."
577
+
578
+ #: wp-to-twitter-manager.php:753
579
+ msgid "Special Cases when WordPress should send a Tweet"
580
+ msgstr "Erijuhtumid, mille puhul Wordpress peaks saatma Säutsu."
581
+
582
+ #: wp-to-twitter-manager.php:756
583
+ msgid "Do not post status updates by default"
584
+ msgstr "Staatuse värskenduste postitamine on vaikseaseadena väljalülitatud."
585
+
586
+ #: wp-to-twitter-manager.php:757
587
+ msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
588
+ msgstr "Vaikeseadena postitatakse Twitterisse kõik postitused, mis vastavad teistele nõuetele. Märgi see valik oma seadistuse muutmiseks."
589
+
590
+ #: wp-to-twitter-manager.php:761
591
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
592
+ msgstr "Saada Twitteri värskendused kaug-avaldamisega (postita e-mailiga või XMLRPC kliendiga)"
593
+
594
+ #: wp-to-twitter-manager.php:765
595
+ msgid "Update Twitter when a post is published using QuickPress"
596
+ msgstr "Värskenda Twitterit, kui tehakse postitus kasutades QuickPress'i"
597
+
598
+ #: wp-to-twitter-manager.php:769
599
+ msgid "Google Analytics Settings"
600
+ msgstr "Google Analytics'i seaded"
601
+
602
+ #: wp-to-twitter-manager.php:770
603
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
604
+ msgstr "Saate järgida Twitteri vastukaja, kasutades Google Analytics'it, ning defineerides siin kampaania identifikaatori. Võite kasutada staatilist või dünaamilist identifikaatorit. Staatilised identifikaatorid ei muutu erinevate postituste puhul kuid dünaamilised identifikaatorid tuletatakse iga posti suhtes relevantsest informatsioonist. Dünaamilised identifikaatorid võimaldavad sul statistikat lisamuutujate abil täpsustada."
605
+
606
+ #: wp-to-twitter-manager.php:774
607
+ msgid "Use a Static Identifier with WP-to-Twitter"
608
+ msgstr "Kasuta staatilist identifikaatorit koos WP-to-Twitter'iga."
609
+
610
+ #: wp-to-twitter-manager.php:775
611
+ msgid "Static Campaign identifier for Google Analytics:"
612
+ msgstr "Staatiline kampaania identifikaator Google Analytics'i jaoks"
613
+
614
+ #: wp-to-twitter-manager.php:779
615
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
616
+ msgstr "Kasuta Google Analytics'i ja WP-to-Twitter'iga dünaamilist identifikaatorit. "
617
+
618
+ #: wp-to-twitter-manager.php:780
619
+ msgid "What dynamic identifier would you like to use?"
620
+ msgstr "Millist dünaamilist identifikaatorit soovid kasutada?"
621
+
622
+ #: wp-to-twitter-manager.php:782
623
+ msgid "Category"
624
+ msgstr "Kategooria"
625
+
626
+ #: wp-to-twitter-manager.php:783
627
+ msgid "Post ID"
628
+ msgstr "Postituse ID"
629
+
630
+ #: wp-to-twitter-manager.php:784
631
+ msgid "Post Title"
632
+ msgstr "Postituse pealkiri"
633
+
634
+ #: wp-to-twitter-manager.php:785
635
+ msgid "Author"
636
+ msgstr "Autor"
637
+
638
+ #: wp-to-twitter-manager.php:790
639
+ msgid "Individual Authors"
640
+ msgstr "Autorid"
641
+
642
+ #: wp-to-twitter-manager.php:793
643
+ msgid "Authors have individual Twitter accounts"
644
+ msgstr "Autoritel on oma Twitteri kontod"
645
+
646
+ #: wp-to-twitter-manager.php:793
647
+ msgid "Authors can set their own Twitter username and password in their user profile."
648
+ msgstr "Autorid saavad oma Twitteri kasutajanime ja salasõna oma kasutajaprofiilist ise määrata."
649
+
650
+ #: wp-to-twitter-manager.php:797
651
+ msgid "Disable Error Messages"
652
+ msgstr "Keela veateated"
653
+
654
+ #: wp-to-twitter-manager.php:800
655
+ msgid "Disable global URL shortener error messages."
656
+ msgstr "Lülita välja globaalse URL lühendaja veateated."
657
+
658
+ #: wp-to-twitter-manager.php:804
659
+ msgid "Disable global Twitter API error messages."
660
+ msgstr "Lülita välja globaalsed Twitter API veateated."
661
+
662
+ #: wp-to-twitter-manager.php:810
663
+ msgid "Save Advanced WP->Twitter Options"
664
+ msgstr "Salvesta täiendavad WP->Twitter seaded"
665
+
666
+ #: wp-to-twitter-manager.php:824
667
+ msgid "Limit Updating Categories"
668
+ msgstr "Piira Värskendamise Kategooriaid"
669
+
670
+ #: wp-to-twitter-manager.php:828
671
+ msgid "Select which blog categories will be Tweeted. "
672
+ msgstr "Määra, milliseid blogikategooriaid tahad Säutsuda."
673
+
674
+ #: wp-to-twitter-manager.php:831
675
+ msgid "<em>Category limits are disabled.</em>"
676
+ msgstr "<em>Kategooriapiirangud on välja lülitatud.</em>"
677
+
678
+ #: wp-to-twitter-manager.php:845
679
+ msgid "Check Support"
680
+ msgstr "Kontrolli toe olemasolu"
681
+
682
+ #: wp-to-twitter-manager.php:845
683
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
684
+ msgstr "Kontrolli, kas server toetab <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter'i</a> päringuid Twitterile ja URL'e lühendavaid API'sid. See test saadab staatuse värskenduse Twitterile ja lühendab URL'e, kasutades sinu valitud meetodeid."
685
+
686
+ #. #-#-#-#-# plugin.pot (WP to Twitter 2.1.1) #-#-#-#-#
687
+ #. Plugin Name of the plugin/theme
688
+ #: wp-to-twitter.php:853
689
+ msgid "WP to Twitter"
690
+ msgstr "WP to Twitter"
691
+
692
+ #: wp-to-twitter.php:928
693
+ msgid "Don't Tweet this post."
694
+ msgstr "Ära Säutsu seda postitust"
695
+
696
+ #: wp-to-twitter.php:938
697
+ msgid "This URL is direct and has not been shortened: "
698
+ msgstr "See URL on otsene ning seda pole lühendatud:"
699
+
700
+ #: wp-to-twitter.php:990
701
+ #: wp-to-twitter.php:1009
702
+ msgid "WP to Twitter User Settings"
703
+ msgstr "WP to Twitter kasutajaseaded"
704
+
705
+ #: wp-to-twitter.php:1001
706
+ #: wp-to-twitter.php:1014
707
+ msgid "Enter your own Twitter username."
708
+ msgstr "Sisestage oma Twitteri kasutajanimi"
709
+
710
+ #: wp-to-twitter.php:1005
711
+ #: wp-to-twitter.php:1018
712
+ msgid "Enter your own Twitter password."
713
+ msgstr "Sisestage oma Twitteri salasõna"
714
+
715
+ #: wp-to-twitter.php:1005
716
+ #: wp-to-twitter.php:1018
717
+ msgid "<em>Password saved</em>"
718
+ msgstr "<em>Salasõna salvestatud</em>"
719
+
720
+ #: wp-to-twitter.php:1013
721
+ msgid "Your Twitter Username"
722
+ msgstr "Sinu Twitteri kasutajanimi"
723
+
724
+ #: wp-to-twitter.php:1017
725
+ msgid "Your Twitter Password"
726
+ msgstr "Sinu Twitteri salasõna"
727
+
728
+ #: wp-to-twitter.php:1061
729
+ msgid "Check the categories you want to tweet:"
730
+ msgstr "Märgi ära kategooriad, mille teemal tahad Säutsuda:"
731
+
732
+ #: wp-to-twitter.php:1078
733
+ msgid "Set Categories"
734
+ msgstr "Määra kategooriad"
735
+
736
+ #: wp-to-twitter.php:1147
737
+ msgid "<p>Couldn't locate the settings page.</p>"
738
+ msgstr "<p> Ei leidnud sätete lehekülge </p>"
739
+
740
+ #: wp-to-twitter.php:1152
741
+ msgid "Settings"
742
+ msgstr "Seaded"
743
+
744
+ #. Plugin URI of the plugin/theme
745
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
746
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
747
+
748
+ #. Description of the plugin/theme
749
+ msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
750
+ msgstr "Värskendab Twitterit, kui teete uue blogipostituse või lisate midagi oma blogrollile, kasutades Cli.gs.'i. CLi.gs API koodiga saate luua clig'i oma Cli.gs kontole nii, et selle pealkirjaks on teie postituse pealkiri."
751
+
752
+ #. Author of the plugin/theme
753
+ msgid "Joseph Dolson"
754
+ msgstr "Joseph Dolson"
755
+
756
+ #. Author URI of the plugin/theme
757
+ msgid "http://www.joedolson.com/"
758
+ msgstr "http://www.joedolson.com/"
759
+
lang/wp-to-twitter-fr_FR.mo ADDED
Binary file
lang/wp-to-twitter-fr_FR.po ADDED
@@ -0,0 +1,1777 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Translation of WP to Twitter in French (France)
2
+ # This file is distributed under the same license as the WP to Twitter package.
3
+ msgid ""
4
+ msgstr ""
5
+ "Project-Id-Version: WP to Twitter\n"
6
+ "Report-Msgid-Bugs-To: \n"
7
+ "POT-Creation-Date: 2013-04-16 17:55+0100\n"
8
+ "PO-Revision-Date: 2013-04-16 18:13+0100\n"
9
+ "Last-Translator: FxB <traductions@fxbenard.com>\n"
10
+ "Language-Team: FxB <fxb@fxbenard.com>\n"
11
+ "Language: fr_FR\n"
12
+ "MIME-Version: 1.0\n"
13
+ "Content-Type: text/plain; charset=UTF-8\n"
14
+ "Content-Transfer-Encoding: 8bit\n"
15
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
16
+ "X-Poedit-SourceCharset: UTF-8\n"
17
+ "X-Poedit-KeywordsList: __;_e;esc_attr__;esc_attr_e;esc_html__;esc_html_e;_n;"
18
+ "_x;_n:1,2;_ex:1,2c;_nx:4c,1,2;_nx_noop:4c,1,2;_x:1,2c\n"
19
+ "X-Poedit-Basepath: ../\n"
20
+ "X-Textdomain-Support: yes\n"
21
+ "X-Generator: Poedit 1.5.5\n"
22
+ "X-Poedit-SearchPath-0: .\n"
23
+
24
+ #: wp-to-twitter-manager.php:39
25
+ msgid "No error information is available for your shortener."
26
+ msgstr "Aucune information d'erreur est disponible pour votre raccourcisseur."
27
+
28
+ #: wp-to-twitter-manager.php:41
29
+ msgid ""
30
+ "<li class=\"error\"><strong>WP to Twitter was unable to contact your "
31
+ "selected URL shortening service.</strong></li>"
32
+ msgstr ""
33
+ "<li class=\"error\"><strong>L'extension WP to Twitter n'a pas réussi à se "
34
+ "connecter au service de réduction d'URL que vous avez choisi.</strong></li>"
35
+
36
+ #: wp-to-twitter-manager.php:44
37
+ msgid ""
38
+ "<li><strong>WP to Twitter successfully contacted your selected URL "
39
+ "shortening service.</strong> The following link should point to your blog "
40
+ "homepage:"
41
+ msgstr ""
42
+ "<li><strong>L'extension WP to Twitter s'est connecté avec succés au service "
43
+ "de réduction d'URL que vous avez choisi.</strong> Le lien suivant doit "
44
+ "renvoyer à la page d'accueil de votre blog :"
45
+
46
+ #: wp-to-twitter-manager.php:52
47
+ msgid ""
48
+ "<li><strong>WP to Twitter successfully submitted a status update to Twitter."
49
+ "</strong></li>"
50
+ msgstr ""
51
+ "<li><strong>WP to Twitter a soumis avec succès une mise à jour de statut sur "
52
+ "Twitter.</strong></li>"
53
+
54
+ #: wp-to-twitter-manager.php:55
55
+ msgid ""
56
+ "<li class=\"error\"><strong>WP to Twitter failed to submit an update to "
57
+ "Twitter.</strong></li>"
58
+ msgstr ""
59
+ "<li class=\"error\"><strong>WP to Twitter n'a pas réussi à soumettre une "
60
+ "mise à jour du statut sur Twitter.</strong></li>"
61
+
62
+ #: wp-to-twitter-manager.php:59
63
+ msgid "You have not connected WordPress to Twitter."
64
+ msgstr "Vous n'avez pas connecter WordPress à Twitter."
65
+
66
+ #: wp-to-twitter-manager.php:63
67
+ msgid ""
68
+ "<li class=\"error\"><strong>Your server does not appear to support the "
69
+ "required methods for WP to Twitter to function.</strong> You can try it "
70
+ "anyway - these tests aren't perfect.</li>"
71
+ msgstr ""
72
+ "<li class=\"error\"><strong>Votre serveur ne semble pas supporter les "
73
+ "méthodes nécessaires au fonctionnement de Twitter.</strong> Cependant, vous "
74
+ "pouvez réessayer car ces tests ne sont pas parfaits.</li>"
75
+
76
+ #: wp-to-twitter-manager.php:67
77
+ msgid ""
78
+ "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
79
+ msgstr ""
80
+ "<li><strong>Votre serveur devrait correctement exécuter l'extension WP to "
81
+ "Twitter.</strong></li>"
82
+
83
+ #: wp-to-twitter-manager.php:85
84
+ msgid "WP to Twitter Errors Cleared"
85
+ msgstr "Erreurs de l'extension WP to Twitter effacées"
86
+
87
+ #: wp-to-twitter-manager.php:169
88
+ msgid "WP to Twitter is now connected with Twitter."
89
+ msgstr "WP to Twitter est maintenat connecté avec Twitter."
90
+
91
+ #: wp-to-twitter-manager.php:176
92
+ msgid ""
93
+ "WP to Twitter failed to connect with Twitter. Try <a href=\"#wpt_http"
94
+ "\">switching to an HTTP connection</a>."
95
+ msgstr ""
96
+ "Wp to Twitter n'a pas réussi à se connecter à Twitter. Essayer de <a href="
97
+ "\"#wpt_http\">passer à une connexion HTTP</a>."
98
+
99
+ #: wp-to-twitter-manager.php:183
100
+ msgid "OAuth Authentication Data Cleared."
101
+ msgstr "Données d'authentification OAuth éffacées."
102
+
103
+ #: wp-to-twitter-manager.php:190
104
+ msgid ""
105
+ "OAuth Authentication Failed. Your server time is not in sync with the "
106
+ "Twitter servers. Talk to your hosting service to see what can be done."
107
+ msgstr ""
108
+ "Échec de l'authentification OAuth. L'heure de votre serveur n'est pas "
109
+ "synchronisée avec les serveurs de Twitter. Parlez-en à votre service "
110
+ "d'hébergement pour voir ce qui peut être fait."
111
+
112
+ #: wp-to-twitter-manager.php:197
113
+ msgid "OAuth Authentication response not understood."
114
+ msgstr "Réponse d'authentification OAuth non comprise."
115
+
116
+ #: wp-to-twitter-manager.php:360
117
+ msgid "WP to Twitter Advanced Options Updated"
118
+ msgstr "Options avancées de WP to Twitter mises à jour"
119
+
120
+ #: wp-to-twitter-manager.php:382
121
+ msgid "WP to Twitter Options Updated"
122
+ msgstr "Options de WP to Twitter mises à jours"
123
+
124
+ #: wp-to-twitter-manager.php:391
125
+ msgid "Category limits updated."
126
+ msgstr "Limitations de catégories mises à jour."
127
+
128
+ #: wp-to-twitter-manager.php:395
129
+ msgid "Category limits unset."
130
+ msgstr "Limitations de catégories mises à zéro."
131
+
132
+ #: wp-to-twitter-manager.php:414
133
+ msgid ""
134
+ "<p>One or more of your last posts has failed to send a status update to "
135
+ "Twitter. The Tweet has been saved, and you can re-Tweet it at your leisure.</"
136
+ "p>"
137
+ msgstr ""
138
+ "<p>Un ou plusieurs de vos derniers articles n'ont pas réussi à envoyer la "
139
+ "mise à jour de leur statut à Twitter. Votre tweet a été enregistré dans vos "
140
+ "champs personnalisés, vous pouvez le re-tweeter si vous le désirez.</p>"
141
+
142
+ #: wp-to-twitter-manager.php:420
143
+ msgid ""
144
+ "Sorry! I couldn't get in touch with the Twitter servers to post your "
145
+ "<strong>new link</strong>! You'll have to post it manually, I'm afraid. "
146
+ msgstr ""
147
+ "Désolé ! Je n'ai pas réussi à me connecter aux serveurs Twitter afin de "
148
+ "poster votre <strong>nouveau lien</strong>! Je crains que vous ne deviez le "
149
+ "poster manuellement."
150
+
151
+ #: wp-to-twitter-manager.php:423
152
+ msgid ""
153
+ "<p>The query to the URL shortener API failed, and your URL was not shrunk. "
154
+ "The full post URL was attached to your Tweet. Check with your URL shortening "
155
+ "provider to see if there are any known issues.</p>"
156
+ msgstr ""
157
+ "<p>Votre demande vers l'API du réducteur d'URL a échoué, votre URL n'a pas "
158
+ "été réduite. L'URL complète de l'article a été jointe à votre tweet. "
159
+ "Vérifier que votre réducteur d'URL ne rencontre aucun problème connu.</p>"
160
+
161
+ #: wp-to-twitter-manager.php:429
162
+ msgid "Clear 'WP to Twitter' Error Messages"
163
+ msgstr "Effacer les messages d'erreur \"WP to Twitter\""
164
+
165
+ #: wp-to-twitter-manager.php:435
166
+ msgid "WP to Twitter Options"
167
+ msgstr "Options WP to Twitter"
168
+
169
+ #: wp-to-twitter-manager.php:448
170
+ msgid "Basic Settings"
171
+ msgstr "Réglages de bases"
172
+
173
+ #: wp-to-twitter-manager.php:454 wp-to-twitter-manager.php:507
174
+ msgid "Save WP->Twitter Options"
175
+ msgstr "Enregistrer les options de WP -> Twitter"
176
+
177
+ #: wp-to-twitter-manager.php:472
178
+ #, php-format
179
+ msgid "Settings for type \"%1$s\""
180
+ msgstr "Réglages pour le type \"%1$s\""
181
+
182
+ #: wp-to-twitter-manager.php:475
183
+ #, php-format
184
+ msgid "Update when %1$s %2$s is published"
185
+ msgstr "Mettre à jour quand %1$s %2$s est publié"
186
+
187
+ #: wp-to-twitter-manager.php:475
188
+ #, php-format
189
+ msgid "Text for new %1$s updates"
190
+ msgstr "Texte pour une nouvelle mise à jour de %1$s"
191
+
192
+ #: wp-to-twitter-manager.php:479
193
+ #, php-format
194
+ msgid "Update when %1$s %2$s is edited"
195
+ msgstr "Mettre à jour quand %1$s %2$s est modifié"
196
+
197
+ #: wp-to-twitter-manager.php:479
198
+ #, php-format
199
+ msgid "Text for %1$s editing updates"
200
+ msgstr "Texte pour une nouvelle mise à jour de %1$s"
201
+
202
+ #: wp-to-twitter-manager.php:487
203
+ msgid "Settings for Comments"
204
+ msgstr "Réglages des commentaires"
205
+
206
+ #: wp-to-twitter-manager.php:490
207
+ msgid "Update Twitter when new comments are posted"
208
+ msgstr "Mettre à jour Twitter lorsque de nouveaux commentaires sont publiés"
209
+
210
+ #: wp-to-twitter-manager.php:491
211
+ msgid "Text for new comments:"
212
+ msgstr "Texte pour les nouveaux commentaires :"
213
+
214
+ #: wp-to-twitter-manager.php:493
215
+ msgid ""
216
+ "In addition to standard template tags, comments can use <code>#commenter#</"
217
+ "code> to post the commenter's name in the Tweet. <em>Use this at your own "
218
+ "risk</em>, as it lets anybody who can post a comment on your site post a "
219
+ "phrase in your Twitter stream."
220
+ msgstr ""
221
+ "En plus des balises courtes ci-dessus, les modèles de commentaire pouvent "
222
+ "utiliser <code>#commenter#</code> pour afficher le nom du commentateur dans "
223
+ "le Tweet. <em> Utilisez cette fonction à vos risques et périls </em>, car "
224
+ "elle permettra à quiconque qui peut publier un commentaire sur votre site de "
225
+ "publier une phrase dans votre flux Twitter."
226
+
227
+ #: wp-to-twitter-manager.php:496
228
+ msgid "Settings for Links"
229
+ msgstr "Réglages des liens."
230
+
231
+ #: wp-to-twitter-manager.php:499
232
+ msgid "Update Twitter when you post a Blogroll link"
233
+ msgstr "Mettre à jour Twitter lorsque vous publier un lien dans votre Blogroll"
234
+
235
+ #: wp-to-twitter-manager.php:500
236
+ msgid "Text for new link updates:"
237
+ msgstr "Texte pour l'annonce d'un nouveau lien :"
238
+
239
+ #: wp-to-twitter-manager.php:500
240
+ msgid ""
241
+ "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and "
242
+ "<code>#description#</code>."
243
+ msgstr ""
244
+ "Raccourcis disponibles : <code>#url#</code>, <code>#title#</code>, et "
245
+ "<code>#description#</code>."
246
+
247
+ #: wp-to-twitter-manager.php:518
248
+ msgid "Advanced Settings"
249
+ msgstr "Réglages avancés"
250
+
251
+ #: wp-to-twitter-manager.php:523 wp-to-twitter-manager.php:700
252
+ msgid "Save Advanced WP->Twitter Options"
253
+ msgstr "Enregistrer les options avancées de WP->Twitter "
254
+
255
+ #: wp-to-twitter-manager.php:526
256
+ msgid "Tags"
257
+ msgstr "Mots-clefs"
258
+
259
+ #: wp-to-twitter-manager.php:528
260
+ msgid "Strip nonalphanumeric characters from tags"
261
+ msgstr "Retirer les caractères non alphanumériques à partir des mots-clefs"
262
+
263
+ #: wp-to-twitter-manager.php:531
264
+ msgid "Use tag slug as hashtag value"
265
+ msgstr "Utiliser l'identifiant des mots-clefs comme valeur de hashtag"
266
+
267
+ #: wp-to-twitter-manager.php:534
268
+ msgid "Spaces in tags replaced with:"
269
+ msgstr "Les espaces dans les mots-clefs remplacées par :"
270
+
271
+ #: wp-to-twitter-manager.php:537
272
+ msgid "Maximum number of tags to include:"
273
+ msgstr "Nombre maximal de mots-clefs à ajouter :"
274
+
275
+ #: wp-to-twitter-manager.php:538
276
+ msgid "Maximum length in characters for included tags:"
277
+ msgstr "Nombre de caractères maximum pour un mot-clef ajouté :"
278
+
279
+ #: wp-to-twitter-manager.php:542
280
+ msgid "Template Tag Settings"
281
+ msgstr "Réglages du modèle des mots-clefs"
282
+
283
+ #: wp-to-twitter-manager.php:544
284
+ msgid "Length of post excerpt (in characters):"
285
+ msgstr "Longueur de l'extrait de l'article (en nombre de caractères) :"
286
+
287
+ #: wp-to-twitter-manager.php:544
288
+ msgid ""
289
+ "Extracted from the post. If you use the 'Excerpt' field, it will be used "
290
+ "instead."
291
+ msgstr ""
292
+ "Extrait du contenu de l'article. Si vous spécifiez le champ \"Excerpt\", son "
293
+ "contenu sera utilisé à la place."
294
+
295
+ #: wp-to-twitter-manager.php:547
296
+ msgid "WP to Twitter Date Formatting:"
297
+ msgstr "Date de formatage de l'extension WP to Twitter :"
298
+
299
+ #: wp-to-twitter-manager.php:547
300
+ msgid ""
301
+ "Default is from your general settings. <a href='http://codex.wordpress.org/"
302
+ "Formatting_Date_and_Time'>Date Formatting Documentation</a>."
303
+ msgstr ""
304
+ "L'ensemble de vos réglages sont des réglages par défaut. <a href='http://"
305
+ "codex.wordpress.org/Formatting_Date_and_Time'>Informations sur la date de "
306
+ "formatage</a>."
307
+
308
+ #: wp-to-twitter-manager.php:551
309
+ msgid "Custom text before all Tweets:"
310
+ msgstr "Personnaliser le texte avant chaque tweet :"
311
+
312
+ #: wp-to-twitter-manager.php:554
313
+ msgid "Custom text after all Tweets:"
314
+ msgstr "Personnaliser le texte après chaque tweet :"
315
+
316
+ #: wp-to-twitter-manager.php:557
317
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
318
+ msgstr ""
319
+ "Personnaliser le champ pour une URL alternative à réduire et à publier sur "
320
+ "Twitter :"
321
+
322
+ #: wp-to-twitter-manager.php:587
323
+ msgid "Template tag priority order"
324
+ msgstr "Priorité des balises de modèle de mot-clef"
325
+
326
+ #: wp-to-twitter-manager.php:588
327
+ msgid ""
328
+ "The order in which items will be abbreviated or removed from your Tweet if "
329
+ "the Tweet is too long to send to Twitter."
330
+ msgstr ""
331
+ "C'est l'ordre dans lequel les éléments seront raccourcis ou supprimés de "
332
+ "votre Tweet s'il est trop long pour être envoyé sur Twitter."
333
+
334
+ #: wp-to-twitter-manager.php:594
335
+ msgid "Special Cases when WordPress should send a Tweet"
336
+ msgstr "Cas particuliers lorsque WordPress doit envoyer un tweet"
337
+
338
+ #: wp-to-twitter-manager.php:597
339
+ msgid "Do not post Tweets by default"
340
+ msgstr "Ne pas publier de Tweets par défaut"
341
+
342
+ #: wp-to-twitter-manager.php:599
343
+ msgid "Do not post Tweets by default (editing only)"
344
+ msgstr "Ne pas publier de Tweets par défaut (modification uniquement)"
345
+
346
+ #: wp-to-twitter-manager.php:603
347
+ msgid "Allow status updates from Quick Edit"
348
+ msgstr "Autoriser les mises à jour de statut dans le Press-Minute"
349
+
350
+ #: wp-to-twitter-manager.php:608
351
+ msgid ""
352
+ "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-"
353
+ "independent action."
354
+ msgstr ""
355
+ "Retarder les tweets avec WP Tweets PRO transforme le tweeting en une action "
356
+ "d'édition indépendante."
357
+
358
+ #: wp-to-twitter-manager.php:615
359
+ msgid ""
360
+ "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
361
+ msgstr ""
362
+ "Envoyer les mises à jour Twitter sur publication distante (Envoyé par e-mail "
363
+ "ou par Client XMLRPC)"
364
+
365
+ #: wp-to-twitter-manager.php:620
366
+ msgid "Google Analytics Settings"
367
+ msgstr "Réglages Google Analytics"
368
+
369
+ #: wp-to-twitter-manager.php:621
370
+ msgid ""
371
+ "You can track the response from Twitter using Google Analytics by defining a "
372
+ "campaign identifier here. You can either define a static identifier or a "
373
+ "dynamic identifier. Static identifiers don't change from post to post; "
374
+ "dynamic identifiers are derived from information relevant to the specific "
375
+ "post. Dynamic identifiers will allow you to break down your statistics by an "
376
+ "additional variable."
377
+ msgstr ""
378
+ "Vous pouvez suivre la réponse depuis Twitter grâce à Google Analytics en "
379
+ "spécifiant un identifiant de campagne. Vous avez le choix entre un "
380
+ "identifiant statique ou dynamique. Les identifiants statiques ne changent "
381
+ "pas d'un article à un autre tandis que les dynamiques sont tirés "
382
+ "d'informations liées à un article spécifique. Les identifiants dynamiques "
383
+ "vous permettront d'analyser vos statistiques par variable additionnelle."
384
+
385
+ #: wp-to-twitter-manager.php:625
386
+ msgid "Use a Static Identifier with WP-to-Twitter"
387
+ msgstr "Choisir un identifiant statique avec l'extension WP to Twitter"
388
+
389
+ #: wp-to-twitter-manager.php:626
390
+ msgid "Static Campaign identifier for Google Analytics:"
391
+ msgstr "Identifiant de campagne statique pour Google Analytics :"
392
+
393
+ #: wp-to-twitter-manager.php:630
394
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
395
+ msgstr ""
396
+ "Choisir un identifiant dynamique avec Google Analytics et l'extension WP to "
397
+ "Twitter"
398
+
399
+ #: wp-to-twitter-manager.php:631
400
+ msgid "What dynamic identifier would you like to use?"
401
+ msgstr "Quel identifiant dynamique choisissez-vous ?"
402
+
403
+ #: wp-to-twitter-manager.php:633
404
+ msgid "Category"
405
+ msgstr "Catégorie"
406
+
407
+ #: wp-to-twitter-manager.php:634
408
+ msgid "Post ID"
409
+ msgstr "ID de l'article"
410
+
411
+ #: wp-to-twitter-manager.php:635
412
+ msgid "Post Title"
413
+ msgstr "Titre de l'article"
414
+
415
+ #: wp-to-twitter-manager.php:636
416
+ msgid "Author"
417
+ msgstr "Auteur"
418
+
419
+ #: wp-to-twitter-manager.php:641
420
+ msgid "Author Settings"
421
+ msgstr "Réglages des auteurs"
422
+
423
+ #: wp-to-twitter-manager.php:644
424
+ msgid "Authors have individual Twitter accounts"
425
+ msgstr "Auteurs avec compte Twitter personnel"
426
+
427
+ #: wp-to-twitter-manager.php:646
428
+ msgid ""
429
+ "Authors can add their username in their user profile. With the free edition "
430
+ "of WP to Twitter, it adds an @reference to the author. The @reference is "
431
+ "placed using the <code>#account#</code> shortcode, which will pick up the "
432
+ "main account if the user account isn't configured."
433
+ msgstr ""
434
+ "Les auteurs peuvent ajouter leur nom d'utilisateur dans leur profil "
435
+ "utilisateur. Dans la version gratuite de Wp to Twitter, cela ajouter une "
436
+ "référence@ à l'auteur. La référence@ est placé en utilisant le raccourci "
437
+ "<code>#account#</code>, qui reprendra le compte principal, si le comptes "
438
+ "utilisateur n'est pas configuré."
439
+
440
+ #: wp-to-twitter-manager.php:650
441
+ msgid "Permissions"
442
+ msgstr "Autorisations"
443
+
444
+ #: wp-to-twitter-manager.php:666
445
+ msgid "The lowest user group that can add their Twitter information"
446
+ msgstr ""
447
+ "Choisissez le groupe d'utilisateur le plus bas pouvant ajouter ses infos "
448
+ "Twitter"
449
+
450
+ #: wp-to-twitter-manager.php:671
451
+ msgid ""
452
+ "The lowest user group that can see the Custom Tweet options when posting"
453
+ msgstr ""
454
+ "Choisissez le groupe d'utilisateur le plus bas pouvant voir les options de "
455
+ "Tweet personnalisés lors de la publication"
456
+
457
+ #: wp-to-twitter-manager.php:676
458
+ msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
459
+ msgstr ""
460
+ "Choisissez le groupe d'utilisateur le plus bas pouvant modifier l'option "
461
+ "Tweeter/Pas Tweeter"
462
+
463
+ #: wp-to-twitter-manager.php:681
464
+ msgid "The lowest user group that can send Twitter updates"
465
+ msgstr ""
466
+ "Choisissez le groupe d'utilisateur le plus bas pouvant envoyer des mises à "
467
+ "jour Twitter"
468
+
469
+ #: wp-to-twitter-manager.php:685
470
+ msgid "Error Messages and Debugging"
471
+ msgstr "Messages d'erreur et Débogage"
472
+
473
+ #: wp-to-twitter-manager.php:687
474
+ msgid "Disable global URL shortener error messages."
475
+ msgstr "Désactiver l'ensemble des messages d'erreurs de réduction d'URL."
476
+
477
+ #: wp-to-twitter-manager.php:688
478
+ msgid "Disable global Twitter API error messages."
479
+ msgstr "Désactiver l'ensemble des messages d'erreurs d'API sur Twitter."
480
+
481
+ #: wp-to-twitter-manager.php:690
482
+ msgid "Get Debugging Data for OAuth Connection"
483
+ msgstr "Obtenir le débogage des données pour la connexion OAuth"
484
+
485
+ #: wp-to-twitter-manager.php:692
486
+ msgid "Switch to <code>http</code> connection. (Default is https)"
487
+ msgstr ""
488
+ "Passer en connexion<code>http </code>. (La valeur par défaut est https)"
489
+
490
+ #: wp-to-twitter-manager.php:694
491
+ msgid "I made a donation, so stop whinging at me, please."
492
+ msgstr ""
493
+ "J'ai fait un don, vous pouvez arrêter de me demander maintenant, s'il vous "
494
+ "plaît."
495
+
496
+ #: wp-to-twitter-manager.php:708
497
+ msgid "Limit Updating Categories"
498
+ msgstr "Limitation des catégories mises à jour"
499
+
500
+ #: wp-to-twitter-manager.php:711
501
+ msgid ""
502
+ "If no categories are checked, limiting by category will be ignored, and all "
503
+ "categories will be Tweeted."
504
+ msgstr ""
505
+ "Si aucune catégorie n'est cochée, la limitation par catégorie sera ignorée, "
506
+ "et toutes les catégories seront tweetées."
507
+
508
+ #: wp-to-twitter-manager.php:712
509
+ msgid "<em>Category limits are disabled.</em>"
510
+ msgstr " <em>Les limitations de catégories sont désactivées.</em>"
511
+
512
+ #: wp-to-twitter-manager.php:721
513
+ msgid "Get Plug-in Support"
514
+ msgstr "Besoin d'aide ?"
515
+
516
+ #: wp-to-twitter-manager.php:732
517
+ msgid "Check Support"
518
+ msgstr "Support de vérification"
519
+
520
+ #: wp-to-twitter-manager.php:732
521
+ msgid ""
522
+ "Check whether your server supports <a href=\"http://www.joedolson.com/"
523
+ "articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL "
524
+ "shortening APIs. This test will send a status update to Twitter and shorten "
525
+ "a URL using your selected methods."
526
+ msgstr ""
527
+ "Vérifiez que votre serveur supporte les demandes de <a href=\"http://www."
528
+ "joedolson.com/articles/wp-to-twitter/\">l'extension WP to Twitter</a> vers "
529
+ "Twitter et les API de réduction d'URL. Une mise à jour de statut sera "
530
+ "envoyée à Twitter ainsi qu'une réduction d'URL réalisée en utilisant les "
531
+ "méthodes que vous aurez choisies."
532
+
533
+ #: wp-to-twitter-manager.php:750
534
+ msgid "Support WP to Twitter"
535
+ msgstr "Soutenir WP to Twitter"
536
+
537
+ #: wp-to-twitter-manager.php:752
538
+ msgid "WP to Twitter Support"
539
+ msgstr "Soutenir WP to Twitter"
540
+
541
+ #: wp-to-twitter-manager.php:760 wp-to-twitter.php:1067 wp-to-twitter.php:1069
542
+ msgid "Get Support"
543
+ msgstr "Obtenir de l'aide"
544
+
545
+ #: wp-to-twitter-manager.php:763
546
+ msgid ""
547
+ "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a> "
548
+ "Every donation counts - donate $2, $10, or $100 and help me keep this plug-"
549
+ "in running!"
550
+ msgstr ""
551
+ "<a href=\"http://www.joedolson.com/donate.php\">Faites un don aujourd'hui !</"
552
+ "a> Tous les dons comptent - donner $2, $10, or $100 et aider moi à garder "
553
+ "cette extension au top !"
554
+
555
+ #: wp-to-twitter-manager.php:781
556
+ msgid "Upgrade Now!"
557
+ msgstr "Mettre à jour maintenant !"
558
+
559
+ #: wp-to-twitter-manager.php:783
560
+ msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
561
+ msgstr ""
562
+ "Mettre à jour vers <strong>WP Tweets PRO</strong> pour plus d'options !"
563
+
564
+ #: wp-to-twitter-manager.php:784
565
+ msgid "Extra features with the PRO upgrade:"
566
+ msgstr "Les fonctionnalités supplémentaires avec la version PRO :"
567
+
568
+ #: wp-to-twitter-manager.php:786
569
+ msgid "Users can post to their own Twitter accounts"
570
+ msgstr "Les utilisateurs peuvent publier sur leurs propres comptes Twitter"
571
+
572
+ #: wp-to-twitter-manager.php:787
573
+ msgid ""
574
+ "Set a timer to send your Tweet minutes or hours after you publish the post"
575
+ msgstr ""
576
+ "Réglez une minuterie pour envoyer vos Tweets à un moment différents de "
577
+ "l'heure de publication de l'article"
578
+
579
+ #: wp-to-twitter-manager.php:788
580
+ msgid "Automatically re-send Tweets at an assigned time after publishing"
581
+ msgstr ""
582
+ "Automatiquement ré-envoyer les tweets à un temps imparti après la publication"
583
+
584
+ #: wp-to-twitter-manager.php:797
585
+ msgid "Shortcodes"
586
+ msgstr "Raccourcis"
587
+
588
+ #: wp-to-twitter-manager.php:799
589
+ msgid "Available in post update templates:"
590
+ msgstr "Raccourcis disponibles dans les modèles de mises à jour d'article :"
591
+
592
+ #: wp-to-twitter-manager.php:801
593
+ msgid "<code>#title#</code>: the title of your blog post"
594
+ msgstr "<code>#title#</code> : le titre de votre article"
595
+
596
+ #: wp-to-twitter-manager.php:802
597
+ msgid "<code>#blog#</code>: the title of your blog"
598
+ msgstr "<code>#blog#</code> : titre de votre blog"
599
+
600
+ #: wp-to-twitter-manager.php:803
601
+ msgid "<code>#post#</code>: a short excerpt of the post content"
602
+ msgstr "<code>#post#</code> : un court extrait du contenu de l'article"
603
+
604
+ #: wp-to-twitter-manager.php:804
605
+ msgid "<code>#category#</code>: the first selected category for the post"
606
+ msgstr ""
607
+ "<code>#category#</code>: la première catégorie sélectionnée pour l'article"
608
+
609
+ #: wp-to-twitter-manager.php:805
610
+ msgid ""
611
+ "<code>#cat_desc#</code>: custom value from the category description field"
612
+ msgstr ""
613
+ "<code>#cat_desc#</code>: la valeur personnalisée de la description de la "
614
+ "catégorie"
615
+
616
+ #: wp-to-twitter-manager.php:806
617
+ msgid "<code>#date#</code>: the post date"
618
+ msgstr "<code>#date#</code> : la date de l'article"
619
+
620
+ #: wp-to-twitter-manager.php:807
621
+ msgid "<code>#modified#</code>: the post modified date"
622
+ msgstr "<code>#modified#</code> : la date de modification de l'article."
623
+
624
+ #: wp-to-twitter-manager.php:808
625
+ msgid "<code>#url#</code>: the post URL"
626
+ msgstr "<code>#url#</code> : l'URL de l'article"
627
+
628
+ #: wp-to-twitter-manager.php:809
629
+ msgid ""
630
+ "<code>#author#</code>: the post author (@reference if available, otherwise "
631
+ "display name)"
632
+ msgstr ""
633
+ "<code>#author#</code> : l'auteur de l'article (référence@ si disponible, "
634
+ "sinon affiche le nom)"
635
+
636
+ #: wp-to-twitter-manager.php:810
637
+ msgid "<code>#displayname#</code>: post author's display name"
638
+ msgstr "<code>#displayname#</code> : affiche le nom de l'auteur de l'article"
639
+
640
+ #: wp-to-twitter-manager.php:811
641
+ msgid ""
642
+ "<code>#account#</code>: the twitter @reference for the account (or the "
643
+ "author, if author settings are enabled and set.)"
644
+ msgstr ""
645
+ "<code>#account#</code> : la référence twitter @ pour le compte (ou "
646
+ "l'auteur, si les paramètres d'auteur sont activés et réglés.)"
647
+
648
+ #: wp-to-twitter-manager.php:812
649
+ msgid ""
650
+ "<code>#@#</code>: the twitter @reference for the author or blank, if not set"
651
+ msgstr ""
652
+ "<code>#@#</code> : la référence twitter @ de l'auteur ou vide si non "
653
+ "paramétré."
654
+
655
+ #: wp-to-twitter-manager.php:813
656
+ msgid ""
657
+ "<code>#tags#</code>: your tags modified into hashtags. See options in the "
658
+ "Advanced Settings section, below."
659
+ msgstr ""
660
+ "<code>#tags#</code>: vos mots-clefs changés en hashtags. Voir les options "
661
+ "dans la section Réglages avancés, ci-dessous."
662
+
663
+ #: wp-to-twitter-manager.php:815
664
+ msgid ""
665
+ "<code>#reference#</code>: Used only in co-tweeting. @reference to main "
666
+ "account when posted to author account, @reference to author account in post "
667
+ "to main account."
668
+ msgstr ""
669
+ "<code>#reference#</code> : utilisé uniquement en co-tweeting. référence@ au "
670
+ "compte principal lorsque publié pour compte d'auteur, référence@ au compte "
671
+ "de l'auteur lorsque publié pour le compte principal."
672
+
673
+ #: wp-to-twitter-manager.php:818
674
+ msgid ""
675
+ "You can also create custom shortcodes to access WordPress custom fields. Use "
676
+ "doubled square brackets surrounding the name of your custom field to add the "
677
+ "value of that custom field to your status update. Example: <code>"
678
+ "[[custom_field]]</code></p>"
679
+ msgstr ""
680
+ "Vous pouvez également créer des raccourcis personnalisés afin d'accéder aux "
681
+ "champs personnalisés de WordPress. Utiliser les doubles crochets pour "
682
+ "encadrer le nom de votre champ personnalisé afin d'ajouter la valeur de ce "
683
+ "champ à la mise à jour de votre statut. Exemple : <code>"
684
+ "[[champ_personnalisé]]</code></p>"
685
+
686
+ #: wp-to-twitter-oauth.php:107
687
+ msgid "WP to Twitter was unable to establish a connection to Twitter."
688
+ msgstr "WP to Twitter est incapable d'établir la connexion avec Twitter."
689
+
690
+ #: wp-to-twitter-oauth.php:176
691
+ msgid ""
692
+ "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> "
693
+ "queries</a>."
694
+ msgstr ""
695
+ "Problèmes de connexion ? Essayer <a href='#wpt_http'>de passer en requète "
696
+ "<code>http</code></a>."
697
+
698
+ #: wp-to-twitter-oauth.php:177
699
+ msgid "There was an error querying Twitter's servers"
700
+ msgstr "Il y a eu une erreur en interrogeant les serveurs de Twitter"
701
+
702
+ #: wp-to-twitter-oauth.php:192
703
+ #, php-format
704
+ msgid ""
705
+ "Twitter requires authentication by OAuth. You will need to <a "
706
+ "href='%s'>update your settings</a> to complete installation of WP to Twitter."
707
+ msgstr ""
708
+ "Twitter requiert une authentification par OAuth. Vous avez besoin de <a "
709
+ "href='%s'>mettre à jour</a> vos réglages pour terminer l'installation de WP "
710
+ "to Twitter."
711
+
712
+ #: wp-to-twitter-oauth.php:201 wp-to-twitter-oauth.php:203
713
+ msgid "Connect to Twitter"
714
+ msgstr "Connectez-vous à Twitter"
715
+
716
+ #: wp-to-twitter-oauth.php:206
717
+ msgid "WP to Twitter Set-up"
718
+ msgstr "Configuration de WP to Twitter"
719
+
720
+ #: wp-to-twitter-oauth.php:207 wp-to-twitter-oauth.php:298
721
+ #: wp-to-twitter-oauth.php:303
722
+ msgid "Your server time:"
723
+ msgstr "Heure de votre serveur : "
724
+
725
+ #: wp-to-twitter-oauth.php:207
726
+ msgid "Twitter's time:"
727
+ msgstr "Heure Twitter :"
728
+
729
+ #: wp-to-twitter-oauth.php:207
730
+ msgid ""
731
+ "If these timestamps are not within 5 minutes of each other, your server will "
732
+ "not connect to Twitter."
733
+ msgstr ""
734
+ "Si ces horodatages ne sont pas séparés de moins de 5 minutes l'un de "
735
+ "l'autre, votre serveur ne se connectera pas à Twitter."
736
+
737
+ #: wp-to-twitter-oauth.php:209
738
+ msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
739
+ msgstr ""
740
+ "Votre fuseau horaire du serveur (devrait être UTC, GMT, Europe/Londres ou "
741
+ "équivalent) :"
742
+
743
+ #: wp-to-twitter-oauth.php:213
744
+ msgid "1. Register this site as an application on "
745
+ msgstr "1. Enregistrer ce site comme une application sur "
746
+
747
+ #: wp-to-twitter-oauth.php:213
748
+ msgid "Twitter's application registration page"
749
+ msgstr "la page Twitter d'enregistrement d'application"
750
+
751
+ #: wp-to-twitter-oauth.php:215
752
+ msgid ""
753
+ "If you're not currently logged in to Twitter, log-in to the account you want "
754
+ "associated with this site"
755
+ msgstr ""
756
+ "Si vous n'êtes pas actuellement connecté à Twitter, connectez-vous au compte "
757
+ "que vous souhaitez associer à ce site"
758
+
759
+ #: wp-to-twitter-oauth.php:216
760
+ msgid ""
761
+ "Your Application's Name will show up after \"via\" in your twitter stream. "
762
+ "Your application name cannot include the word \"Twitter.\""
763
+ msgstr ""
764
+ "Le nom de votre application sera affiché après \"via \" dans votre flux "
765
+ "twitter. Votre nom d'application ne peut pas inclure le mot \"Twitter.\""
766
+
767
+ #: wp-to-twitter-oauth.php:217
768
+ msgid "Your Application Description can be anything."
769
+ msgstr "La description de votre application peut être n'importe quoi"
770
+
771
+ #: wp-to-twitter-oauth.php:218
772
+ msgid "The WebSite and Callback URL should be "
773
+ msgstr "L'URL du site et de callback doit être "
774
+
775
+ #: wp-to-twitter-oauth.php:220
776
+ msgid "Agree to the Developer Rules of the Road and continue."
777
+ msgstr "Accepter 'the Developper Rules of the Road' et continuer."
778
+
779
+ #: wp-to-twitter-oauth.php:221
780
+ msgid "2. Switch to the \"Settings\" tab in Twitter apps"
781
+ msgstr "2. Passez dans l'onglet \"Settings\" de l'application Twitter"
782
+
783
+ #: wp-to-twitter-oauth.php:223
784
+ msgid "Select \"Read and Write\" for the Application Type"
785
+ msgstr "Sélectionnez \"Read and Write\" pour le type d'application"
786
+
787
+ #: wp-to-twitter-oauth.php:224
788
+ msgid "Update the application settings"
789
+ msgstr "Mettez à jour les réglages de l'application"
790
+
791
+ #: wp-to-twitter-oauth.php:225
792
+ msgid ""
793
+ "Return to the Details tab and create your access token. Refresh page to view "
794
+ "your access tokens."
795
+ msgstr ""
796
+ "Revenez à l'onglet Détails et créez votre jeton d'accès. Actualiser la page "
797
+ "pour voir vos jetons d'accès."
798
+
799
+ #: wp-to-twitter-oauth.php:227
800
+ msgid ""
801
+ "Once you have registered your site as an application, you will be provided "
802
+ "with four keys."
803
+ msgstr ""
804
+ "Une fois que vous avez enregistré votre site en tant qu'application, il vous "
805
+ "sera fourni quatre clefs."
806
+
807
+ #: wp-to-twitter-oauth.php:228
808
+ msgid ""
809
+ "3. Copy and paste your consumer key and consumer secret into the fields below"
810
+ msgstr ""
811
+ "3. Copiez et collez votre clef (consumer key) et votre clef secrète "
812
+ "(consumer secret) dans les champs ci-dessous"
813
+
814
+ #: wp-to-twitter-oauth.php:231
815
+ msgid "Twitter Consumer Key"
816
+ msgstr "Twitter Consumer Key"
817
+
818
+ #: wp-to-twitter-oauth.php:235
819
+ msgid "Twitter Consumer Secret"
820
+ msgstr "Twitter Consumer Secret"
821
+
822
+ #: wp-to-twitter-oauth.php:239
823
+ msgid ""
824
+ "4. Copy and paste your Access Token and Access Token Secret into the fields "
825
+ "below"
826
+ msgstr ""
827
+ "4. Copiez et collez votre jeton d'accès et votre jeton d'accès secret (Token "
828
+ "and Access Token Secret ) dans les champs ci-dessous"
829
+
830
+ #: wp-to-twitter-oauth.php:240
831
+ msgid ""
832
+ "If the Access level for your Access Token is not \"<em>Read and write</em>"
833
+ "\", you must return to step 2 and generate a new Access Token."
834
+ msgstr ""
835
+ "Si le niveau d'accès pour votre jeton d'accès (Access Token) n'est pas "
836
+ "\"<em>Read and write</em>\", vous devez retourner à l'étape 2 et générer un "
837
+ "nouveau jeton d'accès"
838
+
839
+ #: wp-to-twitter-oauth.php:243
840
+ msgid "Access Token"
841
+ msgstr "Access Token"
842
+
843
+ #: wp-to-twitter-oauth.php:247
844
+ msgid "Access Token Secret"
845
+ msgstr "Access Token Secret"
846
+
847
+ #: wp-to-twitter-oauth.php:266
848
+ msgid "Disconnect Your WordPress and Twitter Account"
849
+ msgstr "Déconnecter votre WordPress de votre compte Twitter"
850
+
851
+ #: wp-to-twitter-oauth.php:270
852
+ msgid "Disconnect your WordPress and Twitter Account"
853
+ msgstr "Déconnecter votre WordPress de votre compte Twitter"
854
+
855
+ #: wp-to-twitter-oauth.php:272
856
+ msgid ""
857
+ "<strong>Troubleshooting tip:</strong> Connected, but getting a error that "
858
+ "your Authentication credentials are missing or incorrect? Check that your "
859
+ "Access token has read and write permission. If not, you'll need to create a "
860
+ "new token. <a href=\"http://www.joedolson.com/articles/wp-to-twitter/"
861
+ "support-2/#q1\">Read the FAQ</a>"
862
+ msgstr ""
863
+ "<strong>Astuce de Dépannage : </strong> Connecté, mais recevant un avis que "
864
+ "vos informations d'authentification sont manquantes ou incorrectes ? "
865
+ "Vérifiez si votre jeton d'accès a la permission de lecture et d'écriture. Si "
866
+ "non, vous aurez besoin pour créer un nouveau jeton. <a href=\"http://www."
867
+ "joedolson.com/articles/wp-to-twitter/support-2/#q1\">Lire la FAQ</a>"
868
+
869
+ #: wp-to-twitter-oauth.php:274
870
+ msgid ""
871
+ "Your time stamps are more than 5 minutes apart. Your server could lose its "
872
+ "connection with Twitter."
873
+ msgstr ""
874
+ "Vos horodatages ont plus de 5 minutes d'intervalle. Votre serveur peut "
875
+ "perdre sa connexion avec Twitter."
876
+
877
+ #: wp-to-twitter-oauth.php:276
878
+ msgid ""
879
+ "WP to Twitter could not contact Twitter's remote server. Here is the error "
880
+ "triggered: "
881
+ msgstr ""
882
+ "WP to Twitter n'a pas pu contacter le serveur distant de Twitter. Voici "
883
+ "l'erreur trouvée :"
884
+
885
+ #: wp-to-twitter-oauth.php:280
886
+ msgid "Disconnect from Twitter"
887
+ msgstr "Vous deconnectez de Twitter"
888
+
889
+ #: wp-to-twitter-oauth.php:286
890
+ msgid "Twitter Username "
891
+ msgstr "Nom d'utilisateur Twitter"
892
+
893
+ #: wp-to-twitter-oauth.php:287
894
+ msgid "Consumer Key "
895
+ msgstr "Consumer Key "
896
+
897
+ #: wp-to-twitter-oauth.php:288
898
+ msgid "Consumer Secret "
899
+ msgstr "Secret d'utilisateur"
900
+
901
+ #: wp-to-twitter-oauth.php:289
902
+ msgid "Access Token "
903
+ msgstr "Access Token "
904
+
905
+ #: wp-to-twitter-oauth.php:290
906
+ msgid "Access Token Secret "
907
+ msgstr "Access Token Secret "
908
+
909
+ #: wp-to-twitter-oauth.php:298 wp-to-twitter-oauth.php:304
910
+ msgid "Twitter's server time: "
911
+ msgstr "Heure du serveur Twitter :"
912
+
913
+ #: wp-to-twitter-shorteners.php:291
914
+ msgid ""
915
+ "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account "
916
+ "Settings"
917
+ msgstr ""
918
+ "<abbr title=\"Adresse Universelle\">URL</abbr> Réglages du compte "
919
+ "raccourcisseur"
920
+
921
+ #: wp-to-twitter-shorteners.php:295
922
+ msgid "Your Su.pr account details"
923
+ msgstr "Détails de votre compte Su.pr"
924
+
925
+ #: wp-to-twitter-shorteners.php:295
926
+ msgid "(optional)"
927
+ msgstr "(optionnel)"
928
+
929
+ #: wp-to-twitter-shorteners.php:300
930
+ msgid "Your Su.pr Username:"
931
+ msgstr "Votre identifiant Su.pr :"
932
+
933
+ #: wp-to-twitter-shorteners.php:304
934
+ msgid ""
935
+ "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
936
+ msgstr ""
937
+ "Votre clef <abbr title='application programming interface'>API</abbr> Su.pr :"
938
+
939
+ #: wp-to-twitter-shorteners.php:311
940
+ msgid ""
941
+ "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</"
942
+ "a>!<br />You'll need an API key in order to associate the URLs you create "
943
+ "with your Su.pr account."
944
+ msgstr ""
945
+ "Vous n'avez pas de compte ou de clef API Su.pr ? <a href='http://su."
946
+ "pr/'>Obtenez-en une gratuitement </a>!<br /> Vous aurez besoin d'une clef "
947
+ "API afin d'associer vos URLs à votre compte Su.pr."
948
+
949
+ #: wp-to-twitter-shorteners.php:317
950
+ msgid "Your Bit.ly account details"
951
+ msgstr "Détails de votre compte Bit.ly"
952
+
953
+ #: wp-to-twitter-shorteners.php:322
954
+ msgid "Your Bit.ly username:"
955
+ msgstr "Votre nom d'utilisateur Bit.ly :"
956
+
957
+ #: wp-to-twitter-shorteners.php:326
958
+ msgid ""
959
+ "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
960
+ msgstr ""
961
+ "Votre clef <abbr title='application programming interface'>API</abbr> Bit."
962
+ "ly :"
963
+
964
+ #: wp-to-twitter-shorteners.php:329
965
+ msgid "View your Bit.ly username and API key"
966
+ msgstr "Voir votre nom d'utilisateur Bit.ly and la clef API"
967
+
968
+ #: wp-to-twitter-shorteners.php:334
969
+ msgid "Save Bit.ly API Key"
970
+ msgstr "Enregistrer votre clef API Bit.ly"
971
+
972
+ #: wp-to-twitter-shorteners.php:334
973
+ msgid "Clear Bit.ly API Key"
974
+ msgstr "Effacer votre clef API Bit.ly"
975
+
976
+ #: wp-to-twitter-shorteners.php:334
977
+ msgid ""
978
+ "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API "
979
+ "and WP to Twitter."
980
+ msgstr ""
981
+ "Une clef API et un nom d'utilisateur Bit.ly sont nécessaires à la réduction "
982
+ "d'URL via l'API de Bit.ly et l'extension WP toTwitter."
983
+
984
+ #: wp-to-twitter-shorteners.php:340
985
+ msgid "Your YOURLS account details"
986
+ msgstr "Détails de votre compte YOURLS"
987
+
988
+ #: wp-to-twitter-shorteners.php:345
989
+ msgid "Path to your YOURLS config file (Local installations)"
990
+ msgstr ""
991
+ "Chemin vers votre fichier de configuration de YOURLS (installations locales)"
992
+
993
+ #: wp-to-twitter-shorteners.php:346 wp-to-twitter-shorteners.php:350
994
+ msgid "Example:"
995
+ msgstr "Exemple :"
996
+
997
+ #: wp-to-twitter-shorteners.php:349
998
+ msgid "URI to the YOURLS API (Remote installations)"
999
+ msgstr "URI vers l'API YOURLS (installation distante)"
1000
+
1001
+ #: wp-to-twitter-shorteners.php:353
1002
+ msgid "Your YOURLS username:"
1003
+ msgstr "Votre nom d'utilisateur YOURLS :"
1004
+
1005
+ #: wp-to-twitter-shorteners.php:357
1006
+ msgid "Your YOURLS password:"
1007
+ msgstr "Votre mot de passe YOURLS :"
1008
+
1009
+ #: wp-to-twitter-shorteners.php:357
1010
+ msgid "<em>Saved</em>"
1011
+ msgstr "<em>Enregistré</em>"
1012
+
1013
+ #: wp-to-twitter-shorteners.php:361
1014
+ msgid "Post ID for YOURLS url slug."
1015
+ msgstr "Utiliser un identifiant d'article pour l'identifiant votre URL YOURLS"
1016
+
1017
+ #: wp-to-twitter-shorteners.php:362
1018
+ msgid "Custom keyword for YOURLS url slug."
1019
+ msgstr ""
1020
+ "Utiliser un identifiant d'article pour l'identifiant de votre URL YOURLS"
1021
+
1022
+ #: wp-to-twitter-shorteners.php:363
1023
+ msgid "Default: sequential URL numbering."
1024
+ msgstr "Par défaut: numérotation URL séquentielle."
1025
+
1026
+ #: wp-to-twitter-shorteners.php:369
1027
+ msgid "Save YOURLS Account Info"
1028
+ msgstr "Enregistrer les informations de votre compte YOURLS"
1029
+
1030
+ #: wp-to-twitter-shorteners.php:369
1031
+ msgid "Clear YOURLS password"
1032
+ msgstr "Effacer votre mot de passe YOURLS"
1033
+
1034
+ #: wp-to-twitter-shorteners.php:369
1035
+ msgid ""
1036
+ "A YOURLS password and username is required to shorten URLs via the remote "
1037
+ "YOURLS API and WP to Twitter."
1038
+ msgstr ""
1039
+ "Un mot de passe et un nom d'utilisateur YOURLS sont nécessaires à la "
1040
+ "réduction d'URL via l'API distante de YOURLS et l'extension WP to Twitter."
1041
+
1042
+ #: wp-to-twitter-shorteners.php:375
1043
+ msgid "Your jotURL account details"
1044
+ msgstr "Détails de votre compte jotURL"
1045
+
1046
+ #: wp-to-twitter-shorteners.php:379
1047
+ msgid ""
1048
+ "Your jotURL public <abbr title='application programming interface'>API</"
1049
+ "abbr> key:"
1050
+ msgstr ""
1051
+ "Votre clef public <abbr title='application programming interface'>API</abbr> "
1052
+ "jotURL :"
1053
+
1054
+ #: wp-to-twitter-shorteners.php:380
1055
+ msgid ""
1056
+ "Your jotURL private <abbr title='application programming interface'>API</"
1057
+ "abbr> key:"
1058
+ msgstr ""
1059
+ "Votre clef privée <abbr title='application programming interface'>API</abbr> "
1060
+ "jotURL :"
1061
+
1062
+ #: wp-to-twitter-shorteners.php:381
1063
+ msgid "Parameters to add to the long URL (before shortening):"
1064
+ msgstr "Réglages à ajouter à l'URL longue (avant le raccourcissement) :"
1065
+
1066
+ #: wp-to-twitter-shorteners.php:381
1067
+ msgid "Parameters to add to the short URL (after shortening):"
1068
+ msgstr "Réglages à ajouter à l'URL raccourcie (après le raccourcissement) :"
1069
+
1070
+ #: wp-to-twitter-shorteners.php:382
1071
+ msgid "View your jotURL public and private API key"
1072
+ msgstr "Afficher vos clefs API public et privée jotURL"
1073
+
1074
+ #: wp-to-twitter-shorteners.php:385
1075
+ msgid "Save jotURL settings"
1076
+ msgstr "Enregistrer les réglages jotURL"
1077
+
1078
+ #: wp-to-twitter-shorteners.php:385
1079
+ msgid "Clear jotURL settings"
1080
+ msgstr "Effacer les réglages de jotURL"
1081
+
1082
+ #: wp-to-twitter-shorteners.php:386
1083
+ msgid ""
1084
+ "A jotURL public and private API key is required to shorten URLs via the "
1085
+ "jotURL API and WP to Twitter."
1086
+ msgstr ""
1087
+ "Des clefs API jotURL public et privé sont nécessaires à la réduction d'URL "
1088
+ "via l'API de jotURL et l'extension WP to Twitter."
1089
+
1090
+ #: wp-to-twitter-shorteners.php:391
1091
+ msgid "Your shortener does not require any account settings."
1092
+ msgstr "Votre raccourcisseur ne nécessite pas de paramètres de compte."
1093
+
1094
+ #: wp-to-twitter-shorteners.php:403
1095
+ msgid "YOURLS password updated. "
1096
+ msgstr "Mot de passe YOURLS mis à jour."
1097
+
1098
+ #: wp-to-twitter-shorteners.php:406
1099
+ msgid ""
1100
+ "YOURLS password deleted. You will be unable to use your remote YOURLS "
1101
+ "account to create short URLS."
1102
+ msgstr ""
1103
+ "Mot de passe YOURLS supprimé. Vous ne pourrez plus utiliser votre compte "
1104
+ "YOURLS distant pour créer vos réductions d'urls."
1105
+
1106
+ #: wp-to-twitter-shorteners.php:408
1107
+ msgid "Failed to save your YOURLS password! "
1108
+ msgstr ""
1109
+ "Une erreur est survenue lors de l'enregistrement du mot de passe YOURLS !"
1110
+
1111
+ #: wp-to-twitter-shorteners.php:412
1112
+ msgid "YOURLS username added. "
1113
+ msgstr "Nom d'utilisateur YOURLS enregistré."
1114
+
1115
+ #: wp-to-twitter-shorteners.php:416
1116
+ msgid "YOURLS API url added. "
1117
+ msgstr "API-URL YOURLS enregistrée."
1118
+
1119
+ #: wp-to-twitter-shorteners.php:419
1120
+ msgid "YOURLS API url removed. "
1121
+ msgstr "API-URL YOURLS supprimé."
1122
+
1123
+ #: wp-to-twitter-shorteners.php:424
1124
+ msgid "YOURLS local server path added. "
1125
+ msgstr "Chemin de serveur local YOURLS enregistré."
1126
+
1127
+ #: wp-to-twitter-shorteners.php:426
1128
+ msgid "The path to your YOURLS installation is not correct. "
1129
+ msgstr "Le chemin vers l'installation de YOURLS est incorrect."
1130
+
1131
+ #: wp-to-twitter-shorteners.php:430
1132
+ msgid "YOURLS local server path removed. "
1133
+ msgstr "Chemin de serveur local YOURLS supprimé."
1134
+
1135
+ #: wp-to-twitter-shorteners.php:435
1136
+ msgid "YOURLS will use Post ID for short URL slug."
1137
+ msgstr ""
1138
+ "YOURLS utilisera l'identifiant de l'article dans le raccourci de l'URL "
1139
+ "réduite."
1140
+
1141
+ #: wp-to-twitter-shorteners.php:437
1142
+ msgid "YOURLS will use your custom keyword for short URL slug."
1143
+ msgstr ""
1144
+ "YOURLS utilisera votre mot-clef personnalisé pour l'identifiant de URL "
1145
+ "courte."
1146
+
1147
+ #: wp-to-twitter-shorteners.php:441
1148
+ msgid "YOURLS will not use Post ID for the short URL slug."
1149
+ msgstr ""
1150
+ "YOURLS n'utilisera pas l'ID de l'article dans le raccourci de l'URL réduite."
1151
+
1152
+ #: wp-to-twitter-shorteners.php:449
1153
+ msgid "Su.pr API Key and Username Updated"
1154
+ msgstr "Clef API Su.pr et nom d'utilisateur mis à jour"
1155
+
1156
+ #: wp-to-twitter-shorteners.php:453
1157
+ msgid ""
1158
+ "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will "
1159
+ "no longer be associated with your account. "
1160
+ msgstr ""
1161
+ "Clef API Su.pr et nom d'utilisateur supprimé. Les URL Su.pr créées par WP to "
1162
+ "Twitter ne sont plus associées à votre compte."
1163
+
1164
+ #: wp-to-twitter-shorteners.php:455
1165
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
1166
+ msgstr ""
1167
+ "Clef API Su.pr non ajoutée - <a href='http://su.pr/'>Cliquez pour en obtenir "
1168
+ "une</a>!"
1169
+
1170
+ #: wp-to-twitter-shorteners.php:461
1171
+ msgid "Bit.ly API Key Updated."
1172
+ msgstr "Clef API Bit.ly mise à jour."
1173
+
1174
+ #: wp-to-twitter-shorteners.php:464
1175
+ msgid ""
1176
+ "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
1177
+ msgstr ""
1178
+ "Clef API Bit.ly supprimée. Vous ne pouvez pas utiliser Bt.ly si vous ne "
1179
+ "disposez pas d'une clef API."
1180
+
1181
+ #: wp-to-twitter-shorteners.php:466
1182
+ msgid ""
1183
+ "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</"
1184
+ "a>! An API key is required to use the Bit.ly URL shortening service."
1185
+ msgstr ""
1186
+ "Clef API Bit.ly manquante - <a href='http://bit.ly/account/'>Obtenez-en une</"
1187
+ "a>! Une clef API est nécessaire à l'utilisation du service de réduction "
1188
+ "d'URL Bit.ly."
1189
+
1190
+ #: wp-to-twitter-shorteners.php:470
1191
+ msgid " Bit.ly User Login Updated."
1192
+ msgstr "Nom d'utilisateur Bit.ly mis à jour."
1193
+
1194
+ #: wp-to-twitter-shorteners.php:473
1195
+ msgid ""
1196
+ "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing "
1197
+ "your username. "
1198
+ msgstr ""
1199
+ "Nom d'utilisateur Bit.ly supprimé. Vous ne pouvez pas utiliser d'API Bit.ly "
1200
+ "sans préciser votre nom d'utilisateur."
1201
+
1202
+ #: wp-to-twitter-shorteners.php:475
1203
+ msgid ""
1204
+ "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
1205
+ msgstr ""
1206
+ "Nom d'utilisateur Bit.ly manquant - <a href='http://bit.ly/account/'>Obtenez-"
1207
+ "en un</a>!"
1208
+
1209
+ #: wp-to-twitter-shorteners.php:481
1210
+ msgid "jotURL private API Key Updated. "
1211
+ msgstr "Clef API pprivée jotURL mise à jour."
1212
+
1213
+ #: wp-to-twitter-shorteners.php:484
1214
+ msgid ""
1215
+ "jotURL private API Key deleted. You cannot use the jotURL API without a "
1216
+ "private API key. "
1217
+ msgstr ""
1218
+ "Clef API privée jotURL supprimée. Vous ne pouvez pas utiliser l'API jotURL "
1219
+ "si vous ne disposez pas d'une clef API privée."
1220
+
1221
+ #: wp-to-twitter-shorteners.php:486
1222
+ msgid ""
1223
+ "jotURL private API Key not added - <a href='https://www.joturl.com/reserved/"
1224
+ "api.html'>get one here</a>! A private API key is required to use the jotURL "
1225
+ "URL shortening service. "
1226
+ msgstr ""
1227
+ "Clef API privée jotURL non ajoutée - <a href='https://www.joturl.com/"
1228
+ "reserved/api.html'>Obtenez-en une</a>! Une clef API privée est nécessaire à "
1229
+ "l'utilisation du service de réduction d'URL jotURL."
1230
+
1231
+ #: wp-to-twitter-shorteners.php:490
1232
+ msgid "jotURL public API Key Updated. "
1233
+ msgstr "Clef API public jotURL mise à jour."
1234
+
1235
+ #: wp-to-twitter-shorteners.php:493
1236
+ msgid ""
1237
+ "jotURL public API Key deleted. You cannot use the jotURL API without "
1238
+ "providing your public API Key. "
1239
+ msgstr ""
1240
+ "Clef API public jotURL supprimée. Vous ne pouvez pas utiliser l'API jotURL "
1241
+ "si vous ne disposez pas d'une clef API public."
1242
+
1243
+ #: wp-to-twitter-shorteners.php:495
1244
+ msgid ""
1245
+ "jotURL public API Key not added - <a href='https://www.joturl.com/reserved/"
1246
+ "api.html'>get one here</a>! "
1247
+ msgstr ""
1248
+ "Clef API public jotURL non ajoutée - <a href='https://www.joturl.com/"
1249
+ "reserved/api.html'>Cliquez pour en obtenir une</a>!"
1250
+
1251
+ #: wp-to-twitter-shorteners.php:501
1252
+ msgid "Long URL parameters added. "
1253
+ msgstr "Réglages d'URL longue ajoutés."
1254
+
1255
+ #: wp-to-twitter-shorteners.php:504
1256
+ msgid "Long URL parameters deleted. "
1257
+ msgstr "Réglages d'URL longue supprimés."
1258
+
1259
+ #: wp-to-twitter-shorteners.php:510
1260
+ msgid "Short URL parameters added. "
1261
+ msgstr "Réglages d'URL raccourci ajoutés."
1262
+
1263
+ #: wp-to-twitter-shorteners.php:513
1264
+ msgid "Short URL parameters deleted. "
1265
+ msgstr "Réglages d'URL raccourci supprimés."
1266
+
1267
+ #: wp-to-twitter-shorteners.php:523
1268
+ msgid ""
1269
+ "You must add your Bit.ly login and API key in order to shorten URLs with Bit."
1270
+ "ly."
1271
+ msgstr ""
1272
+ "Vous devez renseigner votre nom d'utilisateur et votre clef API afin de "
1273
+ "pouvoir réduire des URLs à l'aide de Bit.ly."
1274
+
1275
+ #: wp-to-twitter-shorteners.php:527
1276
+ msgid ""
1277
+ "You must add your jotURL public and private API key in order to shorten URLs "
1278
+ "with jotURL."
1279
+ msgstr ""
1280
+ "Vous devez ajouter vos clef API public et privé jotURL afin de pouvoir "
1281
+ "réduire des URLs à l'aide de jotURL."
1282
+
1283
+ #: wp-to-twitter-shorteners.php:531
1284
+ msgid ""
1285
+ "You must add your YOURLS remote URL, login, and password in order to shorten "
1286
+ "URLs with a remote installation of YOURLS."
1287
+ msgstr ""
1288
+ "Vous devez ajouter votre URL distante YOURLS, votre nom d'utilisateur et "
1289
+ "votre mot de passe afin de pouvoir réduire les URL avec une installation "
1290
+ "distante de YOURLS."
1291
+
1292
+ #: wp-to-twitter-shorteners.php:535
1293
+ msgid ""
1294
+ "You must add your YOURLS server path in order to shorten URLs with a remote "
1295
+ "installation of YOURLS."
1296
+ msgstr ""
1297
+ "Vous devez ajouter le chemin de votre serveur YOURLS afin de réduire les URL "
1298
+ "avec une installation distante de YOURLS."
1299
+
1300
+ #: wp-to-twitter-shorteners.php:545
1301
+ msgid "Choose a short URL service (account settings below)"
1302
+ msgstr "Choisir votre service de réduction d'URL"
1303
+
1304
+ #: wp-to-twitter-shorteners.php:547
1305
+ msgid "Don't shorten URLs."
1306
+ msgstr "Ne pas réduire les URLs."
1307
+
1308
+ #: wp-to-twitter-shorteners.php:551
1309
+ msgid "YOURLS (on this server)"
1310
+ msgstr "YOURLS (installé en local sur ce serveur)"
1311
+
1312
+ #: wp-to-twitter-shorteners.php:552
1313
+ msgid "YOURLS (on a remote server)"
1314
+ msgstr "YOURLS (installé sur un serveur distant)"
1315
+
1316
+ #: wp-to-twitter-shorteners.php:555
1317
+ msgid "Use Twitter Friendly Links."
1318
+ msgstr "Utiliser les Liens Twitter Amicaux."
1319
+
1320
+ #: wp-to-twitter.php:42
1321
+ msgid ""
1322
+ "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP "
1323
+ "to Twitter."
1324
+ msgstr ""
1325
+ "WP to Twitter requiert la version PHP 5 ou supérieur. S'il vous plaît mettre "
1326
+ "à jour PHP pour exécuter WP to Twitter."
1327
+
1328
+ #: wp-to-twitter.php:60
1329
+ #, php-format
1330
+ msgid ""
1331
+ "The current version of WP Tweets PRO is <strong>%s</strong>. Upgrade for "
1332
+ "best compatibility!"
1333
+ msgstr ""
1334
+ "La version actuelle de WP Tweets PRO est la <strong>%s</strong>. Mettez à "
1335
+ "jour pour une meilleure compatibilité !"
1336
+
1337
+ #: wp-to-twitter.php:69
1338
+ msgid ""
1339
+ "WP to Twitter requires WordPress 3.1.4 or a more recent version <a href="
1340
+ "\"http://codex.wordpress.org/Upgrading_WordPress\">Please update WordPress "
1341
+ "to continue using WP to Twitter with all features!</a>"
1342
+ msgstr ""
1343
+ "WP to Twitter necessite WordPress 3.1.4 ou une version plus récente <a href="
1344
+ "\"http://codex.wordpress.org/Upgrading_WordPress\"> S'il vous plaît mettez à "
1345
+ "jour WordPress pour continuer à utiliser WP to Twitter avec toutes ses "
1346
+ "fonctionnalités !</a>"
1347
+
1348
+ #: wp-to-twitter.php:259
1349
+ msgid "This account is not authorized to post to Twitter."
1350
+ msgstr "Ce compte n'est pas autorisé à publier sur Twitter."
1351
+
1352
+ #: wp-to-twitter.php:268
1353
+ msgid "This tweet is identical to another Tweet recently sent to this account."
1354
+ msgstr ""
1355
+ "Ce tweeter est identique à un autre Tweet récemment envoyé à ce compte."
1356
+
1357
+ #: wp-to-twitter.php:274
1358
+ msgid "This tweet was blank and could not be sent to Twitter."
1359
+ msgstr "Ce tweet est vide et ne peux pas être envoyé sur Twitter."
1360
+
1361
+ #: wp-to-twitter.php:288
1362
+ #, php-format
1363
+ msgid ""
1364
+ "Your Twitter application does not have read and write permissions. Go to <a "
1365
+ "href=\"%s\">your Twitter apps</a> to modify these settings."
1366
+ msgstr ""
1367
+ "Votre application Twitter n'a pas les droits en lecture et en écriture. "
1368
+ "Aller à la <a href=\"%s\"> votre application Twitter </a> pour modifier ces "
1369
+ "paramètres."
1370
+
1371
+ #: wp-to-twitter.php:293
1372
+ msgid "200 OK: Success!"
1373
+ msgstr "200 OK : Succès !"
1374
+
1375
+ #: wp-to-twitter.php:297
1376
+ msgid ""
1377
+ "400 Bad Request: The request was invalid. This is the status code returned "
1378
+ "during rate limiting."
1379
+ msgstr ""
1380
+ "400 Bad Request : La demande n'était pas valide. C'est le code d'état "
1381
+ "retourné lors de la limitation du débit."
1382
+
1383
+ #: wp-to-twitter.php:300
1384
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
1385
+ msgstr ""
1386
+ "401 Unauthorized : informations d'authentification sont manquantes ou "
1387
+ "incorrectes."
1388
+
1389
+ #: wp-to-twitter.php:304
1390
+ msgid ""
1391
+ "403 Forbidden: The request is understood, but it has been refused by "
1392
+ "Twitter. Reasons: Too many Tweets in a short time or the same Tweet was "
1393
+ "submitted twice, among others. Not an error from WP to Twitter."
1394
+ msgstr ""
1395
+ "403 Forbidden : La requète est comprise, mais a été refusée par Twitter. Les "
1396
+ "raisons : Trop de Tweets créés dans un laps de temps trop court ou le même "
1397
+ "Tweet a été envoyé deux fois de suite, entre autres. Ce n'est pas une erreur "
1398
+ "de WP to Twitter."
1399
+
1400
+ #: wp-to-twitter.php:307
1401
+ msgid ""
1402
+ "404 Not Found: The URI requested is invalid or the resource requested does "
1403
+ "not exist."
1404
+ msgstr ""
1405
+ "404 Non trouvé : L'URL demandée est invalide ou à la ressource demandée "
1406
+ "n'existe pas."
1407
+
1408
+ #: wp-to-twitter.php:310
1409
+ msgid "406 Not Acceptable: Invalid Format Specified."
1410
+ msgstr "406 Non Acceptable : Format spécifié invalide."
1411
+
1412
+ #: wp-to-twitter.php:313
1413
+ msgid "429 Too Many Requests: You have exceeded your rate limits."
1414
+ msgstr "429 Trop de requêtes : Vous avez dépassé vos limites."
1415
+
1416
+ #: wp-to-twitter.php:316
1417
+ msgid "500 Internal Server Error: Something is broken at Twitter."
1418
+ msgstr "500 Internal Server Error : Quelque chose est cassé chez Twitter."
1419
+
1420
+ #: wp-to-twitter.php:319
1421
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
1422
+ msgstr "502 Bad Gateway : Twitter est en panne ou en cours de mis à jour."
1423
+
1424
+ #: wp-to-twitter.php:322
1425
+ msgid ""
1426
+ "503 Service Unavailable: The Twitter servers are up, but overloaded with "
1427
+ "requests - Please try again later."
1428
+ msgstr ""
1429
+ "503 Service Unavailable : Les serveurs de Twitter fonctionnent, mais sont "
1430
+ "surchargés de demandes - Veuillez réessayer plus tard."
1431
+
1432
+ #: wp-to-twitter.php:325
1433
+ msgid ""
1434
+ "504 Gateway Timeout: The Twitter servers are up, but the request couldn't be "
1435
+ "serviced due to some failure within our stack. Try again later."
1436
+ msgstr ""
1437
+ "504 Gateway Timeout : Les serveurs de Twitter fonctionnent, mais la demande "
1438
+ "n'a pas pu être éxécuté en raison d'une défaillance au sein de notre file "
1439
+ "d'attente. Réessayez plus tard."
1440
+
1441
+ #: wp-to-twitter.php:354
1442
+ msgid "No Twitter OAuth connection found."
1443
+ msgstr "Pas de connexion Twitter OAuth trouvé."
1444
+
1445
+ #: wp-to-twitter.php:961
1446
+ msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
1447
+ msgstr ""
1448
+ "WP to Twitter peut faire plus pour vous ! Jetez un oeil à WP Tweets Pro !"
1449
+
1450
+ #: wp-to-twitter.php:964
1451
+ msgid "Custom Twitter Post"
1452
+ msgstr "Message personnalisé Twitter"
1453
+
1454
+ #: wp-to-twitter.php:969
1455
+ msgid "Your prepended Tweet text; not part of your template."
1456
+ msgstr "Votre texte de Tweet préfixé; ne fait pas partie de votre modèle."
1457
+
1458
+ #: wp-to-twitter.php:972
1459
+ msgid "Your appended Tweet text; not part of your template."
1460
+ msgstr "Votre texte de Tweet annexé; ne fait pas partie de votre modèle."
1461
+
1462
+ #: wp-to-twitter.php:988
1463
+ msgid "Your template:"
1464
+ msgstr "Votre modèle :"
1465
+
1466
+ #: wp-to-twitter.php:993
1467
+ msgid "YOURLS Custom Keyword"
1468
+ msgstr "Mot-clef personnalisé de YOURLS"
1469
+
1470
+ #: wp-to-twitter.php:1005
1471
+ msgid "Don't Tweet this post."
1472
+ msgstr "Ne pas publier cet article sur Twitter."
1473
+
1474
+ #: wp-to-twitter.php:1005
1475
+ msgid "Tweet this post."
1476
+ msgstr "Tweeter cet article."
1477
+
1478
+ #: wp-to-twitter.php:1017
1479
+ msgid ""
1480
+ "Access to customizing WP to Twitter values is not allowed for your user role."
1481
+ msgstr ""
1482
+ "L'accès à la personnalisation des valeurs de WP to Twitter n'est pas "
1483
+ "autorisée pour votre rôle d'utilisateur."
1484
+
1485
+ #: wp-to-twitter.php:1026
1486
+ msgid ""
1487
+ "Tweets are no more than 140 characters; Twitter counts URLs as 20 or 21 "
1488
+ "characters. Template tags: <code>#url#</code>, <code>#title#</code>, "
1489
+ "<code>#post#</code>, <code>#category#</code>, <code>#date#</code>, "
1490
+ "<code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, "
1491
+ "<code>#tags#</code>, or <code>#blog#</code>."
1492
+ msgstr ""
1493
+ "Les Tweets font un maximum de 140 caractères; l'url Twitter compte pour 20 "
1494
+ "ou 21 caractères. Balises de modèle : <code>#url#</code>, <code>#title#</"
1495
+ "code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, "
1496
+ "<code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, "
1497
+ "<code>#tags#</code>, ou <code>#blog#</code>."
1498
+
1499
+ #: wp-to-twitter.php:1032
1500
+ msgid "Previous Tweets"
1501
+ msgstr "Tweets précédents"
1502
+
1503
+ #: wp-to-twitter.php:1046
1504
+ msgid "Failed Tweets"
1505
+ msgstr "Tweets raté"
1506
+
1507
+ #: wp-to-twitter.php:1061
1508
+ msgid "No failed tweets on this post."
1509
+ msgstr "Pas de tweet raté sur cette article."
1510
+
1511
+ #: wp-to-twitter.php:1067
1512
+ msgid "Upgrade to WP Tweets Pro"
1513
+ msgstr "Mise à niveau vers WP Tweets Pro"
1514
+
1515
+ #: wp-to-twitter.php:1074
1516
+ msgid "Your role does not have the ability to Post Tweets from this site."
1517
+ msgstr ""
1518
+ "Votre rôle n'a pas la capacité de publier des Tweets à partir de ce site."
1519
+
1520
+ #: wp-to-twitter.php:1106
1521
+ msgid "Characters left: "
1522
+ msgstr "Caractères restants :"
1523
+
1524
+ #: wp-to-twitter.php:1166
1525
+ msgid "WP Tweets User Settings"
1526
+ msgstr "Réglages de l'utilisateur de WP to Twitter"
1527
+
1528
+ #: wp-to-twitter.php:1170
1529
+ msgid "Use My Twitter Username"
1530
+ msgstr "Utiliser votre nom d'utilisateur Twitter"
1531
+
1532
+ #: wp-to-twitter.php:1171
1533
+ msgid "Tweet my posts with an @ reference to my username."
1534
+ msgstr "Tweeter mes articles avec une référence @ à mon nom d'utilisateur."
1535
+
1536
+ #: wp-to-twitter.php:1172
1537
+ msgid ""
1538
+ "Tweet my posts with an @ reference to both my username and to the main site "
1539
+ "username."
1540
+ msgstr ""
1541
+ "Tweeter mes articles avec une référence @ à la fois à mon nom d'utilisateur "
1542
+ "et au nom d'utilisateur du site principal."
1543
+
1544
+ #: wp-to-twitter.php:1176
1545
+ msgid "Your Twitter Username"
1546
+ msgstr "Nom d'utilisateur Twitter"
1547
+
1548
+ #: wp-to-twitter.php:1177
1549
+ msgid "Enter your own Twitter username."
1550
+ msgstr "Saisissez votre nom d'utilisateur Twitter."
1551
+
1552
+ #: wp-to-twitter.php:1180
1553
+ msgid "Hide account name in Tweets"
1554
+ msgstr "Cacher le nom du compte dans les Tweets"
1555
+
1556
+ #: wp-to-twitter.php:1181
1557
+ msgid "Do not display my account in the #account# template tag."
1558
+ msgstr "Ne pas afficher mon compte dans la balise de modèle #account#."
1559
+
1560
+ #: wp-to-twitter.php:1233
1561
+ msgid "Check off categories to tweet"
1562
+ msgstr "Cochez les catégories que vous souhaitez tweeter"
1563
+
1564
+ #: wp-to-twitter.php:1237
1565
+ msgid "Do not tweet posts in checked categories (Reverses default behavior)"
1566
+ msgstr ""
1567
+ "Ne pas tweeter les articles dans les catégories cochées (Inverse le "
1568
+ "comportement par défaut)"
1569
+
1570
+ #: wp-to-twitter.php:1254
1571
+ msgid ""
1572
+ "Limits are exclusive. If a post is in one category which should be posted "
1573
+ "and one category that should not, it will not be posted."
1574
+ msgstr ""
1575
+ "Les limitations sont exclusives. Si un article est dans une catégorie qui "
1576
+ "devrait être affichée et une catégorie qui ne devrait pas, il ne sera pas "
1577
+ "affiché."
1578
+
1579
+ #: wp-to-twitter.php:1257
1580
+ msgid "Set Categories"
1581
+ msgstr "Configurer les catégories"
1582
+
1583
+ #: wp-to-twitter.php:1280
1584
+ msgid "Settings"
1585
+ msgstr "Réglages"
1586
+
1587
+ #: wp-to-twitter.php:1281
1588
+ msgid "Upgrade"
1589
+ msgstr "Mettre à jour"
1590
+
1591
+ #: wp-to-twitter.php:1318
1592
+ #, php-format
1593
+ msgid ""
1594
+ "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href="
1595
+ "\"%1$s\">changelog</a> before upgrading."
1596
+ msgstr ""
1597
+ "<br /><strong>Remarque :</strong> S'il vous plaît examiner le <a class="
1598
+ "\"thickbox\" href=\"%1$s\">changelog</a> avant de faire la mise à jour."
1599
+
1600
+ #: wpt-functions.php:233
1601
+ msgid ""
1602
+ "Please read the FAQ and other Help documents before making a support request."
1603
+ msgstr ""
1604
+ "S'il vous plaît lire la FAQ et les autres documents de l'aide avant de faire "
1605
+ "une demande de soutien."
1606
+
1607
+ #: wpt-functions.php:235
1608
+ msgid "Please describe your problem. I'm not psychic."
1609
+ msgstr "S'il vous plaît décrire votre problème. Je ne suis pas mentaliste."
1610
+
1611
+ #: wpt-functions.php:239
1612
+ #, php-format
1613
+ msgid ""
1614
+ "Thank you for supporting the continuing development of this plug-in! I'll "
1615
+ "get back to you as soon as I can. Please ensure that you can receive email "
1616
+ "at <code>%s</code>."
1617
+ msgstr ""
1618
+ "Merci de soutenir le développement continu de cette extension ! Je vous "
1619
+ "recontacterais dès que possible. S'il vous plaît assurez-vous que vous "
1620
+ "pouvez recevoir des e-mails sur <code>% s </code>."
1621
+
1622
+ #: wpt-functions.php:241
1623
+ #, php-format
1624
+ msgid ""
1625
+ "Thanks for using WP to Twitter. Please ensure that you can receive email at "
1626
+ "<code>%s</code>."
1627
+ msgstr ""
1628
+ "Merci d'utiliser WP to Twitter. S'il vous plaît assurez-vous que vous pouvez "
1629
+ "recevoir des e-mails sur <code>% s </code>."
1630
+
1631
+ #: wpt-functions.php:256
1632
+ msgid ""
1633
+ "<strong>Please note</strong>: I do keep records of those who have donated, "
1634
+ "but if your donation came from somebody other than your account at this web "
1635
+ "site, you must note this in your message."
1636
+ msgstr ""
1637
+ "<strong> S'il vous plaît noter </strong>: je tiens un registre de ceux qui "
1638
+ "ont donné, mais si votre don est venu de quelqu'un d'autre que de votre "
1639
+ "compte sur ce site web, vous devez l'indiquer dans votre message."
1640
+
1641
+ #: wpt-functions.php:261
1642
+ msgid "Reply to:"
1643
+ msgstr "Répondre à :"
1644
+
1645
+ #: wpt-functions.php:264
1646
+ #, php-format
1647
+ msgid ""
1648
+ "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</"
1649
+ "span>"
1650
+ msgstr ""
1651
+ "J'ai lu <a href=\"%1$s\">la FAQ de l'extension</a> <span>(obligatoire)</span>"
1652
+
1653
+ #: wpt-functions.php:267
1654
+ #, php-format
1655
+ msgid ""
1656
+ "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
1657
+ msgstr "J'ai <a href=\"%1$s\">fait un don pour supporter cette extension</a>"
1658
+
1659
+ #: wpt-functions.php:270
1660
+ msgid "Support Request:"
1661
+ msgstr "Demande de soutien :"
1662
+
1663
+ #: wpt-functions.php:273
1664
+ msgid "Send Support Request"
1665
+ msgstr "Envoyer la demande de soutien"
1666
+
1667
+ #: wpt-functions.php:276
1668
+ msgid ""
1669
+ "The following additional information will be sent with your support request:"
1670
+ msgstr ""
1671
+ "Les informations supplémentaires suivantes seront envoyées avec votre "
1672
+ "demande de soutien :"
1673
+
1674
+ #~ msgid "Get your Bit.ly API information."
1675
+ #~ msgstr "Voir vos informations de l'API de Bit.ly"
1676
+
1677
+ #~ msgid "Individual Authors"
1678
+ #~ msgstr "Auteurs individuels"
1679
+
1680
+ #~ msgid "Disable Error Messages"
1681
+ #~ msgstr "Désactiver les messages d'erreurs"
1682
+
1683
+ #~ msgid "Disable notification to implement OAuth"
1684
+ #~ msgstr "Désactiver la notification d'implementation d'OAuth"
1685
+
1686
+ #~ msgid "View Settings"
1687
+ #~ msgstr "Afficher les réglages"
1688
+
1689
+ #~ msgid ""
1690
+ #~ "<em>Note</em>: you will not add your Twitter user information to WP to "
1691
+ #~ "Twitter; it is not used in this authentication method."
1692
+ #~ msgstr ""
1693
+ #~ "<em>Remarque </em>: vous n'ajouterez pas vos informations d'utilisateur "
1694
+ #~ "Twitter à WP to Twitter, elles ne sont pas utilisées dans cette méthode "
1695
+ #~ "d'authentification."
1696
+
1697
+ #~ msgid "WP Tweets"
1698
+ #~ msgstr "WP Tweets"
1699
+
1700
+ #~ msgid "WP to Twitter"
1701
+ #~ msgstr "Plugin WP to Twitter"
1702
+
1703
+ #~ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
1704
+ #~ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
1705
+
1706
+ #~ msgid ""
1707
+ #~ "Posts a Tweet when you update your WordPress blog or post to your "
1708
+ #~ "blogroll, using your chosen URL shortening service. Rich in features for "
1709
+ #~ "customizing and promoting your Tweets."
1710
+ #~ msgstr ""
1711
+ #~ "Publier un Tweet lorsque vous mettez à jour votre blog WordPress ou "
1712
+ #~ "publiez sur votre blogroll, à l'aide de votre service de raccourcissement "
1713
+ #~ "d'URL choisie. Riche en fonctionnalités pour la personnalisation et la "
1714
+ #~ "promotion de vos tweets."
1715
+
1716
+ #~ msgid "Joseph Dolson"
1717
+ #~ msgstr "Joseph Dolson"
1718
+
1719
+ #~ msgid "http://www.joedolson.com/"
1720
+ #~ msgstr "http://www.joedolson.com/"
1721
+
1722
+ #~ msgid ""
1723
+ #~ "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</"
1724
+ #~ "a>] If you're experiencing trouble, please copy these settings into any "
1725
+ #~ "request for support."
1726
+ #~ msgstr ""
1727
+ #~ "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter."
1728
+ #~ "php'>Masquer</a>] Si vous rencontrez des problèmes, merci de copier ces "
1729
+ #~ "réglages dans le formulaire de soutien."
1730
+
1731
+ #~ msgid "Please include your license key in your support request."
1732
+ #~ msgstr ""
1733
+ #~ "S'il vous plaît inclure votre clé de licence dans votre demande de "
1734
+ #~ "soutien."
1735
+
1736
+ #~ msgid ""
1737
+ #~ "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</"
1738
+ #~ "code> to remove spaces entirely."
1739
+ #~ msgstr ""
1740
+ #~ "Par défaut, le caractère de remplacement est un underscore (<code>_</"
1741
+ #~ "code>). Pour supprimer entièrement les espaces, utilisez le code "
1742
+ #~ "suivant : <code>[ ]</code>."
1743
+
1744
+ #~ msgid ""
1745
+ #~ "These options allow you to restrict the length and number of WordPress "
1746
+ #~ "tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to "
1747
+ #~ "allow any and all tags."
1748
+ #~ msgstr ""
1749
+ #~ "Ces options vous permettent de restreindre la longueur et le nombre de "
1750
+ #~ "mots-clefs WordPress envoyés sur Twitter sous forme de hashtags. "
1751
+ #~ "Configurer ainsi : <code>0</code> ou laisser un espace vide pour "
1752
+ #~ "autoriser toute sorte de mots-clefs."
1753
+
1754
+ #~ msgid ""
1755
+ #~ "You can use a custom field to send an alternate URL for your post. The "
1756
+ #~ "value is the name of a custom field containing your external URL."
1757
+ #~ msgstr ""
1758
+ #~ "Vous pouvez utiliser un champ personnalisé pour envoyer une URL "
1759
+ #~ "alternative pour vos articles. La valeur est le nom d'un champ "
1760
+ #~ "personnalisé contenant votre URL externe."
1761
+
1762
+ #~ msgid "Preferred status update truncation sequence"
1763
+ #~ msgstr "Séquence d'abbreviation préférée de la mise a jour de votre statut"
1764
+
1765
+ #~ msgid ""
1766
+ #~ "By default, all posts meeting other requirements will be posted to "
1767
+ #~ "Twitter. Check this to change your setting."
1768
+ #~ msgstr ""
1769
+ #~ "Tous les articles répondant à d'autres modalités seront postés par défaut "
1770
+ #~ "sur Twitter. Cochez cette case pour changer le réglage."
1771
+
1772
+ #~ msgid ""
1773
+ #~ "If checked, all posts edited individually or in bulk through the Quick "
1774
+ #~ "Edit feature will be Tweeted."
1775
+ #~ msgstr ""
1776
+ #~ "Si cochée, tous les articles modifiés individuellement ou en actions "
1777
+ #~ "groupées grâce à la fonction Modification Rapide seront tweetés."
wp-to-twitter-ga_IR.mo → lang/wp-to-twitter-ga_IR.mo RENAMED
File without changes
wp-to-twitter-ga_IR.po → lang/wp-to-twitter-ga_IR.po RENAMED
@@ -1,585 +1,585 @@
1
- # SOME DESCRIPTIVE TITLE.
2
- # Copyright (C) YEAR Joseph Dolson
3
- # This file is distributed under the same license as the PACKAGE package.
4
- # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
- #
6
- msgid ""
7
- msgstr ""
8
- "Project-Id-Version: WP to Twitter\n"
9
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
- "POT-Creation-Date: 2009-12-13 16:56+0000\n"
11
- "PO-Revision-Date: 2011-06-29 17:34+0530\n"
12
- "Last-Translator: Sarvita Kuamri <sarvita@outshinesolutions.com>\n"
13
- "Language-Team: Lets Be Famous.com <ray.s@letsbefamous.com>\n"
14
- "MIME-Version: 1.0\n"
15
- "Content-Type: text/plain; charset=UTF-8\n"
16
- "Content-Transfer-Encoding: 8bit\n"
17
- "X-Poedit-Language: Irish\n"
18
- "X-Poedit-Country: IRELAND\n"
19
-
20
- #: functions.php:123
21
- msgid "Twitter Password Saved"
22
- msgstr "Pasfhocal twitter Sábháilte"
23
-
24
- #: functions.php:125
25
- msgid "Twitter Password Not Saved"
26
- msgstr "Pasfhocal twitter Sábháilte"
27
-
28
- #: functions.php:128
29
- msgid "Bit.ly API Saved"
30
- msgstr "Bit.ly Sábháilte API"
31
-
32
- #: functions.php:130
33
- msgid "Bit.ly API Not Saved"
34
- msgstr "Gan API Sábháilte Bit.ly"
35
-
36
- #: functions.php:136
37
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Nascondi</a>] Má tá tú ag fulaingt dtrioblóid, le do thoil cóip na socruithe seo isteach in aon iarratas le haghaidh tacaíochta."
39
-
40
- #: wp-to-twitter-manager.php:63
41
- msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
- msgstr "Socraigh do chuid faisnéise agus URL Shortener logáil isteach Twitter API eolas seo a úsáid breiseán!"
43
-
44
- #: wp-to-twitter-manager.php:69
45
- msgid "Please add your Twitter password. "
46
- msgstr "Cuir do phasfhocal Twitter."
47
-
48
- #: wp-to-twitter-manager.php:75
49
- msgid "WP to Twitter Errors Cleared"
50
- msgstr "Cuir phasfhocal a dhéanamh Twitter."
51
-
52
- #: wp-to-twitter-manager.php:82
53
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
- msgstr "Tá brón orainn! Ní raibh mé in ann dul i dteagmháil leis na freastalaithe Twitter go hiar do blog post nua. Tá do tweet bheith stóráilte i réimse saincheaptha ghabhann leis an bpost, ionas gur féidir leat Tweet de láimh más mian leat!"
55
-
56
- #: wp-to-twitter-manager.php:84
57
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
- msgstr "Tá brón orainn! Ní raibh mé in ann dul i dteagmháil leis na freastalaithe Twitter go hiar do nasc nua <strong> </ strong>! Feicfidh tú a phost é de láimh, tá mé eagla."
59
-
60
- #: wp-to-twitter-manager.php:149
61
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
- msgstr "Tá Foinse Orainn! Ní raibh mé i dteagmháil ann dul i Leis na freastalaithe Twitter dul hiar dhéanamh NASC Nua <strong> </ strong>! Feicfidh Just a phost é de láimh, Tá Mé eagla."
63
-
64
- #: wp-to-twitter-manager.php:158
65
- msgid "WP to Twitter Options Updated"
66
- msgstr "WP le Roghanna Twitter Nuashonraithe"
67
-
68
- #: wp-to-twitter-manager.php:168
69
- msgid "Twitter login and password updated. "
70
- msgstr "Íomhá Réamhamhairc de Twitter WP Roghanna Nuashonraithe"
71
-
72
- #: wp-to-twitter-manager.php:170
73
- msgid "You need to provide your twitter login and password! "
74
- msgstr "Ní mór duit a chur ar fáil do twitter logáil isteach agus do phasfhocal!"
75
-
76
- #: wp-to-twitter-manager.php:177
77
- msgid "Cligs API Key Updated"
78
- msgstr "Cligs API Key Nuashonraithe"
79
-
80
- #: wp-to-twitter-manager.php:180
81
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
- msgstr "Cli.gs API Key scriosadh. Beidh Cli.gs cruthaithe ag WP le Twitter a thuilleadh a bheith bainteach le do chuntas."
83
-
84
- #: wp-to-twitter-manager.php:182
85
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
- msgstr "Cli.gs API Key nach gcuirtear isteach<a í - href='http://cli.gs/user/api/'> ceann a fháil anseo </ a>!"
87
-
88
- #: wp-to-twitter-manager.php:188
89
- msgid "Bit.ly API Key Updated."
90
- msgstr "API Key Nuashonraithe Bit.ly."
91
-
92
- #: wp-to-twitter-manager.php:191
93
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
- msgstr "API Key Bit.ly scriosadh. Ní féidir leat úsáid a bhaint ar an API Bit.ly gan eochair API."
95
-
96
- #: wp-to-twitter-manager.php:193
97
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
- msgstr "API Key Bit.ly scriosadh. Ní féidir Leat úsáid a bhaint Cruinniú le API gan Bit.ly Eochair API."
99
-
100
- #: wp-to-twitter-manager.php:197
101
- msgid " Bit.ly User Login Updated."
102
- msgstr "Logáil isteach Úsáideoir Nuashonraithe Bit.ly."
103
-
104
- #: wp-to-twitter-manager.php:200
105
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
- msgstr "Logáil isteach Úsáideoir Bit.ly scriosadh. Ní féidir leat úsáid a bhaint ar an API Bit.ly gan foráil a dhéanamh d'ainm úsáideora."
107
-
108
- #: wp-to-twitter-manager.php:202
109
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
- msgstr "Ní Logáil isteach Bit.ly - <a href='http://bit.ly/account/'> ceann a fháil anseo </ a>!"
111
-
112
- #: wp-to-twitter-manager.php:236
113
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
- msgstr "<li> teagmháil D'éirigh an API Cli.gs via Snoopy, ach theip ar an cruthú URL. </ li>"
115
-
116
- #: wp-to-twitter-manager.php:238
117
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
- msgstr "<li> teagmháil D'éirigh an API Cli.gs via Snoopy, ach earráid freastalaí Cli.gs cosc ar an URL ó bheith shrotened. </ li>"
119
-
120
- #: wp-to-twitter-manager.php:240
121
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy and created a shortened link.</li>"
122
- msgstr "<li> teagmháil D'Eirigh Cruinniú Cli.gs via API Snoopy, ACH earráid freastalaí Cli.gs Cosc Cruinniú URL Ó bheith shrotened. </ Li>"
123
-
124
- #: wp-to-twitter-manager.php:249
125
- #: wp-to-twitter-manager.php:274
126
- msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
- msgstr "<li> teagmháil D'éirigh an API Bit.ly trí Snoopy. </ li>"
128
-
129
- #: wp-to-twitter-manager.php:251
130
- #: wp-to-twitter-manager.php:276
131
- msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
- msgstr "<li> Theip dul i dteagmháil leis an API Bit.ly trí Snoopy. </ li>"
133
-
134
- #: wp-to-twitter-manager.php:254
135
- msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
- msgstr "Ní féidir <li> seiceáil ar an API Bit.ly gan eochair API bailí. </ li>"
137
-
138
- #: wp-to-twitter-manager.php:258
139
- msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
- msgstr "<li> teagmháil D'éirigh an API Twitter trí Snoopy. </ li>"
141
-
142
- #: wp-to-twitter-manager.php:260
143
- msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
- msgstr "<li> teagmháil D'Eirigh a Twitter API Trí Snoopy. </ Li>"
145
-
146
- #: wp-to-twitter-manager.php:266
147
- msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
- msgstr "<li> teagmháil D'éirigh an API Twitter trí curl. </ li>"
149
-
150
- #: wp-to-twitter-manager.php:268
151
- msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
- msgstr "<li> Theip dul i dteagmháil leis an API Twitter trí curl. </ li>"
153
-
154
- #: wp-to-twitter-manager.php:280
155
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
- msgstr "<li> teagmháil D'éirigh an API Cli.gs trí Snoopy. </ li>"
157
-
158
- #: wp-to-twitter-manager.php:283
159
- msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
- msgstr "<li> Theip dul i dteagmháil leis an API Cli.gs trí Snoopy. </ li>"
161
-
162
- #: wp-to-twitter-manager.php:288
163
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
- msgstr "<li> <strong> Ba chóir do fhreastalaí WP reáchtáil go rathúil le Twitter. </ strong> </ li>"
165
-
166
- #: wp-to-twitter-manager.php:293
167
- msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
- msgstr "<li> Níthacaíonn do fhreastalaí tacaíocht fputs <code> </ cód>. </ li>"
169
-
170
- #: wp-to-twitter-manager.php:297
171
- msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
- msgstr "<li> Ní thacaíonn do fhreastalaí tacaíocht file_get_contents <code> </ cód> nó <code> curl </ cód> feidhmeanna. </ li>"
173
-
174
- #: wp-to-twitter-manager.php:301
175
- msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
- msgstr "<li> Níthacaíonn do fhreastalaí tacaíocht <code> Snoopy </ cód>. </ li>"
177
-
178
- #: wp-to-twitter-manager.php:304
179
- msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
- msgstr "<li> Ní thacaíonn dhéanamh fhreastalaí tacaíocht file_get_contents <code> </ COD> aon <code> curl </ COD> feidhmeanna. </ Li>"
181
-
182
- #: wp-to-twitter-manager.php:313
183
- msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
- msgstr "<li> Ní thacaíonn dhéanamh fhreastalaí tacaíocht file_get_contents <code> </ COD> AON <code> curl </ COD> feidhmeanna. </ Li>"
185
-
186
- #: wp-to-twitter-manager.php:328
187
- msgid "WP to Twitter Options"
188
- msgstr "WP le Roghanna Twitter"
189
-
190
- #: wp-to-twitter-manager.php:332
191
- #: wp-to-twitter.php:794
192
- msgid "Get Support"
193
- msgstr "Faigh Tacaíocht"
194
-
195
- #: wp-to-twitter-manager.php:333
196
- msgid "Export Settings"
197
- msgstr "Socruithe Easpórtáil"
198
-
199
- #: wp-to-twitter-manager.php:347
200
- msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
- msgstr "I gcás aon réimse a thabhairt cothrom le dáta an bpost, is féidir leat úsáid an <code> cóid # teideal # </ cód> le haghaidh an teideal do blog post, <code> # blog # </ cód> le haghaidh an teideal do bhlag, <code> # iar # </ cód> do sliocht gearr ar ábhar an phoist, <code> # chatagóir # </ cód> don chéad chatagóir roghnaithe don phost, <code> # dáta # </ cód> do dháta an bpost, nó <code> # url # </ cód> don URL phost (ní giorraithe nó, ag brath ar do chuid sainroghanna.) Is féidir leat a chruthú chomh maith shortcodes saincheaptha chun rochtain a WordPress réimsí saincheaptha. Bain úsáid as lúibíní cearnacha dhó mórthimpeall an t-ainm de do réimse saincheaptha le luach na réimse sin saincheaptha a chur le do stádas cothrom le dáta. Sampla: <code> [[custom_field]] </ cód>"
202
-
203
- #: wp-to-twitter-manager.php:353
204
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
- msgstr "<p> Tá amháin nó níos mó de do phoist seo caite theip a sheoladh stádas cothrom le dáta é le Twitter. Tá do Tweet Sábháladh do réimsí saincheaptha i bpost, agus is féidir leat ath-Tweet sé ar do fóillíochta. </ P>"
206
-
207
- #: wp-to-twitter-manager.php:356
208
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
- msgstr "<p> an cheist leis an URL Shortener API theip, agus ní do URL raibh shrunk. Bhí ceangailte leis an URL phost iomlán le do Tweet. Seiceáil le do sholáthraí ghiorrú URL a fheiceáil má tá aon cheisteanna ar eolas. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
210
-
211
- #: wp-to-twitter-manager.php:363
212
- msgid "Clear 'WP to Twitter' Error Messages"
213
- msgstr "'WP le Twitter' Clear Teachtaireachtaí Earráid"
214
-
215
- #: wp-to-twitter-manager.php:371
216
- msgid "Set what should be in a Tweet"
217
- msgstr "Socraigh cad ba cheart a bheith i Tweet"
218
-
219
- #: wp-to-twitter-manager.php:374
220
- msgid "Update when a post is published"
221
- msgstr "Thabhairt cothrom le dáta nuair a bhíonn post foilsithe"
222
-
223
- #: wp-to-twitter-manager.php:374
224
- msgid "Text for new post updates:"
225
- msgstr "Téacs sé nuashonruithe phost nua:"
226
-
227
- #: wp-to-twitter-manager.php:379
228
- msgid "Update when a post is edited"
229
- msgstr "Thabhairt cothrom le dáta nuair a bhíonn post in eagar"
230
-
231
- #: wp-to-twitter-manager.php:379
232
- msgid "Text for editing updates:"
233
- msgstr "Téacs sé nuashonruithe eagarthóireacht:"
234
-
235
- #: wp-to-twitter-manager.php:383
236
- msgid "Update Twitter when new Wordpress Pages are published"
237
- msgstr "Thabhairt cothrom le dáta nuair a Twitter nua Leathanaigh Wordpress Foilsítear"
238
-
239
- #: wp-to-twitter-manager.php:383
240
- msgid "Text for new page updates:"
241
- msgstr "Téacs sé nuashonruithe Leathanach nua:"
242
-
243
- #: wp-to-twitter-manager.php:387
244
- msgid "Update Twitter when WordPress Pages are edited"
245
- msgstr "Thabhairt cothrom le dáta nuair a Twitter Leathanaigh WordPress atá in eagar"
246
-
247
- #: wp-to-twitter-manager.php:387
248
- msgid "Text for page edit updates:"
249
- msgstr "Téacs le haghaidh leathanach nuashonruithe in eagar:"
250
-
251
- #: wp-to-twitter-manager.php:391
252
- msgid "Add tags as hashtags on Tweets"
253
- msgstr "Clibeanna a chur leis mar hashtags ar Tweets"
254
-
255
- #: wp-to-twitter-manager.php:391
256
- msgid "Spaces replaced with:"
257
- msgstr "Spásanna in ionad sé le:"
258
-
259
- #: wp-to-twitter-manager.php:392
260
- msgid "Default replacement is an underscore (<code>_</code>)."
261
- msgstr "Is le béim a athsholáthar Réamhshocrú (<code>_</code>)."
262
-
263
- #: wp-to-twitter-manager.php:394
264
- msgid "Maximum number of tags to include:"
265
- msgstr "Líon uasta na clibeanna a chur san áireamh:"
266
-
267
- #: wp-to-twitter-manager.php:395
268
- msgid "Maximum length in characters for included tags:"
269
- msgstr "Fad uasta i gcarachtair do tags bhí:"
270
-
271
- #: wp-to-twitter-manager.php:396
272
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
- msgstr "Tugann na roghanna leat chun srian a chur ar an fad agus líon na clibeanna WordPress sheoladh chuig Twitter mar hashtags. Socraigh do <code> 0 </ cód> nó fág folamh chun deis a clibeanna ar bith agus go léir"
274
-
275
- #: wp-to-twitter-manager.php:400
276
- msgid "Update Twitter when you post a Blogroll link"
277
- msgstr "Thabhairt cothrom le dáta nuair a Twitter leat an bpost nasc Blogroll."
278
-
279
- #: wp-to-twitter-manager.php:401
280
- msgid "Text for new link updates:"
281
- msgstr "Téacs sé nuashonruithe nasc nua:"
282
-
283
- #: wp-to-twitter-manager.php:401
284
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
- msgstr "Shortcodes ar fáil:: <code>#url#</code>, <code>#title#</code> e <code>#description#</code>."
286
-
287
- #: wp-to-twitter-manager.php:404
288
- msgid "Length of post excerpt (in characters):"
289
- msgstr "Cruinniú Shortcodes available:"
290
-
291
- #: wp-to-twitter-manager.php:404
292
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
- msgstr "By default, bhaintear as an bpost é féin. Má úsáideann tú an 'Sliocht' réimse, a bheidh in úsáid ina áit."
294
-
295
- #: wp-to-twitter-manager.php:407
296
- msgid "WP to Twitter Date Formatting:"
297
- msgstr "WP a Formáidiú Dáta Twitter:"
298
-
299
- #: wp-to-twitter-manager.php:407
300
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
- msgstr "Réamhshocrú ó do socruithe ginearálta. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'> Doiciméadú Formáidiú Dáta </ a>."
302
-
303
- #: wp-to-twitter-manager.php:411
304
- msgid "Custom text before Tweets:"
305
- msgstr "Téacs an Chustaim roimh Curfá:"
306
-
307
- #: wp-to-twitter-manager.php:412
308
- msgid "Custom text after Tweets:"
309
- msgstr "Téacs an Chustaim i ndiaidh Curfá:"
310
-
311
- #: wp-to-twitter-manager.php:415
312
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
- msgstr "Réimse saincheaptha le haghaidh URL malartach a ghiorrú agus Tweeted:"
314
-
315
- #: wp-to-twitter-manager.php:416
316
- msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
- msgstr "Réimse saincheaptha le haghaidh URL malartach a ghiorrú agus Tweeted:"
318
-
319
- #: wp-to-twitter-manager.php:420
320
- msgid "Special Cases when WordPress should send a Tweet"
321
- msgstr "Cásanna speisialta nuair a ba chóir a sheoladh Tweet WordPress"
322
-
323
- #: wp-to-twitter-manager.php:423
324
- msgid "Set default Tweet status to 'No.'"
325
- msgstr "Stádas Tweet réamhshocraithe a shocraítear le 'Uimh'"
326
-
327
- #: wp-to-twitter-manager.php:424
328
- msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
- msgstr "Is féidir le nuashonruithe Twitter a shocrú ar an bpost í bhonn an bpost. By default, BEIDH post a chur sa phost le Twitter. Seo a sheiceáil leis an mainneachtain athrú UIMH."
330
-
331
- #: wp-to-twitter-manager.php:428
332
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
- msgstr "Seol Nuashonruithe Twitter ar fhoilseachán iargúlta (Post by R-phost nó XMLRPC Cliant)"
334
-
335
- #: wp-to-twitter-manager.php:432
336
- msgid "Update Twitter when a post is published using QuickPress"
337
- msgstr "Thabhairt cothrom le dáta nuair a bhíonn post Twitter foilsithe ag baint úsáide as QuickPress"
338
-
339
- #: wp-to-twitter-manager.php:436
340
- msgid "Special Fields"
341
- msgstr "Réimsí speisialta"
342
-
343
- #: wp-to-twitter-manager.php:439
344
- msgid "Use Google Analytics with WP-to-Twitter"
345
- msgstr "UBain úsáid as Google Analytics le WP-go-Twitter"
346
-
347
- #: wp-to-twitter-manager.php:440
348
- msgid "Campaign identifier for Google Analytics:"
349
- msgstr "Feachtas aitheantóir le haghaidh Google Analytics:"
350
-
351
- #: wp-to-twitter-manager.php:441
352
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
- msgstr "Feachtas aitheantóir le haghaidh Google Analytics:"
354
-
355
- #: wp-to-twitter-manager.php:446
356
- msgid "Authors have individual Twitter accounts"
357
- msgstr "Údair Tá cuntais Twitter aonair"
358
-
359
- #: wp-to-twitter-manager.php:446
360
- msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
- msgstr "Is féidir le gach údar a gcuid féin a leagtar Twitter ainm úsáideora agus pasfhocal i bpróifíl úsáideora. Beidh a gcuid post a sheoladh chuig gcuid cuntas Twitter féin."
362
-
363
- #: wp-to-twitter-manager.php:450
364
- msgid "Set your preferred URL Shortener"
365
- msgstr "Socraigh do URL Shortener fearr"
366
-
367
- #: wp-to-twitter-manager.php:453
368
- msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
- msgstr "Bain úsáid as Cli.gs <strong> </ strong> do mo URL Shortener."
370
-
371
- #: wp-to-twitter-manager.php:454
372
- msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
- msgstr "Bain úsáid as <strong> Bit.ly </ strong> do mo URL Shortener."
374
-
375
- #: wp-to-twitter-manager.php:455
376
- msgid "Use <strong>WordPress</strong> as a URL shortener."
377
- msgstr "Bain úsáid as WordPress <strong> </ strong> mar URL Shortener."
378
-
379
- #: wp-to-twitter-manager.php:456
380
- msgid "Don't shorten URLs."
381
- msgstr "Ná shorten URLs."
382
-
383
- #: wp-to-twitter-manager.php:457
384
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
- msgstr "Beidh úsáid WordPress mar URLanna a sheoladh chuig URL Shortener Twitter san fhormáid URL réamhshocraithe do WordPress: <code> http://domain.com/subdir/?p=123 </ cód>. Níl Google Analytics ar fáil nuair a úsáid WordPress URLanna ghiorrú."
386
-
387
- #: wp-to-twitter-manager.php:462
388
- msgid "Save WP->Twitter Options"
389
- msgstr "Sábháil WP-> Options Twitter"
390
-
391
- #: wp-to-twitter-manager.php:468
392
- msgid "Your Twitter account details"
393
- msgstr "Shonraí do chuntais Twitter"
394
-
395
- #: wp-to-twitter-manager.php:475
396
- msgid "Your Twitter username:"
397
- msgstr "Do Twitter ainm úsáideora:"
398
-
399
- #: wp-to-twitter-manager.php:479
400
- msgid "Your Twitter password:"
401
- msgstr "Do Twitter fhocal faire:"
402
-
403
- #: wp-to-twitter-manager.php:479
404
- msgid "(<em>Saved</em>)"
405
- msgstr "(<em>Salvato</em>)"
406
-
407
- #: wp-to-twitter-manager.php:483
408
- msgid "Save Twitter Login Info"
409
- msgstr "Sábháil Twitter Eolas Logáil isteach"
410
-
411
- #: wp-to-twitter-manager.php:483
412
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
- msgstr "Ná <small> bhfuil cuntas Twitter? <a href='http://www.twitter.com'> Faigh ceann saor in aisce anseo </ a>"
414
-
415
- #: wp-to-twitter-manager.php:487
416
- msgid "Your Cli.gs account details"
417
- msgstr "Shonraí do chuntais Cli.gs"
418
-
419
- #: wp-to-twitter-manager.php:494
420
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
- msgstr "Do Cli.gs cláir <abbr title='application programming interface'> API </ abbr> Eochair:"
422
-
423
- #: wp-to-twitter-manager.php:500
424
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
- msgstr "Ná bheith san áireamh Cli.gs nó Cligs eochair API? <a href='http://cli.gs/user/api/'> Faigh ceann saor in aisce anseo </ a>! <br /> Beidh ort eochair API d'fhonn a chomhlachú leis an Cligs a chruthú duit le do Cligs áireamh."
426
-
427
- #: wp-to-twitter-manager.php:505
428
- msgid "Your Bit.ly account details"
429
- msgstr "Shonraí do chuntais Bit.ly"
430
-
431
- #: wp-to-twitter-manager.php:510
432
- msgid "Your Bit.ly username:"
433
- msgstr "Do Bit.ly ainm úsáideora:"
434
-
435
- #: wp-to-twitter-manager.php:514
436
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
- msgstr "Do chláir title='application Bit.ly <abbr interface'> API </ abbr> Eochair:"
438
-
439
- #: wp-to-twitter-manager.php:521
440
- msgid "Save Bit.ly API Key"
441
- msgstr "Sábháil Bit.ly API Key"
442
-
443
- #: wp-to-twitter-manager.php:521
444
- msgid "Clear Bit.ly API Key"
445
- msgstr "Glan Bit.ly API Key"
446
-
447
- #: wp-to-twitter-manager.php:521
448
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
- msgstr "Tá eochair Bit.ly API agus ainm úsáideora gá URLanna a ghiorrú tríd an API Bit.ly agus WP le Twitter."
450
-
451
- #: wp-to-twitter-manager.php:530
452
- msgid "Check Support"
453
- msgstr "seiceáil Tacaíocht"
454
-
455
- #: wp-to-twitter-manager.php:530
456
- msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
- msgstr "Seiceáil an bhfuil tacaíocht do fhreastalaí WP a thabhairt ar cheisteanna Twitter chuig an Twitter agus APIs giorrú URL."
458
-
459
- #: wp-to-twitter-manager.php:538
460
- msgid "Need help?"
461
- msgstr "Cabhair uait?"
462
-
463
- #: wp-to-twitter-manager.php:539
464
- msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
- msgstr "An WP<a href='http://www.joedolson.com/articles/wp-to-twitter/'> <a Cuairt ar Twitter leathanach breiseán </ a>."
466
-
467
- #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
- #. Plugin Name of an extension
469
- #: wp-to-twitter.php:748
470
- msgid "WP to Twitter"
471
- msgstr "WP le Twitter"
472
-
473
- #: wp-to-twitter.php:789
474
- msgid "Twitter Post"
475
- msgstr "Iar twitter"
476
-
477
- #: wp-to-twitter.php:794
478
- msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
- msgstr "carachtair <br /> Twitter tá uasmhéid de 140 charachtair;. má tá do Cli.gs URL i gceangal leis an deireadh do doiciméad, tá tú 119 carachtair atá ar fáil. Is féidir leat úsáid <code> # url # </ cód>, <code> # teideal # </ cód>, <code> iar # # </ cód>, <code> # chatagóir # </ cód>, <code> # dáta # </ cód>, nó <code> # blag # </ cód> a chur isteach an URL a ghiorrú, teideal an phoist, an chéad chatagóir roghnaithe, an dáta an bpost, nó sliocht bpost í nó ainm bhlag isteach sa Tweet."
480
-
481
- #: wp-to-twitter.php:794
482
- msgid "Make a Donation"
483
- msgstr "Déan Síntiús"
484
-
485
- #: wp-to-twitter.php:797
486
- msgid "Don't Tweet this post."
487
- msgstr "Ná Tweet an post seo."
488
-
489
- #: wp-to-twitter.php:846
490
- msgid "WP to Twitter User Settings"
491
- msgstr "WP le Socruithe Úsáideoir Twitter"
492
-
493
- #: wp-to-twitter.php:850
494
- msgid "Use My Twitter Account"
495
- msgstr "Úsáid Mo Chuntas Twitter"
496
-
497
- #: wp-to-twitter.php:851
498
- msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
- msgstr "Roghnaigh an rogha seo más mian leat do chuid postálacha a bheith Tweeted isteach i do chuntas Twitter féin gan aon tagairtí @."
500
-
501
- #: wp-to-twitter.php:852
502
- msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
- msgstr "Tweet mo phoist isteach i mo chuntas Twitter le tagairt @ ar an suíomh ar chuntas Twitter is mó."
504
-
505
- #: wp-to-twitter.php:853
506
- msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
- msgstr "Tweet mo post isteach sa chuntas suíomh is mó Twitter le tagairt @ le mo ainm úsáideora. (Ní gá Pasfhocal leis an rogha seo.)"
508
-
509
- #: wp-to-twitter.php:856
510
- msgid "Your Twitter Username"
511
- msgstr "Do Twitter Ainm Úsáideora"
512
-
513
- #: wp-to-twitter.php:857
514
- msgid "Enter your own Twitter username."
515
- msgstr "Cuir isteach d'ainm úsáideora féin Twitter."
516
-
517
- #: wp-to-twitter.php:860
518
- msgid "Your Twitter Password"
519
- msgstr "Do Twitter Pasfhocal"
520
-
521
- #: wp-to-twitter.php:861
522
- msgid "Enter your own Twitter password."
523
- msgstr "Cuir isteach do phasfhocal Twitter féin."
524
-
525
- #: wp-to-twitter.php:980
526
- msgid "<p>Couldn't locate the settings page.</p>"
527
- msgstr "<p>Níorbh fhéidir teacht ar an leathanach suímh</p>"
528
-
529
- #: wp-to-twitter.php:985
530
- msgid "Settings"
531
- msgstr "Socruithe"
532
-
533
- #. Plugin URI of an extension
534
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
-
537
- #. Description of an extension
538
- msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
- msgstr "Twitter Nuashonruithe nuair a chruthú duit a blog post nua nó a chur le do blogroll ag baint úsáide as Cli.gs. Le eochair ar API Cli.gs, cruthaítear clig i do chuntas Cli.gs leis an ainm do phost mar an teideal."
540
-
541
- #. Author of an extension
542
- msgid "Joseph Dolson"
543
- msgstr "Joseph Dolson"
544
-
545
- #. Author URI of an extension
546
- msgid "http://www.joedolson.com/"
547
- msgstr "http://www.joedolson.com/"
548
-
549
- #~ msgid ""
550
- #~ "The query to the URL shortener API failed, and your URL was not shrunk. "
551
- #~ "The full post URL was attached to your Tweet."
552
- #~ msgstr ""
553
- #~ "La richiesta API per la creazione dell'URL breve é fallita: il tuo URL "
554
- #~ "non é stato abbreviato. E' stato allegato l'URL completo al tuo messaggio."
555
-
556
- #~ msgid "Add_new_tag"
557
- #~ msgstr "Add_new_tag"
558
-
559
- #~ msgid "This plugin may not work in your server environment."
560
- #~ msgstr "Questo plugin non può funzionare sul tuo server."
561
-
562
- #~ msgid "Wordpress to Twitter Publishing Options"
563
- #~ msgstr "Opzioni editoriali Wordpress to Twitter"
564
-
565
- #~ msgid "Provide link to blog?"
566
- #~ msgstr "Desideri il link al blog?"
567
-
568
- #~ msgid "Use <strong>link title</strong> for Twitter updates"
569
- #~ msgstr ""
570
- #~ "Utilizza un <strong>link di testo</strong> per gli aggiornamenti di "
571
- #~ "Twitter"
572
-
573
- #~ msgid "Use <strong>link description</strong> for Twitter updates"
574
- #~ msgstr ""
575
- #~ "Utilizza un <strong>link descrittivo</strong> per gli aggiornamenti di "
576
- #~ "Twitter"
577
-
578
- #~ msgid ""
579
- #~ "Text for new link updates (used if title/description isn't available.):"
580
- #~ msgstr ""
581
- #~ "Testo per il link ai nuovi aggiornamenti (se titolo/descrizione non "
582
- #~ "fossero disponibili):"
583
-
584
- #~ msgid "Custom text prepended to Tweets:"
585
- #~ msgstr "Testo personalizzato davanti al messaggio:"
1
+ # SOME DESCRIPTIVE TITLE.
2
+ # Copyright (C) YEAR Joseph Dolson
3
+ # This file is distributed under the same license as the PACKAGE package.
4
+ # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
+ #
6
+ msgid ""
7
+ msgstr ""
8
+ "Project-Id-Version: WP to Twitter\n"
9
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
+ "POT-Creation-Date: 2009-12-13 16:56+0000\n"
11
+ "PO-Revision-Date: 2011-06-29 17:34+0530\n"
12
+ "Last-Translator: Sarvita Kuamri <sarvita@outshinesolutions.com>\n"
13
+ "Language-Team: Lets Be Famous.com <ray.s@letsbefamous.com>\n"
14
+ "MIME-Version: 1.0\n"
15
+ "Content-Type: text/plain; charset=UTF-8\n"
16
+ "Content-Transfer-Encoding: 8bit\n"
17
+ "X-Poedit-Language: Irish\n"
18
+ "X-Poedit-Country: IRELAND\n"
19
+
20
+ #: functions.php:123
21
+ msgid "Twitter Password Saved"
22
+ msgstr "Pasfhocal twitter Sábháilte"
23
+
24
+ #: functions.php:125
25
+ msgid "Twitter Password Not Saved"
26
+ msgstr "Pasfhocal twitter Sábháilte"
27
+
28
+ #: functions.php:128
29
+ msgid "Bit.ly API Saved"
30
+ msgstr "Bit.ly Sábháilte API"
31
+
32
+ #: functions.php:130
33
+ msgid "Bit.ly API Not Saved"
34
+ msgstr "Gan API Sábháilte Bit.ly"
35
+
36
+ #: functions.php:136
37
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Nascondi</a>] Má tá tú ag fulaingt dtrioblóid, le do thoil cóip na socruithe seo isteach in aon iarratas le haghaidh tacaíochta."
39
+
40
+ #: wp-to-twitter-manager.php:63
41
+ msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
+ msgstr "Socraigh do chuid faisnéise agus URL Shortener logáil isteach Twitter API eolas seo a úsáid breiseán!"
43
+
44
+ #: wp-to-twitter-manager.php:69
45
+ msgid "Please add your Twitter password. "
46
+ msgstr "Cuir do phasfhocal Twitter."
47
+
48
+ #: wp-to-twitter-manager.php:75
49
+ msgid "WP to Twitter Errors Cleared"
50
+ msgstr "Cuir phasfhocal a dhéanamh Twitter."
51
+
52
+ #: wp-to-twitter-manager.php:82
53
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
+ msgstr "Tá brón orainn! Ní raibh mé in ann dul i dteagmháil leis na freastalaithe Twitter go hiar do blog post nua. Tá do tweet bheith stóráilte i réimse saincheaptha ghabhann leis an bpost, ionas gur féidir leat Tweet de láimh más mian leat!"
55
+
56
+ #: wp-to-twitter-manager.php:84
57
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
+ msgstr "Tá brón orainn! Ní raibh mé in ann dul i dteagmháil leis na freastalaithe Twitter go hiar do nasc nua <strong> </ strong>! Feicfidh tú a phost é de láimh, tá mé eagla."
59
+
60
+ #: wp-to-twitter-manager.php:149
61
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
+ msgstr "Tá Foinse Orainn! Ní raibh mé i dteagmháil ann dul i Leis na freastalaithe Twitter dul hiar dhéanamh NASC Nua <strong> </ strong>! Feicfidh Just a phost é de láimh, Tá Mé eagla."
63
+
64
+ #: wp-to-twitter-manager.php:158
65
+ msgid "WP to Twitter Options Updated"
66
+ msgstr "WP le Roghanna Twitter Nuashonraithe"
67
+
68
+ #: wp-to-twitter-manager.php:168
69
+ msgid "Twitter login and password updated. "
70
+ msgstr "Íomhá Réamhamhairc de Twitter WP Roghanna Nuashonraithe"
71
+
72
+ #: wp-to-twitter-manager.php:170
73
+ msgid "You need to provide your twitter login and password! "
74
+ msgstr "Ní mór duit a chur ar fáil do twitter logáil isteach agus do phasfhocal!"
75
+
76
+ #: wp-to-twitter-manager.php:177
77
+ msgid "Cligs API Key Updated"
78
+ msgstr "Cligs API Key Nuashonraithe"
79
+
80
+ #: wp-to-twitter-manager.php:180
81
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
+ msgstr "Cli.gs API Key scriosadh. Beidh Cli.gs cruthaithe ag WP le Twitter a thuilleadh a bheith bainteach le do chuntas."
83
+
84
+ #: wp-to-twitter-manager.php:182
85
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
+ msgstr "Cli.gs API Key nach gcuirtear isteach<a í - href='http://cli.gs/user/api/'> ceann a fháil anseo </ a>!"
87
+
88
+ #: wp-to-twitter-manager.php:188
89
+ msgid "Bit.ly API Key Updated."
90
+ msgstr "API Key Nuashonraithe Bit.ly."
91
+
92
+ #: wp-to-twitter-manager.php:191
93
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
+ msgstr "API Key Bit.ly scriosadh. Ní féidir leat úsáid a bhaint ar an API Bit.ly gan eochair API."
95
+
96
+ #: wp-to-twitter-manager.php:193
97
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
+ msgstr "API Key Bit.ly scriosadh. Ní féidir Leat úsáid a bhaint Cruinniú le API gan Bit.ly Eochair API."
99
+
100
+ #: wp-to-twitter-manager.php:197
101
+ msgid " Bit.ly User Login Updated."
102
+ msgstr "Logáil isteach Úsáideoir Nuashonraithe Bit.ly."
103
+
104
+ #: wp-to-twitter-manager.php:200
105
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
+ msgstr "Logáil isteach Úsáideoir Bit.ly scriosadh. Ní féidir leat úsáid a bhaint ar an API Bit.ly gan foráil a dhéanamh d'ainm úsáideora."
107
+
108
+ #: wp-to-twitter-manager.php:202
109
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
+ msgstr "Ní Logáil isteach Bit.ly - <a href='http://bit.ly/account/'> ceann a fháil anseo </ a>!"
111
+
112
+ #: wp-to-twitter-manager.php:236
113
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
+ msgstr "<li> teagmháil D'éirigh an API Cli.gs via Snoopy, ach theip ar an cruthú URL. </ li>"
115
+
116
+ #: wp-to-twitter-manager.php:238
117
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
+ msgstr "<li> teagmháil D'éirigh an API Cli.gs via Snoopy, ach earráid freastalaí Cli.gs cosc ar an URL ó bheith shrotened. </ li>"
119
+
120
+ #: wp-to-twitter-manager.php:240
121
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy and created a shortened link.</li>"
122
+ msgstr "<li> teagmháil D'Eirigh Cruinniú Cli.gs via API Snoopy, ACH earráid freastalaí Cli.gs Cosc Cruinniú URL Ó bheith shrotened. </ Li>"
123
+
124
+ #: wp-to-twitter-manager.php:249
125
+ #: wp-to-twitter-manager.php:274
126
+ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
+ msgstr "<li> teagmháil D'éirigh an API Bit.ly trí Snoopy. </ li>"
128
+
129
+ #: wp-to-twitter-manager.php:251
130
+ #: wp-to-twitter-manager.php:276
131
+ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
+ msgstr "<li> Theip dul i dteagmháil leis an API Bit.ly trí Snoopy. </ li>"
133
+
134
+ #: wp-to-twitter-manager.php:254
135
+ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
+ msgstr "Ní féidir <li> seiceáil ar an API Bit.ly gan eochair API bailí. </ li>"
137
+
138
+ #: wp-to-twitter-manager.php:258
139
+ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
+ msgstr "<li> teagmháil D'éirigh an API Twitter trí Snoopy. </ li>"
141
+
142
+ #: wp-to-twitter-manager.php:260
143
+ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
+ msgstr "<li> teagmháil D'Eirigh a Twitter API Trí Snoopy. </ Li>"
145
+
146
+ #: wp-to-twitter-manager.php:266
147
+ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
+ msgstr "<li> teagmháil D'éirigh an API Twitter trí curl. </ li>"
149
+
150
+ #: wp-to-twitter-manager.php:268
151
+ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
+ msgstr "<li> Theip dul i dteagmháil leis an API Twitter trí curl. </ li>"
153
+
154
+ #: wp-to-twitter-manager.php:280
155
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
+ msgstr "<li> teagmháil D'éirigh an API Cli.gs trí Snoopy. </ li>"
157
+
158
+ #: wp-to-twitter-manager.php:283
159
+ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
+ msgstr "<li> Theip dul i dteagmháil leis an API Cli.gs trí Snoopy. </ li>"
161
+
162
+ #: wp-to-twitter-manager.php:288
163
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
+ msgstr "<li> <strong> Ba chóir do fhreastalaí WP reáchtáil go rathúil le Twitter. </ strong> </ li>"
165
+
166
+ #: wp-to-twitter-manager.php:293
167
+ msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
+ msgstr "<li> Níthacaíonn do fhreastalaí tacaíocht fputs <code> </ cód>. </ li>"
169
+
170
+ #: wp-to-twitter-manager.php:297
171
+ msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
+ msgstr "<li> Ní thacaíonn do fhreastalaí tacaíocht file_get_contents <code> </ cód> nó <code> curl </ cód> feidhmeanna. </ li>"
173
+
174
+ #: wp-to-twitter-manager.php:301
175
+ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
+ msgstr "<li> Níthacaíonn do fhreastalaí tacaíocht <code> Snoopy </ cód>. </ li>"
177
+
178
+ #: wp-to-twitter-manager.php:304
179
+ msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
+ msgstr "<li> Ní thacaíonn dhéanamh fhreastalaí tacaíocht file_get_contents <code> </ COD> aon <code> curl </ COD> feidhmeanna. </ Li>"
181
+
182
+ #: wp-to-twitter-manager.php:313
183
+ msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
+ msgstr "<li> Ní thacaíonn dhéanamh fhreastalaí tacaíocht file_get_contents <code> </ COD> AON <code> curl </ COD> feidhmeanna. </ Li>"
185
+
186
+ #: wp-to-twitter-manager.php:328
187
+ msgid "WP to Twitter Options"
188
+ msgstr "WP le Roghanna Twitter"
189
+
190
+ #: wp-to-twitter-manager.php:332
191
+ #: wp-to-twitter.php:794
192
+ msgid "Get Support"
193
+ msgstr "Faigh Tacaíocht"
194
+
195
+ #: wp-to-twitter-manager.php:333
196
+ msgid "Export Settings"
197
+ msgstr "Socruithe Easpórtáil"
198
+
199
+ #: wp-to-twitter-manager.php:347
200
+ msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
+ msgstr "I gcás aon réimse a thabhairt cothrom le dáta an bpost, is féidir leat úsáid an <code> cóid # teideal # </ cód> le haghaidh an teideal do blog post, <code> # blog # </ cód> le haghaidh an teideal do bhlag, <code> # iar # </ cód> do sliocht gearr ar ábhar an phoist, <code> # chatagóir # </ cód> don chéad chatagóir roghnaithe don phost, <code> # dáta # </ cód> do dháta an bpost, nó <code> # url # </ cód> don URL phost (ní giorraithe nó, ag brath ar do chuid sainroghanna.) Is féidir leat a chruthú chomh maith shortcodes saincheaptha chun rochtain a WordPress réimsí saincheaptha. Bain úsáid as lúibíní cearnacha dhó mórthimpeall an t-ainm de do réimse saincheaptha le luach na réimse sin saincheaptha a chur le do stádas cothrom le dáta. Sampla: <code> [[custom_field]] </ cód>"
202
+
203
+ #: wp-to-twitter-manager.php:353
204
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
+ msgstr "<p> Tá amháin nó níos mó de do phoist seo caite theip a sheoladh stádas cothrom le dáta é le Twitter. Tá do Tweet Sábháladh do réimsí saincheaptha i bpost, agus is féidir leat ath-Tweet sé ar do fóillíochta. </ P>"
206
+
207
+ #: wp-to-twitter-manager.php:356
208
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
+ msgstr "<p> an cheist leis an URL Shortener API theip, agus ní do URL raibh shrunk. Bhí ceangailte leis an URL phost iomlán le do Tweet. Seiceáil le do sholáthraí ghiorrú URL a fheiceáil má tá aon cheisteanna ar eolas. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
210
+
211
+ #: wp-to-twitter-manager.php:363
212
+ msgid "Clear 'WP to Twitter' Error Messages"
213
+ msgstr "'WP le Twitter' Clear Teachtaireachtaí Earráid"
214
+
215
+ #: wp-to-twitter-manager.php:371
216
+ msgid "Set what should be in a Tweet"
217
+ msgstr "Socraigh cad ba cheart a bheith i Tweet"
218
+
219
+ #: wp-to-twitter-manager.php:374
220
+ msgid "Update when a post is published"
221
+ msgstr "Thabhairt cothrom le dáta nuair a bhíonn post foilsithe"
222
+
223
+ #: wp-to-twitter-manager.php:374
224
+ msgid "Text for new post updates:"
225
+ msgstr "Téacs sé nuashonruithe phost nua:"
226
+
227
+ #: wp-to-twitter-manager.php:379
228
+ msgid "Update when a post is edited"
229
+ msgstr "Thabhairt cothrom le dáta nuair a bhíonn post in eagar"
230
+
231
+ #: wp-to-twitter-manager.php:379
232
+ msgid "Text for editing updates:"
233
+ msgstr "Téacs sé nuashonruithe eagarthóireacht:"
234
+
235
+ #: wp-to-twitter-manager.php:383
236
+ msgid "Update Twitter when new Wordpress Pages are published"
237
+ msgstr "Thabhairt cothrom le dáta nuair a Twitter nua Leathanaigh Wordpress Foilsítear"
238
+
239
+ #: wp-to-twitter-manager.php:383
240
+ msgid "Text for new page updates:"
241
+ msgstr "Téacs sé nuashonruithe Leathanach nua:"
242
+
243
+ #: wp-to-twitter-manager.php:387
244
+ msgid "Update Twitter when WordPress Pages are edited"
245
+ msgstr "Thabhairt cothrom le dáta nuair a Twitter Leathanaigh WordPress atá in eagar"
246
+
247
+ #: wp-to-twitter-manager.php:387
248
+ msgid "Text for page edit updates:"
249
+ msgstr "Téacs le haghaidh leathanach nuashonruithe in eagar:"
250
+
251
+ #: wp-to-twitter-manager.php:391
252
+ msgid "Add tags as hashtags on Tweets"
253
+ msgstr "Clibeanna a chur leis mar hashtags ar Tweets"
254
+
255
+ #: wp-to-twitter-manager.php:391
256
+ msgid "Spaces replaced with:"
257
+ msgstr "Spásanna in ionad sé le:"
258
+
259
+ #: wp-to-twitter-manager.php:392
260
+ msgid "Default replacement is an underscore (<code>_</code>)."
261
+ msgstr "Is le béim a athsholáthar Réamhshocrú (<code>_</code>)."
262
+
263
+ #: wp-to-twitter-manager.php:394
264
+ msgid "Maximum number of tags to include:"
265
+ msgstr "Líon uasta na clibeanna a chur san áireamh:"
266
+
267
+ #: wp-to-twitter-manager.php:395
268
+ msgid "Maximum length in characters for included tags:"
269
+ msgstr "Fad uasta i gcarachtair do tags bhí:"
270
+
271
+ #: wp-to-twitter-manager.php:396
272
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
+ msgstr "Tugann na roghanna leat chun srian a chur ar an fad agus líon na clibeanna WordPress sheoladh chuig Twitter mar hashtags. Socraigh do <code> 0 </ cód> nó fág folamh chun deis a clibeanna ar bith agus go léir"
274
+
275
+ #: wp-to-twitter-manager.php:400
276
+ msgid "Update Twitter when you post a Blogroll link"
277
+ msgstr "Thabhairt cothrom le dáta nuair a Twitter leat an bpost nasc Blogroll."
278
+
279
+ #: wp-to-twitter-manager.php:401
280
+ msgid "Text for new link updates:"
281
+ msgstr "Téacs sé nuashonruithe nasc nua:"
282
+
283
+ #: wp-to-twitter-manager.php:401
284
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
+ msgstr "Shortcodes ar fáil:: <code>#url#</code>, <code>#title#</code> e <code>#description#</code>."
286
+
287
+ #: wp-to-twitter-manager.php:404
288
+ msgid "Length of post excerpt (in characters):"
289
+ msgstr "Cruinniú Shortcodes available:"
290
+
291
+ #: wp-to-twitter-manager.php:404
292
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
+ msgstr "By default, bhaintear as an bpost é féin. Má úsáideann tú an 'Sliocht' réimse, a bheidh in úsáid ina áit."
294
+
295
+ #: wp-to-twitter-manager.php:407
296
+ msgid "WP to Twitter Date Formatting:"
297
+ msgstr "WP a Formáidiú Dáta Twitter:"
298
+
299
+ #: wp-to-twitter-manager.php:407
300
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
+ msgstr "Réamhshocrú ó do socruithe ginearálta. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'> Doiciméadú Formáidiú Dáta </ a>."
302
+
303
+ #: wp-to-twitter-manager.php:411
304
+ msgid "Custom text before Tweets:"
305
+ msgstr "Téacs an Chustaim roimh Curfá:"
306
+
307
+ #: wp-to-twitter-manager.php:412
308
+ msgid "Custom text after Tweets:"
309
+ msgstr "Téacs an Chustaim i ndiaidh Curfá:"
310
+
311
+ #: wp-to-twitter-manager.php:415
312
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
+ msgstr "Réimse saincheaptha le haghaidh URL malartach a ghiorrú agus Tweeted:"
314
+
315
+ #: wp-to-twitter-manager.php:416
316
+ msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
+ msgstr "Réimse saincheaptha le haghaidh URL malartach a ghiorrú agus Tweeted:"
318
+
319
+ #: wp-to-twitter-manager.php:420
320
+ msgid "Special Cases when WordPress should send a Tweet"
321
+ msgstr "Cásanna speisialta nuair a ba chóir a sheoladh Tweet WordPress"
322
+
323
+ #: wp-to-twitter-manager.php:423
324
+ msgid "Set default Tweet status to 'No.'"
325
+ msgstr "Stádas Tweet réamhshocraithe a shocraítear le 'Uimh'"
326
+
327
+ #: wp-to-twitter-manager.php:424
328
+ msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
+ msgstr "Is féidir le nuashonruithe Twitter a shocrú ar an bpost í bhonn an bpost. By default, BEIDH post a chur sa phost le Twitter. Seo a sheiceáil leis an mainneachtain athrú UIMH."
330
+
331
+ #: wp-to-twitter-manager.php:428
332
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
+ msgstr "Seol Nuashonruithe Twitter ar fhoilseachán iargúlta (Post by R-phost nó XMLRPC Cliant)"
334
+
335
+ #: wp-to-twitter-manager.php:432
336
+ msgid "Update Twitter when a post is published using QuickPress"
337
+ msgstr "Thabhairt cothrom le dáta nuair a bhíonn post Twitter foilsithe ag baint úsáide as QuickPress"
338
+
339
+ #: wp-to-twitter-manager.php:436
340
+ msgid "Special Fields"
341
+ msgstr "Réimsí speisialta"
342
+
343
+ #: wp-to-twitter-manager.php:439
344
+ msgid "Use Google Analytics with WP-to-Twitter"
345
+ msgstr "UBain úsáid as Google Analytics le WP-go-Twitter"
346
+
347
+ #: wp-to-twitter-manager.php:440
348
+ msgid "Campaign identifier for Google Analytics:"
349
+ msgstr "Feachtas aitheantóir le haghaidh Google Analytics:"
350
+
351
+ #: wp-to-twitter-manager.php:441
352
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
+ msgstr "Feachtas aitheantóir le haghaidh Google Analytics:"
354
+
355
+ #: wp-to-twitter-manager.php:446
356
+ msgid "Authors have individual Twitter accounts"
357
+ msgstr "Údair Tá cuntais Twitter aonair"
358
+
359
+ #: wp-to-twitter-manager.php:446
360
+ msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
+ msgstr "Is féidir le gach údar a gcuid féin a leagtar Twitter ainm úsáideora agus pasfhocal i bpróifíl úsáideora. Beidh a gcuid post a sheoladh chuig gcuid cuntas Twitter féin."
362
+
363
+ #: wp-to-twitter-manager.php:450
364
+ msgid "Set your preferred URL Shortener"
365
+ msgstr "Socraigh do URL Shortener fearr"
366
+
367
+ #: wp-to-twitter-manager.php:453
368
+ msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
+ msgstr "Bain úsáid as Cli.gs <strong> </ strong> do mo URL Shortener."
370
+
371
+ #: wp-to-twitter-manager.php:454
372
+ msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
+ msgstr "Bain úsáid as <strong> Bit.ly </ strong> do mo URL Shortener."
374
+
375
+ #: wp-to-twitter-manager.php:455
376
+ msgid "Use <strong>WordPress</strong> as a URL shortener."
377
+ msgstr "Bain úsáid as WordPress <strong> </ strong> mar URL Shortener."
378
+
379
+ #: wp-to-twitter-manager.php:456
380
+ msgid "Don't shorten URLs."
381
+ msgstr "Ná shorten URLs."
382
+
383
+ #: wp-to-twitter-manager.php:457
384
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
+ msgstr "Beidh úsáid WordPress mar URLanna a sheoladh chuig URL Shortener Twitter san fhormáid URL réamhshocraithe do WordPress: <code> http://domain.com/subdir/?p=123 </ cód>. Níl Google Analytics ar fáil nuair a úsáid WordPress URLanna ghiorrú."
386
+
387
+ #: wp-to-twitter-manager.php:462
388
+ msgid "Save WP->Twitter Options"
389
+ msgstr "Sábháil WP-> Options Twitter"
390
+
391
+ #: wp-to-twitter-manager.php:468
392
+ msgid "Your Twitter account details"
393
+ msgstr "Shonraí do chuntais Twitter"
394
+
395
+ #: wp-to-twitter-manager.php:475
396
+ msgid "Your Twitter username:"
397
+ msgstr "Do Twitter ainm úsáideora:"
398
+
399
+ #: wp-to-twitter-manager.php:479
400
+ msgid "Your Twitter password:"
401
+ msgstr "Do Twitter fhocal faire:"
402
+
403
+ #: wp-to-twitter-manager.php:479
404
+ msgid "(<em>Saved</em>)"
405
+ msgstr "(<em>Salvato</em>)"
406
+
407
+ #: wp-to-twitter-manager.php:483
408
+ msgid "Save Twitter Login Info"
409
+ msgstr "Sábháil Twitter Eolas Logáil isteach"
410
+
411
+ #: wp-to-twitter-manager.php:483
412
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
+ msgstr "Ná <small> bhfuil cuntas Twitter? <a href='http://www.twitter.com'> Faigh ceann saor in aisce anseo </ a>"
414
+
415
+ #: wp-to-twitter-manager.php:487
416
+ msgid "Your Cli.gs account details"
417
+ msgstr "Shonraí do chuntais Cli.gs"
418
+
419
+ #: wp-to-twitter-manager.php:494
420
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
+ msgstr "Do Cli.gs cláir <abbr title='application programming interface'> API </ abbr> Eochair:"
422
+
423
+ #: wp-to-twitter-manager.php:500
424
+ msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
+ msgstr "Ná bheith san áireamh Cli.gs nó Cligs eochair API? <a href='http://cli.gs/user/api/'> Faigh ceann saor in aisce anseo </ a>! <br /> Beidh ort eochair API d'fhonn a chomhlachú leis an Cligs a chruthú duit le do Cligs áireamh."
426
+
427
+ #: wp-to-twitter-manager.php:505
428
+ msgid "Your Bit.ly account details"
429
+ msgstr "Shonraí do chuntais Bit.ly"
430
+
431
+ #: wp-to-twitter-manager.php:510
432
+ msgid "Your Bit.ly username:"
433
+ msgstr "Do Bit.ly ainm úsáideora:"
434
+
435
+ #: wp-to-twitter-manager.php:514
436
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
+ msgstr "Do chláir title='application Bit.ly <abbr interface'> API </ abbr> Eochair:"
438
+
439
+ #: wp-to-twitter-manager.php:521
440
+ msgid "Save Bit.ly API Key"
441
+ msgstr "Sábháil Bit.ly API Key"
442
+
443
+ #: wp-to-twitter-manager.php:521
444
+ msgid "Clear Bit.ly API Key"
445
+ msgstr "Glan Bit.ly API Key"
446
+
447
+ #: wp-to-twitter-manager.php:521
448
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
+ msgstr "Tá eochair Bit.ly API agus ainm úsáideora gá URLanna a ghiorrú tríd an API Bit.ly agus WP le Twitter."
450
+
451
+ #: wp-to-twitter-manager.php:530
452
+ msgid "Check Support"
453
+ msgstr "seiceáil Tacaíocht"
454
+
455
+ #: wp-to-twitter-manager.php:530
456
+ msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
+ msgstr "Seiceáil an bhfuil tacaíocht do fhreastalaí WP a thabhairt ar cheisteanna Twitter chuig an Twitter agus APIs giorrú URL."
458
+
459
+ #: wp-to-twitter-manager.php:538
460
+ msgid "Need help?"
461
+ msgstr "Cabhair uait?"
462
+
463
+ #: wp-to-twitter-manager.php:539
464
+ msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
+ msgstr "An WP<a href='http://www.joedolson.com/articles/wp-to-twitter/'> <a Cuairt ar Twitter leathanach breiseán </ a>."
466
+
467
+ #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
+ #. Plugin Name of an extension
469
+ #: wp-to-twitter.php:748
470
+ msgid "WP to Twitter"
471
+ msgstr "WP le Twitter"
472
+
473
+ #: wp-to-twitter.php:789
474
+ msgid "Twitter Post"
475
+ msgstr "Iar twitter"
476
+
477
+ #: wp-to-twitter.php:794
478
+ msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
+ msgstr "carachtair <br /> Twitter tá uasmhéid de 140 charachtair;. má tá do Cli.gs URL i gceangal leis an deireadh do doiciméad, tá tú 119 carachtair atá ar fáil. Is féidir leat úsáid <code> # url # </ cód>, <code> # teideal # </ cód>, <code> iar # # </ cód>, <code> # chatagóir # </ cód>, <code> # dáta # </ cód>, nó <code> # blag # </ cód> a chur isteach an URL a ghiorrú, teideal an phoist, an chéad chatagóir roghnaithe, an dáta an bpost, nó sliocht bpost í nó ainm bhlag isteach sa Tweet."
480
+
481
+ #: wp-to-twitter.php:794
482
+ msgid "Make a Donation"
483
+ msgstr "Déan Síntiús"
484
+
485
+ #: wp-to-twitter.php:797
486
+ msgid "Don't Tweet this post."
487
+ msgstr "Ná Tweet an post seo."
488
+
489
+ #: wp-to-twitter.php:846
490
+ msgid "WP to Twitter User Settings"
491
+ msgstr "WP le Socruithe Úsáideoir Twitter"
492
+
493
+ #: wp-to-twitter.php:850
494
+ msgid "Use My Twitter Account"
495
+ msgstr "Úsáid Mo Chuntas Twitter"
496
+
497
+ #: wp-to-twitter.php:851
498
+ msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
+ msgstr "Roghnaigh an rogha seo más mian leat do chuid postálacha a bheith Tweeted isteach i do chuntas Twitter féin gan aon tagairtí @."
500
+
501
+ #: wp-to-twitter.php:852
502
+ msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
+ msgstr "Tweet mo phoist isteach i mo chuntas Twitter le tagairt @ ar an suíomh ar chuntas Twitter is mó."
504
+
505
+ #: wp-to-twitter.php:853
506
+ msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
+ msgstr "Tweet mo post isteach sa chuntas suíomh is mó Twitter le tagairt @ le mo ainm úsáideora. (Ní gá Pasfhocal leis an rogha seo.)"
508
+
509
+ #: wp-to-twitter.php:856
510
+ msgid "Your Twitter Username"
511
+ msgstr "Do Twitter Ainm Úsáideora"
512
+
513
+ #: wp-to-twitter.php:857
514
+ msgid "Enter your own Twitter username."
515
+ msgstr "Cuir isteach d'ainm úsáideora féin Twitter."
516
+
517
+ #: wp-to-twitter.php:860
518
+ msgid "Your Twitter Password"
519
+ msgstr "Do Twitter Pasfhocal"
520
+
521
+ #: wp-to-twitter.php:861
522
+ msgid "Enter your own Twitter password."
523
+ msgstr "Cuir isteach do phasfhocal Twitter féin."
524
+
525
+ #: wp-to-twitter.php:980
526
+ msgid "<p>Couldn't locate the settings page.</p>"
527
+ msgstr "<p>Níorbh fhéidir teacht ar an leathanach suímh</p>"
528
+
529
+ #: wp-to-twitter.php:985
530
+ msgid "Settings"
531
+ msgstr "Socruithe"
532
+
533
+ #. Plugin URI of an extension
534
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
+
537
+ #. Description of an extension
538
+ msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
+ msgstr "Twitter Nuashonruithe nuair a chruthú duit a blog post nua nó a chur le do blogroll ag baint úsáide as Cli.gs. Le eochair ar API Cli.gs, cruthaítear clig i do chuntas Cli.gs leis an ainm do phost mar an teideal."
540
+
541
+ #. Author of an extension
542
+ msgid "Joseph Dolson"
543
+ msgstr "Joseph Dolson"
544
+
545
+ #. Author URI of an extension
546
+ msgid "http://www.joedolson.com/"
547
+ msgstr "http://www.joedolson.com/"
548
+
549
+ #~ msgid ""
550
+ #~ "The query to the URL shortener API failed, and your URL was not shrunk. "
551
+ #~ "The full post URL was attached to your Tweet."
552
+ #~ msgstr ""
553
+ #~ "La richiesta API per la creazione dell'URL breve é fallita: il tuo URL "
554
+ #~ "non é stato abbreviato. E' stato allegato l'URL completo al tuo messaggio."
555
+
556
+ #~ msgid "Add_new_tag"
557
+ #~ msgstr "Add_new_tag"
558
+
559
+ #~ msgid "This plugin may not work in your server environment."
560
+ #~ msgstr "Questo plugin non può funzionare sul tuo server."
561
+
562
+ #~ msgid "Wordpress to Twitter Publishing Options"
563
+ #~ msgstr "Opzioni editoriali Wordpress to Twitter"
564
+
565
+ #~ msgid "Provide link to blog?"
566
+ #~ msgstr "Desideri il link al blog?"
567
+
568
+ #~ msgid "Use <strong>link title</strong> for Twitter updates"
569
+ #~ msgstr ""
570
+ #~ "Utilizza un <strong>link di testo</strong> per gli aggiornamenti di "
571
+ #~ "Twitter"
572
+
573
+ #~ msgid "Use <strong>link description</strong> for Twitter updates"
574
+ #~ msgstr ""
575
+ #~ "Utilizza un <strong>link descrittivo</strong> per gli aggiornamenti di "
576
+ #~ "Twitter"
577
+
578
+ #~ msgid ""
579
+ #~ "Text for new link updates (used if title/description isn't available.):"
580
+ #~ msgstr ""
581
+ #~ "Testo per il link ai nuovi aggiornamenti (se titolo/descrizione non "
582
+ #~ "fossero disponibili):"
583
+
584
+ #~ msgid "Custom text prepended to Tweets:"
585
+ #~ msgstr "Testo personalizzato davanti al messaggio:"
lang/wp-to-twitter-it_IT.mo ADDED
Binary file
wp-to-twitter-it_IT.po → lang/wp-to-twitter-it_IT.po RENAMED
@@ -1,1082 +1,1215 @@
1
- # Translation of WP to Twitter in Italian
2
- # This file is distributed under the same license as the WP to Twitter package.
3
- msgid ""
4
- msgstr ""
5
- "PO-Revision-Date: 2012-08-30 22:08:15+0000\n"
6
- "MIME-Version: 1.0\n"
7
- "Content-Type: text/plain; charset=UTF-8\n"
8
- "Content-Transfer-Encoding: 8bit\n"
9
- "Plural-Forms: nplurals=2; plural=n != 1;\n"
10
- "X-Generator: GlotPress/0.1\n"
11
- "Project-Id-Version: WP to Twitter\n"
12
-
13
- #: wp-to-twitter-manager.php:860
14
- msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
15
- msgstr "Aggiorna a <strong>WP Tweets PRO</strong> per avere più opzioni!"
16
-
17
- #: wp-to-twitter-manager.php:889
18
- msgid "<code>#reference#</code>: Used only in co-tweeting. @reference to main account when posted to author account, @reference to author account in post to main account."
19
- msgstr "<code>#reference#</code>: Usato solo nel co-tweeting. @riferisce all'account principale quando è inviato all'account dell'autore, @riferisce all'account dell'autore per i post all'account principale."
20
-
21
- #: wp-to-twitter-oauth.php:168
22
- msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>.<br />"
23
- msgstr "Problemi di connessione? Prova a <a href='#wpt_http'>passare alle richieste <code>http</code></a>.<br />"
24
-
25
- #: wp-to-twitter-oauth.php:260
26
- msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
27
- msgstr "WP to Twitter non è riuscito a contattare i server di Twitter. Questo è l'errore ottenuto:"
28
-
29
- #: wp-to-twitter.php:251
30
- msgid "This account is not authorized to post to Twitter."
31
- msgstr "Questo account non è autorizzato per inviare messaggi su Twitter."
32
-
33
- #: wp-to-twitter.php:259
34
- msgid "This tweet is identical to another Tweet recently sent to this account."
35
- msgstr "Questo tweet è identico ad un altro tweet recentemente inviato a questo account."
36
-
37
- #: wp-to-twitter.php:1215
38
- msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
39
- msgstr "WP to Twitter può fare molto altro per te! Dai uno sguardo a WP Tweets Pro!"
40
-
41
- #: wp-to-twitter-manager.php:502
42
- msgid "In addition to the above short tags, comment templates can use <code>#commenter#</code> to post the commenter's provided name in the Tweet. <em>Use this feature at your own risk</em>, as it will let anybody who can post a comment on your site post a phrase in your Twitter stream."
43
- msgstr "Oltre ai tag mostrati poco sopra, il template dei commenti può usare <code>#commenter#</code> per inviare il nome su Twitter dell'autore del commento stesso. <em>Usi questa funzione a tuo rischio e pericolo</em>, dato che essa permetterà a tutti coloro che possono inviare un commento sul tuo sito di far apparire il loro commento nel tuo stream di Twitter."
44
-
45
- #: wp-to-twitter-manager.php:540
46
- msgid "(optional)"
47
- msgstr "(facoltativo)"
48
-
49
- #: wp-to-twitter-manager.php:689
50
- msgid "Do not post Tweets by default (editing only)"
51
- msgstr "Di default non inviare i Tweet (solo modifica)"
52
-
53
- #: wp-to-twitter-manager.php:883
54
- msgid "<code>#modified#</code>: the post modified date"
55
- msgstr "<code>#modified#</code>: la data di modifica del post"
56
-
57
- #: wp-to-twitter-oauth.php:258
58
- msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
59
- msgstr "Il tuo orario ha più di 5 minuti di differenza con Twitter e pertanto il tuo server potrebbe perdere la connessione con i loro."
60
-
61
- #: wp-to-twitter.php:1269
62
- msgid "Twitter posts are a maximum of 140 characters; Twitter counts URLs as 19 characters. Template tags: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, or <code>#blog#</code>."
63
- msgstr "I Tweet hanno un massimo di 140 caratteri; Twitter conta gli URL come 19 caratteri. Template tags disponibili: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, o <code>#blog#</code>."
64
-
65
- #: wp-to-twitter-manager.php:733
66
- msgid "Individual Authors"
67
- msgstr "Autori singoli"
68
-
69
- #: wp-to-twitter-manager.php:736
70
- msgid "Authors have individual Twitter accounts"
71
- msgstr "Gli autori hanno degli account personali su Twitter"
72
-
73
- #: wp-to-twitter-manager.php:736
74
- msgid "Authors can add their username in their user profile. This feature can only add an @reference to the author. The @reference is placed using the <code>#account#</code> shortcode, which will pick up the main account if user accounts are not enabled."
75
- msgstr "Gli autori possono impostare il proprio nome utente nel loro profilo utente. Potrà essere aggiunto il solo riferimento @ all'autore. Questo riferimento @ verrà posizionato facendo uso dello shortcode <code>#account#</code>. (Verrà utilizzato l'account principale se gli account utente non saranno attivati.)"
76
-
77
- #: wp-to-twitter-manager.php:751
78
- msgid "Choose the lowest user group that can add their Twitter information"
79
- msgstr "Scegli il ruolo utente di minima che può aggiungere le proprie info Twitter "
80
-
81
- #: wp-to-twitter-manager.php:756
82
- msgid "Choose the lowest user group that can see the Custom Tweet options when posting"
83
- msgstr "Scegli il gruppo di livello più basso che può vedere le opzioni per i Tweet personalizzati quando crea un post"
84
-
85
- #: wp-to-twitter-manager.php:761
86
- msgid "User groups above this can toggle the Tweet/Don't Tweet option, but not see other custom tweet options."
87
- msgstr "I gruppi sopra questo possono commutare l'opzione crea Tweet/Non creare Tweet, ma non vedere altre opzioni dei tweet personalizzati"
88
-
89
- #: wp-to-twitter-manager.php:767
90
- msgid "Disable Error Messages"
91
- msgstr "Disattiva i messaggi di errore"
92
-
93
- #: wp-to-twitter-manager.php:769
94
- msgid "Disable global URL shortener error messages."
95
- msgstr "Disattiva i messaggi di errore abbreviatore URL globale."
96
-
97
- #: wp-to-twitter-manager.php:770
98
- msgid "Disable global Twitter API error messages."
99
- msgstr "Disattiva i messaggi di errore globali API Twitter."
100
-
101
- #: wp-to-twitter-manager.php:771
102
- msgid "Disable notification to implement OAuth"
103
- msgstr "Disattiva la notifica per implementare OAuth"
104
-
105
- #: wp-to-twitter-manager.php:773
106
- msgid "Get Debugging Data for OAuth Connection"
107
- msgstr "Ottieni i dati di Debugging per la connessione OAuth"
108
-
109
- #: wp-to-twitter-manager.php:775
110
- msgid "Switch to <code>http</code> connection. (Default is https)"
111
- msgstr "Passa alla connessione <code>http</code>. (Quella di default è https)"
112
-
113
- #: wp-to-twitter-manager.php:777
114
- msgid "I made a donation, so stop whinging at me, please."
115
- msgstr "Ho effettuato una donazione."
116
-
117
- #: wp-to-twitter-manager.php:791
118
- msgid "Limit Updating Categories"
119
- msgstr "Limite aggiornamento categorie"
120
-
121
- #: wp-to-twitter-manager.php:794
122
- msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
123
- msgstr "Se non ci sono categorie selezionate il blocco di alcune sarà ignorato e tutte le categorie verranno prese in considerazione per i Tweet."
124
-
125
- #: wp-to-twitter-manager.php:795
126
- msgid "<em>Category limits are disabled.</em>"
127
- msgstr "<em>Le limitazioni alle categorie non sono attive.</em>"
128
-
129
- #: wp-to-twitter-manager.php:804
130
- msgid "Get Plug-in Support"
131
- msgstr "Ottieni supporto per il plugin"
132
-
133
- #: wp-to-twitter-manager.php:807
134
- msgid "Support requests without a donation will not be answered, but will be treated as bug reports."
135
- msgstr "Le richieste di supporto prive di una donazione non riceveranno risposta (saranno considerate come bug report)."
136
-
137
- #: wp-to-twitter-manager.php:818
138
- msgid "Check Support"
139
- msgstr "Verifica assistenza"
140
-
141
- #: wp-to-twitter-manager.php:818
142
- msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
143
- msgstr "Utilizzare nel caso in cui il tuo server supportasse le query di <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> per Twitter e per le API per l'abbreviazione degli URL. Questo test invierà a Twitter un aggiornamento dello stato e renderà breve l'URL utilizzando il metodo da te selezionato."
144
-
145
- #: wp-to-twitter-manager.php:829
146
- msgid "Support WP to Twitter"
147
- msgstr "Supporta WP to Twitter"
148
-
149
- #: wp-to-twitter-manager.php:831
150
- msgid "WP to Twitter Support"
151
- msgstr "Assistenza WP to Twitter"
152
-
153
- #: wp-to-twitter-manager.php:835
154
- msgid "View Settings"
155
- msgstr "Visualizza impostazioni"
156
-
157
- #: wp-to-twitter-manager.php:837 wp-to-twitter.php:1273 wp-to-twitter.php:1275
158
- msgid "Get Support"
159
- msgstr "Ottieni assistenza"
160
-
161
- #: wp-to-twitter-manager.php:841
162
- msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a> Every donation counts - donate $2, $10, or $100 and help me keep this plug-in running!"
163
- msgstr "<a href=\"http://www.joedolson.com/donate.php\">Fai una donazione oggi!</a> Ogni donazione conta - dona $2, $10, o $100 e aiutami a mantenere attivo questo plug-in!"
164
-
165
- #: wp-to-twitter-manager.php:858
166
- msgid "Upgrade Now!"
167
- msgstr "Aggiorna ora!"
168
-
169
- #: wp-to-twitter-manager.php:861
170
- msgid "Extra features with the PRO upgrade:"
171
- msgstr "Funzionalità extra che avrai con WP Tweets PRO:"
172
-
173
- #: wp-to-twitter-manager.php:863
174
- msgid "Users can post to their own Twitter accounts"
175
- msgstr "Gli utenti possono inviare i post al loro account Twitter"
176
-
177
- #: wp-to-twitter-manager.php:864
178
- msgid "Set a timer to send your Tweet minutes or hours after you publish the post"
179
- msgstr "Imposta un timer per inviare i tuoi Tweet dopo minuti oppure ore dalla pubblicazione del post"
180
-
181
- #: wp-to-twitter-manager.php:865
182
- msgid "Automatically re-send Tweets at an assigned time after publishing"
183
- msgstr "Invia nuovamente i Tweet dopo un certo periodo dopo la pubblicazione"
184
-
185
- #: wp-to-twitter-manager.php:874
186
- msgid "Shortcodes"
187
- msgstr "Codici brevi"
188
-
189
- #: wp-to-twitter-manager.php:876
190
- msgid "Available in post update templates:"
191
- msgstr "Disponibili nei template di aggiornamento del post:"
192
-
193
- #: wp-to-twitter-manager.php:878
194
- msgid "<code>#title#</code>: the title of your blog post"
195
- msgstr "<code>#title#</code>: il titolo del tuo post"
196
-
197
- #: wp-to-twitter-manager.php:879
198
- msgid "<code>#blog#</code>: the title of your blog"
199
- msgstr "<code>#blog#</code>: il titolo del tuo blog"
200
-
201
- #: wp-to-twitter-manager.php:880
202
- msgid "<code>#post#</code>: a short excerpt of the post content"
203
- msgstr "<code>#post#</code>: un breve riassunto dei contenuti del post"
204
-
205
- #: wp-to-twitter-manager.php:881
206
- msgid "<code>#category#</code>: the first selected category for the post"
207
- msgstr "<code>#category#</code>: la prima categoria selezionata per il post"
208
-
209
- #: wp-to-twitter-manager.php:882
210
- msgid "<code>#date#</code>: the post date"
211
- msgstr "<code>#date#</code>: la data del post"
212
-
213
- #: wp-to-twitter-manager.php:884
214
- msgid "<code>#url#</code>: the post URL"
215
- msgstr "<code>#url#</code>: l'URL del post"
216
-
217
- #: wp-to-twitter-manager.php:885
218
- msgid "<code>#author#</code>: the post author"
219
- msgstr "<code>#author#</code>: l'autore del post"
220
-
221
- #: wp-to-twitter-manager.php:886
222
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
223
- msgstr "<code>#account#</code>: il riferimento Twitter @ per l'account (o per l'autore, previa attivazione ed impostazione.)"
224
-
225
- #: wp-to-twitter-manager.php:887
226
- msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
227
- msgstr "<code>#tags#</code>: i tuoi tag modificati in hashtag. Vedi le opzioni nelle Impostazioni Avanzate più in basso."
228
-
229
- #: wp-to-twitter-manager.php:892
230
- msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
231
- msgstr "Hai la possibilità di potere creare degli shortcode personalizzati grazie ai campi personalizzati di WordPress. Utilizza le doppie parentesi quadre per avvolgere il nome del tuo campo personalizzato per aggiungere il valore di quel dato campo al tuo stato di aggiornamento. Esempio: <code>[[custom_field]]</code></p>"
232
-
233
- #: wp-to-twitter-oauth.php:99
234
- msgid "WP to Twitter was unable to establish a connection to Twitter."
235
- msgstr "WP to Twitter non è riuscito a stabilire una connessione con Twitter."
236
-
237
- #: wp-to-twitter-oauth.php:169
238
- msgid "There was an error querying Twitter's servers"
239
- msgstr "C'è stato un errore nell'interrogare i server di Twitter"
240
-
241
- #: wp-to-twitter-oauth.php:185 wp-to-twitter-oauth.php:187
242
- msgid "Connect to Twitter"
243
- msgstr "Collegati a Twitter"
244
-
245
- #: wp-to-twitter-oauth.php:190
246
- msgid "WP to Twitter Set-up"
247
- msgstr "Impostazioni WP to Twitter"
248
-
249
- #: wp-to-twitter-oauth.php:191 wp-to-twitter-oauth.php:282
250
- msgid "Your server time:"
251
- msgstr "Ora del tuo server:"
252
-
253
- #: wp-to-twitter-oauth.php:191
254
- msgid "Twitter's time:"
255
- msgstr "Orario di Twitter:"
256
-
257
- #: wp-to-twitter-oauth.php:191
258
- msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
259
- msgstr "Se questi orari non sono distanti al più 5 minuti l'uno dall'altro, il tuo server non sarà in grado di connettersi a Twitter."
260
-
261
- #: wp-to-twitter-oauth.php:193
262
- msgid "<em>Note</em>: you will not add your Twitter user information to WP to Twitter; it is not used in this authentication method."
263
- msgstr "<em>Nota</em>: non aggiungerai le tue informazioni personali di Twitter in WP to Twitter; non sono usate in questo metodo di autenticazione."
264
-
265
- #: wp-to-twitter-oauth.php:197
266
- msgid "1. Register this site as an application on "
267
- msgstr "1. Registra questo sito come una applicazione sulla "
268
-
269
- #: wp-to-twitter-oauth.php:197
270
- msgid "Twitter's application registration page"
271
- msgstr "pagina di registrazione applicazione Twitter"
272
-
273
- #: wp-to-twitter-oauth.php:199
274
- msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
275
- msgstr "Se non sei ancora loggato in Twitter, effettua il login nell'account che vuoi associare al sito"
276
-
277
- #: wp-to-twitter-oauth.php:200
278
- msgid "Your Application's Name will show up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\""
279
- msgstr "Il nome della tua applicazione (Application's Name) verrà mostrato dopo \"via\" nei tuoi tweet. Il nome della tua applicazione non può includere la parola \"Twitter\"."
280
-
281
- #: wp-to-twitter-oauth.php:201
282
- msgid "Your Application Description can be anything."
283
- msgstr "La descrizione dell'applicazione (Application Description) può essere qualsiasi cosa."
284
-
285
- #: wp-to-twitter-oauth.php:202
286
- msgid "The WebSite and Callback URL should be "
287
- msgstr "Il sito web ed il Callback URL dovrebbere essere "
288
-
289
- #: wp-to-twitter-oauth.php:204
290
- msgid "Agree to the Developer Rules of the Road and continue."
291
- msgstr "Acconsenti a Developer Rules of the Road e prosegui."
292
-
293
- #: wp-to-twitter-oauth.php:205
294
- msgid "2. Switch to the \"Settings\" tab in Twitter apps"
295
- msgstr "2. Passa alla scheda \"Impostazioni\" (\"Settings\") nelle app di Twitter"
296
-
297
- #: wp-to-twitter-oauth.php:207
298
- msgid "Select \"Read and Write\" for the Application Type"
299
- msgstr "Seleziona \"Read and Write\" per il tipo di applicazione"
300
-
301
- #: wp-to-twitter-oauth.php:208
302
- msgid "Update the application settings"
303
- msgstr "Aggiorna impostazioni applicazione"
304
-
305
- #: wp-to-twitter-oauth.php:209
306
- msgid "Return to the Details tab and create your access token. Refresh page to view your access tokens."
307
- msgstr "Ritorna alla scheda \"Dettagli\" (\"Details\") e crea il tuo token di accesso. Aggiorna la pagina per vedere i tuoi token di accesso."
308
-
309
- #: wp-to-twitter-oauth.php:211
310
- msgid "Once you have registered your site as an application, you will be provided with four keys."
311
- msgstr "Una volta registrato il tuo sito come applicazione, ti saranno fornite quattro chiavi."
312
-
313
- #: wp-to-twitter-oauth.php:212
314
- msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
315
- msgstr "2. Copia ed incolla nei campi qui sotto la tua consumer key ed il consumer secret"
316
-
317
- #: wp-to-twitter-oauth.php:215
318
- msgid "Twitter Consumer Key"
319
- msgstr "Twitter Consumer Key"
320
-
321
- #: wp-to-twitter-oauth.php:219
322
- msgid "Twitter Consumer Secret"
323
- msgstr "Twitter Consumer Secret"
324
-
325
- #: wp-to-twitter-oauth.php:223
326
- msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
327
- msgstr "3. Copia ed incolla nei campi qui sotto il tuo token di accesso e secret"
328
-
329
- #: wp-to-twitter-oauth.php:224
330
- msgid "If the Access level for your Access Token is not \"<em>Read and write</em>\", you must return to step 2 and generate a new Access Token."
331
- msgstr "Se il livello di accesso per il tuo token di accesso non è \"<em>Lettura e Scrittura</em>\", devi ritornare al passo 2 e generare un nuovo token di accesso."
332
-
333
- #: wp-to-twitter-oauth.php:227
334
- msgid "Access Token"
335
- msgstr "Token d'accesso"
336
-
337
- #: wp-to-twitter-oauth.php:231
338
- msgid "Access Token Secret"
339
- msgstr "Token d'accesso - Secret"
340
-
341
- #: wp-to-twitter-oauth.php:250
342
- msgid "Disconnect Your WordPress and Twitter Account"
343
- msgstr "Scollega il tuo account WordPress e Twitter"
344
-
345
- #: wp-to-twitter-oauth.php:254
346
- msgid "Disconnect your WordPress and Twitter Account"
347
- msgstr "Disconnetti il tuo account WordPress e Twitter"
348
-
349
- #: wp-to-twitter-oauth.php:256
350
- msgid "<strong>Troubleshooting tip:</strong> Connected, but getting a notice that your Authentication credentials are missing or incorrect? Check whether your Access token has read and write permission. If not, you'll need to create a new token."
351
- msgstr "<strong>Suggerimento:</strong> Sei connesso ma ricevi un avviso nel quale viene indicato che le tue credenziali non sono corrette o inesistenti? Controlla se il tuo token di accesso abbia i permessi di scrittura. Se così non fosse, crea un nuovo token."
352
-
353
- #: wp-to-twitter-oauth.php:264
354
- msgid "Disconnect from Twitter"
355
- msgstr "Disconnettiti da Twitter"
356
-
357
- #: wp-to-twitter-oauth.php:270
358
- msgid "Twitter Username "
359
- msgstr "Nome utente Twitter"
360
-
361
- #: wp-to-twitter-oauth.php:271
362
- msgid "Consumer Key "
363
- msgstr "Consumer Key "
364
-
365
- #: wp-to-twitter-oauth.php:272
366
- msgid "Consumer Secret "
367
- msgstr "Consumer Secret "
368
-
369
- #: wp-to-twitter-oauth.php:273
370
- msgid "Access Token "
371
- msgstr "Token d'accesso"
372
-
373
- #: wp-to-twitter-oauth.php:274
374
- msgid "Access Token Secret "
375
- msgstr "Token d'accesso - Secret"
376
-
377
- #: wp-to-twitter-oauth.php:282
378
- msgid "Twitter's current server time: "
379
- msgstr "Ora del server di Twitter:"
380
-
381
- #: wp-to-twitter.php:51
382
- msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
383
- msgstr "WP to Twitter richiede una versione pari a o maggiore di PHP 5. Per favore aggiorna la tua versione di PHP per poter utilizzare WP to Twitter."
384
-
385
- #: wp-to-twitter.php:72
386
- msgid "WP to Twitter requires WordPress 2.9.2 or a more recent version, but some features will not work below 3.0.6. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update WordPress to continue using WP to Twitter with all features!</a>"
387
- msgstr "WP to Twitter richiede WordPress 2.9.2 o superiore: alcune opzioni non funzioneranno nelle versioni inferiori alla 3.0.6. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Aggiorna la tua versione di WordPress per usare al meglio WP to Twitter!</a>"
388
-
389
- #: wp-to-twitter.php:90
390
- msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
391
- msgstr "Twitter necessita una autentificazione via OAuth. Aggiorna le tue <a href='%s'>impostazioni</a> per completare l'installazione di WP to Twitter."
392
-
393
- #: wp-to-twitter.php:275
394
- msgid "200 OK: Success!"
395
- msgstr "200 OK: Successo!"
396
-
397
- #: wp-to-twitter.php:280
398
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
399
- msgstr "400 Bad Request: La richiesta non é valida. L'utilizzo di questo codice é relativo al limite delle chiamate."
400
-
401
- #: wp-to-twitter.php:284
402
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
403
- msgstr "401 Unauthorized: quando mancano oppure sono inesatte le credenziali per l'autentificazione."
404
-
405
- #: wp-to-twitter.php:289
406
- msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons can include: Too many Tweets created in a short time or the same Tweet was submitted twice in a row, among others. This is not an error by WP to Twitter."
407
- msgstr "\"403 Forbidden: The request is understood, but it has been refused\". Questo codice è usato quando le richieste sono comprese ma rifiutate da Twitter. Le ragioni di ciò includono anche: Troppi Tweet creati in breve tempo oppure lo stesso Tweet è stato inviato due volte. Questo errore non è di WP to Twitter."
408
-
409
- #: wp-to-twitter.php:293
410
- msgid "500 Internal Server Error: Something is broken at Twitter."
411
- msgstr "500 Internal Server Error: problemi interni a Twitter."
412
-
413
- #: wp-to-twitter.php:297
414
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
415
- msgstr "503 Service Unavailable: i server di Twitter funzionano, ma sono sommersi di richieste. Prova più tardi."
416
-
417
- #: wp-to-twitter.php:301
418
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
419
- msgstr "502 Bad Gateway: Twitter é down oppure sotto aggiornamento."
420
-
421
- #: wp-to-twitter.php:330
422
- msgid "No Twitter OAuth connection found."
423
- msgstr "Non è stata trovata la connessione a Twitter OAuth."
424
-
425
- #: wp-to-twitter.php:1155
426
- msgid "WP Tweets"
427
- msgstr "WP Tweet"
428
-
429
- #: wp-to-twitter.php:1202
430
- msgid "Previous Tweets"
431
- msgstr "Tweet precedenti"
432
-
433
- #: wp-to-twitter.php:1218
434
- msgid "Custom Twitter Post"
435
- msgstr "Messaggio personalizzato Twitter"
436
-
437
- #: wp-to-twitter.php:1220
438
- msgid "Your template:"
439
- msgstr "Il tuo template:"
440
-
441
- #: wp-to-twitter.php:1224
442
- msgid "YOURLS Custom Keyword"
443
- msgstr "YOURLS - Custom Keyword"
444
-
445
- #: wp-to-twitter.php:1273
446
- msgid "Upgrade to WP Tweets Pro"
447
- msgstr "Aggiorna a WP Tweets Pro"
448
-
449
- #: wp-to-twitter.php:1234
450
- msgid "Don't Tweet this post."
451
- msgstr "Non segnalare a Twitter questo articolo."
452
-
453
- #: wp-to-twitter.php:1234
454
- msgid "Tweet this post."
455
- msgstr "Segnala a Twitter questo articolo."
456
-
457
- #: wp-to-twitter.php:1244
458
- msgid "Access to customizing WP to Twitter values is not allowed for your user role."
459
- msgstr "L'accesso alla personalizzazione dei valori per WP to Twitter non è permessa ad utenti col tuo ruolo."
460
-
461
- #: wp-to-twitter.php:1263
462
- msgid "This URL is direct and has not been shortened: "
463
- msgstr "Questo URL è diretto e non può essere abbreviato: "
464
-
465
- #: wp-to-twitter.php:1319
466
- msgid "Characters left: "
467
- msgstr "Caratteri mancanti:"
468
-
469
- #: wp-to-twitter.php:1380
470
- msgid "WP Tweets User Settings"
471
- msgstr "Impostazioni utente di WP Tweets"
472
-
473
- #: wp-to-twitter.php:1384
474
- msgid "Use My Twitter Username"
475
- msgstr "Utilizza il mio nome utente Twitter"
476
-
477
- #: wp-to-twitter.php:1385
478
- msgid "Tweet my posts with an @ reference to my username."
479
- msgstr "Segnala i miei articoli con un riferimento @ correlato al mio nome utente."
480
-
481
- #: wp-to-twitter.php:1386
482
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
483
- msgstr "Segnala i miei articoli con un riferimento @ correlato tanto al mio nome utente per il sito principale quanto al mio nome utente."
484
-
485
- #: wp-to-twitter.php:1390
486
- msgid "Your Twitter Username"
487
- msgstr "Nome utente Twitter"
488
-
489
- #: wp-to-twitter.php:1391
490
- msgid "Enter your own Twitter username."
491
- msgstr "Inserisci il tuo nome utente Twitter"
492
-
493
- #: wp-to-twitter.php:1396
494
- msgid "Note: if all site administrators have set-up their own Twitter accounts, the primary site account (as set on the settings page) is not required, and won't be used."
495
- msgstr "Nota: se tutti gli amministratori del sito hanno impostato il loro account Twitter, l'account principale del sito (come impostato nella pagina delle impostazioni) non è richiesto e non verrà usato."
496
-
497
- #: wp-to-twitter.php:1439
498
- msgid "Check off categories to tweet"
499
- msgstr "Togli la spunta alle categorie per le quali inviare i tweet"
500
-
501
- #: wp-to-twitter.php:1443
502
- msgid "Do not tweet posts in checked categories (Reverses default behavior)"
503
- msgstr "Non inviare i tweet per le categorie selezionate (Inverte il comportamento di default)"
504
-
505
- #: wp-to-twitter.php:1460
506
- msgid "Limits are exclusive. If a post is in one category which should be posted and one category that should not, it will not be posted."
507
- msgstr "I limiti sono esclusivi. Se un post è in una categoria che dovrebbe essere inviata ed una che non lo dovrebbe, il Tweet non verrà inviato."
508
-
509
- #: wp-to-twitter.php:1463
510
- msgid "Set Categories"
511
- msgstr "Imposta le categorie"
512
-
513
- #: wp-to-twitter.php:1487
514
- msgid "Settings"
515
- msgstr "Impostazioni"
516
-
517
- #: wp-to-twitter.php:1522
518
- msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
519
- msgstr "<br /><strong>Nota:</strong> Leggi il <a class=\"thickbox\" href=\"%1$s\">changelog</a> prima di aggiornare."
520
-
521
- msgid "WP to Twitter"
522
- msgstr "WP to Twitter"
523
-
524
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
525
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
526
-
527
- msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
528
- msgstr "Invia un Tweet quanto aggiorni il tuo blog WordPress o il tuo blogroll usando il servizio di abbreviazione URL di tua scelta. Ricco di funzioni per la personalizzazione e la promozione dei tuoi Tweet."
529
-
530
- msgid "Joseph Dolson"
531
- msgstr "Joseph Dolson"
532
-
533
- msgid "http://www.joedolson.com/"
534
- msgstr "http://www.joedolson.com/"
535
-
536
- #: functions.php:329
537
- msgid "Thank you for supporting the continuing development of this plug-in! I'll get back to you as soon as I can."
538
- msgstr "Grazie per il tuo supporto allo sviluppo del plugin. A presto."
539
-
540
- #: functions.php:323
541
- msgid "Please read the FAQ and other Help documents before making a support request."
542
- msgstr "Leggi le FAQ e le documentazioni di aiuto prima di inviare una richiesta di supporto."
543
-
544
- #: functions.php:200
545
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
546
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Nascondi</a>] Qualora avessi riscontrato dei problemi, allega queste impostazioni alle richieste di supporto."
547
-
548
- #: functions.php:345
549
- msgid "Please include your license key in your support request."
550
- msgstr "Per favore inserisci il tuo codice di licenza nella richiesta di supporto."
551
-
552
- #: functions.php:331
553
- msgid "I cannot provide free support, but will treat your request as a bug report, and will incorporate any permanent solutions I discover into the plug-in."
554
- msgstr "Sebbene non sia più in grado di fornire un supporto gratuito, farò comunque tesoro delle segnalazioni (bug, etc.) per migliorare il plugin. "
555
-
556
- #: functions.php:325
557
- msgid "Please describe your problem. I'm not psychic."
558
- msgstr "Descrivi il tuo problema. Grazie."
559
-
560
- #: functions.php:350
561
- msgid "<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message."
562
- msgstr "<strong>Nota</strong>: sebbene conservi un elenco dei donatori e la tua donazione provenisse da un nome differente da quello indicato nel tuo account, ti invito a indicarlo nel tuo messaggio."
563
-
564
- #: functions.php:355
565
- msgid "From:"
566
- msgstr "Da:"
567
-
568
- #: functions.php:358
569
- msgid "I have read <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/\">the FAQ for this plug-in</a>."
570
- msgstr "Ho letto la pagina <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/\">FAQ di WP to Twitter</a>."
571
-
572
- #: functions.php:361
573
- msgid "I have <a href=\"http://www.joedolson.com/donate.php\">made a donation to help support this plug-in</a>."
574
- msgstr "Ho contribuito economicamente allo svuiluppo di <a href=\"http://www.joedolson.com/donate.php\">WP to Twitter</a>."
575
-
576
- #: functions.php:367
577
- msgid "Send Support Request"
578
- msgstr "Invia richiesta supporto"
579
-
580
- #: functions.php:370
581
- msgid "The following additional information will be sent with your support request:"
582
- msgstr "Le seguenti informazioni saranno inviate insieme alla tua richiesta:"
583
-
584
- #: wp-to-twitter-manager.php:41
585
- msgid "No error information is available for your shortener."
586
- msgstr "Nessuna informazione di errore disponibile per il tuo abbreviatore."
587
-
588
- #: wp-to-twitter-manager.php:43
589
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
590
- msgstr "<li class=\"error\"><strong>WP to Twitter non é stato in grado di contattare il servizio per gli URL brevi da te selezionato.</strong></li>"
591
-
592
- #: wp-to-twitter-manager.php:46
593
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
594
- msgstr "<li><strong>WP to Twitter ha contattato con successo il servizio per gli URL brevi da te selezionato.</strong> Il seguente link dovrebbe puntare alla homepage del tuo blog:"
595
-
596
- #: wp-to-twitter-manager.php:54
597
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
598
- msgstr "<li><strong>WP to Twitter ha inviato con successo l'aggiornamento dello stato a Twitter.</strong></li>"
599
-
600
- #: wp-to-twitter-manager.php:57
601
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
602
- msgstr "<li class=\"error\"><strong>WP to Twitter non é stato in grado di inviare l'aggiornamento a Twitter.</strong></li>"
603
-
604
- #: wp-to-twitter-manager.php:61
605
- msgid "You have not connected WordPress to Twitter."
606
- msgstr "Non hai connesso WordPress a Twitter."
607
-
608
- #: wp-to-twitter-manager.php:65
609
- msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
610
- msgstr "<li class=\"error\"><strong>Pare che il tuo server non supporti le funzioni richieste affinché WP to Twitter possa funzionare correttamente.</strong> Puoi comunque provare ugualmente - queste verifiche non sono perfette - garantisco i risultati.</li>"
611
-
612
- #: wp-to-twitter-manager.php:69
613
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
614
- msgstr "<li><strong>WP to Twitter funziona correttamente per il tuo server.</strong></li>"
615
-
616
- #: wp-to-twitter-manager.php:87
617
- msgid "WP to Twitter Errors Cleared"
618
- msgstr "Gli errori WP to Twitter sono stati azzerati"
619
-
620
- #: wp-to-twitter-manager.php:163
621
- msgid "WP to Twitter is now connected with Twitter."
622
- msgstr "WP to Twitter é ora connesso a Twitter."
623
-
624
- #: wp-to-twitter-manager.php:170
625
- msgid "WP to Twitter failed to connect with Twitter. Try enabling OAuth debugging."
626
- msgstr "WP to Twitter ha fallito nel tentativo di connettersi a Twitter. Prova abilitando il debug per OAuth."
627
-
628
- #: wp-to-twitter-manager.php:177
629
- msgid "OAuth Authentication Data Cleared."
630
- msgstr "I dati della autentificazione OAuth sono stati svuotati."
631
-
632
- #: wp-to-twitter-manager.php:184
633
- msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
634
- msgstr "Autentificazione OAuth fallita. L'ora del tuo sever non é sicronizzata con i server di Twitter. Comunica il problema al tuo fornitore di hosting."
635
-
636
- #: wp-to-twitter-manager.php:191
637
- msgid "OAuth Authentication response not understood."
638
- msgstr "Risposta Autentificazione OAuth non valida."
639
-
640
- #: wp-to-twitter-manager.php:285
641
- msgid "WP to Twitter Advanced Options Updated"
642
- msgstr "Le opzioni avanzate di WP to Twitter sono state aggiornate"
643
-
644
- #: wp-to-twitter-manager.php:307
645
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
646
- msgstr "E' necessario che tu inserisca i dati per il login e la chiave API di Bit.ly in modo da potere abbreviare gli URL con Bit.ly."
647
-
648
- #: wp-to-twitter-manager.php:311
649
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
650
- msgstr "E' necessario che tu inserisca il tuo URL remoto a YOURLS, il login e la password in modo da potere abbreviare gli URL attraverso la tua installazione remota di YOURLS."
651
-
652
- #: wp-to-twitter-manager.php:315
653
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
654
- msgstr "E' necessario che tu inserisca il percorso al server del tuo YOURLS in modo da potere abbreviare gli URL attraverso la tua installazione remota di YOURLS."
655
-
656
- #: wp-to-twitter-manager.php:318
657
- msgid "WP to Twitter Options Updated"
658
- msgstr "Le opzioni di WP to Twitter sono state aggiornate"
659
-
660
- #: wp-to-twitter-manager.php:327
661
- msgid "Category limits updated."
662
- msgstr "I limiti per la categoria sono stati aggiornati."
663
-
664
- #: wp-to-twitter-manager.php:331
665
- msgid "Category limits unset."
666
- msgstr "Le limitazioni alle categorie non sono state impostate."
667
-
668
- #: wp-to-twitter-manager.php:338
669
- msgid "YOURLS password updated. "
670
- msgstr "La password di YOURLS é stata aggiornata."
671
-
672
- #: wp-to-twitter-manager.php:341
673
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
674
- msgstr "La tua password di YOURLS é stata cancellata. Non potrai utilizzare il tuo account remoto YOURLS per la creazione di URL brevi."
675
-
676
- #: wp-to-twitter-manager.php:343
677
- msgid "Failed to save your YOURLS password! "
678
- msgstr "Non é stato possibile salvare la tua password di YOURLS!"
679
-
680
- #: wp-to-twitter-manager.php:347
681
- msgid "YOURLS username added. "
682
- msgstr "Il nome utente YOURLS é stato aggiunto."
683
-
684
- #: wp-to-twitter-manager.php:351
685
- msgid "YOURLS API url added. "
686
- msgstr "L'url alla API YOURLS é stato aggiunto. "
687
-
688
- #: wp-to-twitter-manager.php:354
689
- msgid "YOURLS API url removed. "
690
- msgstr "L'url alla API YOURLS é stato rimosso. "
691
-
692
- #: wp-to-twitter-manager.php:359
693
- msgid "YOURLS local server path added. "
694
- msgstr "Il percorso al server locale di YOURLS é stato aggiunto. "
695
-
696
- #: wp-to-twitter-manager.php:361
697
- msgid "The path to your YOURLS installation is not correct. "
698
- msgstr "Il percorso alla tua installazione di YOURLS non é corretto. "
699
-
700
- #: wp-to-twitter-manager.php:365
701
- msgid "YOURLS local server path removed. "
702
- msgstr "Il percorso al server locale di YOURLS é stato rimosso. "
703
-
704
- #: wp-to-twitter-manager.php:370
705
- msgid "YOURLS will use Post ID for short URL slug."
706
- msgstr "YOURLS utilizzerà Post ID per lo slug degli URL brevi."
707
-
708
- #: wp-to-twitter-manager.php:372
709
- msgid "YOURLS will use your custom keyword for short URL slug."
710
- msgstr "YOURLS utilizzerà la tua keyword personalizzata per lo slug degli URL brevi."
711
-
712
- #: wp-to-twitter-manager.php:376
713
- msgid "YOURLS will not use Post ID for the short URL slug."
714
- msgstr "YOURLS non utilizzerà Post ID per lo slug degli URL brevi."
715
-
716
- #: wp-to-twitter-manager.php:384
717
- msgid "Su.pr API Key and Username Updated"
718
- msgstr "La chiave API ed il nome utente di Su.pr sono stati aggiornati"
719
-
720
- #: wp-to-twitter-manager.php:388
721
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
722
- msgstr "La chiave API ed il nome utente di Su.pr sono stati cancellati. Gli URL di Su.pr creati da WP to Twitter non saranno più associati al tuo account. "
723
-
724
- #: wp-to-twitter-manager.php:390
725
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
726
- msgstr "Non é stata inserita la chiave API di Su.pr - <a href='http://su.pr/'>vai qui</a>! "
727
-
728
- #: wp-to-twitter-manager.php:396
729
- msgid "Bit.ly API Key Updated."
730
- msgstr "La chiave API di Bit.ly é stata aggiornata."
731
-
732
- #: wp-to-twitter-manager.php:399
733
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
734
- msgstr "La chiave API di Bit.ly é stata cancellata. Non puoi utilizzare la API di Bit.ly senza la chiave API. "
735
-
736
- #: wp-to-twitter-manager.php:401
737
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
738
- msgstr "La chiave API di Bit.ly non é stata aggiunta - <a href='http://bit.ly/account/'>vai qui</a>! E' necessaria una chiave API affinché il servizio di URL brevi Bit.ly di possa funzionare."
739
-
740
- #: wp-to-twitter-manager.php:405
741
- msgid " Bit.ly User Login Updated."
742
- msgstr " Il login utente per Bit.ly é stato aggiornato."
743
-
744
- #: wp-to-twitter-manager.php:408
745
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
746
- msgstr "Sono stati cancellati i dati per il login utente Bit.ly. Non puoi utilizzare la API di Bit.ly senza fornire il tuo nome utente. "
747
-
748
- #: wp-to-twitter-manager.php:410
749
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
750
- msgstr "Non sono stati inseriti i dati per il login a Bit.ly - <a href='http://bit.ly/account/'>vai qui</a>! "
751
-
752
- #: wp-to-twitter-manager.php:426
753
- msgid "<p>One or more of your last posts has failed to send a status update to Twitter. The Tweet has been saved, and you can re-Tweet it at your leisure.</p>"
754
- msgstr "<p>Uno o più dei tuoi ultimi post ha fallito nell'inviare la richiesta di aggiornamento di stato a Twitter. Il Tweet comunque è stato salvato e puoi inviarlo nuovamente quando ti è più comodo.</p>"
755
-
756
- #: wp-to-twitter-manager.php:432
757
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
758
- msgstr "Non é stato possibile contattare i server di Twitter per comunicare il tuo <strong>nuovo link</strong>. Prova a compiere manualmente l'operazione."
759
-
760
- #: wp-to-twitter-manager.php:435
761
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues.</p>"
762
- msgstr "<p>La richiesta alle API per il servizio di abbreviazione degli URL è fallita e quindi il tuo URL non è stato abbreviato. L'url esteso al tuo post è stato allegato al tuo Tweet. Contatta il tuo fornitore di URL abbreviati per verificare se ci sono problemi col servizio.</p>"
763
-
764
- #: wp-to-twitter-manager.php:441
765
- msgid "Clear 'WP to Twitter' Error Messages"
766
- msgstr "Svuota i messaggiodi errore 'WP to Twitter'"
767
-
768
- #: wp-to-twitter-manager.php:448
769
- msgid "WP to Twitter Options"
770
- msgstr "Opzioni WP to Twitter"
771
-
772
- #: wp-to-twitter-manager.php:461
773
- msgid "Basic Settings"
774
- msgstr "Impostazioni di base"
775
-
776
- #: wp-to-twitter-manager.php:466 wp-to-twitter-manager.php:529
777
- msgid "Save WP->Twitter Options"
778
- msgstr "Salva le opzioni WP->Twitter"
779
-
780
- #: wp-to-twitter-manager.php:496
781
- msgid "Settings for Comments"
782
- msgstr "Impostazioni commenti"
783
-
784
- #: wp-to-twitter-manager.php:499
785
- msgid "Update Twitter when new comments are posted"
786
- msgstr "Aggiorna Twitter quando vengono inviati nuovi commenti"
787
-
788
- #: wp-to-twitter-manager.php:500
789
- msgid "Text for new comments:"
790
- msgstr "Testo per nuovi commenti:"
791
-
792
- #: wp-to-twitter-manager.php:505
793
- msgid "Settings for Links"
794
- msgstr "Impostazioni link"
795
-
796
- #: wp-to-twitter-manager.php:508
797
- msgid "Update Twitter when you post a Blogroll link"
798
- msgstr "Aggiorna Twitter quando viene aggiunto un nuovo link al blogroll"
799
-
800
- #: wp-to-twitter-manager.php:509
801
- msgid "Text for new link updates:"
802
- msgstr "Testo per gli aggiornamenti di un nuovo link:"
803
-
804
- #: wp-to-twitter-manager.php:509
805
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
806
- msgstr "Shortcode disponibili: <code>#url#</code>, <code>#title#</code> e <code>#description#</code>."
807
-
808
- #: wp-to-twitter-manager.php:513
809
- msgid "Choose your short URL service (account settings below)"
810
- msgstr "Scegli il tuo servizio per gli URL brevi (impostazioni account qui sotto)"
811
-
812
- #: wp-to-twitter-manager.php:516
813
- msgid "Don't shorten URLs."
814
- msgstr "Non usare gli URL brevi"
815
-
816
- #: wp-to-twitter-manager.php:517
817
- msgid "Use Su.pr for my URL shortener."
818
- msgstr "Usa Su.pr per creare gli URL brevi."
819
-
820
- #: wp-to-twitter-manager.php:518
821
- msgid "Use Bit.ly for my URL shortener."
822
- msgstr "Usa Bit.ly per gli URL brevi"
823
-
824
- #: wp-to-twitter-manager.php:519
825
- msgid "Use Goo.gl as a URL shortener."
826
- msgstr "Usa Goo.gl per gli URL brevi."
827
-
828
- #: wp-to-twitter-manager.php:520
829
- msgid "YOURLS (installed on this server)"
830
- msgstr "YOURLS (intallato in questo server)"
831
-
832
- #: wp-to-twitter-manager.php:521
833
- msgid "YOURLS (installed on a remote server)"
834
- msgstr "YOURLS (intallato in un server remoto)"
835
-
836
- #: wp-to-twitter-manager.php:522
837
- msgid "Use WordPress as a URL shortener."
838
- msgstr "Usa WordPress per gli URL brevi."
839
-
840
- #: wp-to-twitter-manager.php:537
841
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
842
- msgstr "Impostazione account abbreviatore <abbr title=\"Uniform Resource Locator\">URL</abbr>"
843
-
844
- #: wp-to-twitter-manager.php:540
845
- msgid "Your Su.pr account details"
846
- msgstr "Dati account Su.pr"
847
-
848
- #: wp-to-twitter-manager.php:544
849
- msgid "Your Su.pr Username:"
850
- msgstr "Nome utente Su.pr:"
851
-
852
- #: wp-to-twitter-manager.php:548
853
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
854
- msgstr "La tua chiave <abbr title='application programming interface'>API</abbr> di Su.pr:"
855
-
856
- #: wp-to-twitter-manager.php:555
857
- msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
858
- msgstr "Non hai ancora un account oppure una chiave API Su.pr? <a href='http://su.pr/'>Vai qui</a>!<br />E' necessaria una chiave API in modo tale da potere associare gli URL da te creati con il tuo account di Su.pr."
859
-
860
- #: wp-to-twitter-manager.php:560
861
- msgid "Your Bit.ly account details"
862
- msgstr "Dati account Bit.ly"
863
-
864
- #: wp-to-twitter-manager.php:564
865
- msgid "Your Bit.ly username:"
866
- msgstr "Nome utente Bit.ly:"
867
-
868
- #: wp-to-twitter-manager.php:566
869
- msgid "This must be a standard Bit.ly account. Your Twitter or Facebook log-in will not work."
870
- msgstr "Deve essere un account Bit.ly standard. Il tuo login Twitter o Facebook non funzionerà."
871
-
872
- #: wp-to-twitter-manager.php:568
873
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
874
- msgstr "La tua chiave <abbr title='application programming interface'>API</abbr> di Bit.ly:"
875
-
876
- #: wp-to-twitter-manager.php:576
877
- msgid "Save Bit.ly API Key"
878
- msgstr "Salva la chiave API di Bit.ly"
879
-
880
- #: wp-to-twitter-manager.php:576
881
- msgid "Clear Bit.ly API Key"
882
- msgstr "Svuota la chiave API di Bit.ly"
883
-
884
- #: wp-to-twitter-manager.php:576
885
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
886
- msgstr "E' necessario il nome utente e la chiave API di Bit.ly per potere rendere brevi gli URL via la API di Bit.ly e WP to Twitter."
887
-
888
- #: wp-to-twitter-manager.php:581
889
- msgid "Your YOURLS account details"
890
- msgstr "I dettagli del tuo account YOURLS"
891
-
892
- #: wp-to-twitter-manager.php:585
893
- msgid "Path to your YOURLS config file (Local installations)"
894
- msgstr "Percorso al file di configurazione YOURLS (installazioni locali)"
895
-
896
- #: wp-to-twitter-manager.php:586 wp-to-twitter-manager.php:590
897
- msgid "Example:"
898
- msgstr "Esempio:"
899
-
900
- #: wp-to-twitter-manager.php:589
901
- msgid "URI to the YOURLS API (Remote installations)"
902
- msgstr "URI alla API di YOURLS (installazioni remote)"
903
-
904
- #: wp-to-twitter-manager.php:593
905
- msgid "Your YOURLS username:"
906
- msgstr "Nome utente YOURLS:"
907
-
908
- #: wp-to-twitter-manager.php:597
909
- msgid "Your YOURLS password:"
910
- msgstr "Password YOURLS:"
911
-
912
- #: wp-to-twitter-manager.php:597
913
- msgid "<em>Saved</em>"
914
- msgstr "<em>Salvato</em>"
915
-
916
- #: wp-to-twitter-manager.php:601
917
- msgid "Post ID for YOURLS url slug."
918
- msgstr "ID post per lo slug degli url di YOURLS."
919
-
920
- #: wp-to-twitter-manager.php:602
921
- msgid "Custom keyword for YOURLS url slug."
922
- msgstr "Keyword personalizzata per lo slug degli url di YOURLS."
923
-
924
- #: wp-to-twitter-manager.php:603
925
- msgid "Default: sequential URL numbering."
926
- msgstr "Predefinito: numerazione sequenziale URL."
927
-
928
- #: wp-to-twitter-manager.php:609
929
- msgid "Save YOURLS Account Info"
930
- msgstr "Salva le info account di YOURLS"
931
-
932
- #: wp-to-twitter-manager.php:609
933
- msgid "Clear YOURLS password"
934
- msgstr "Svuota la password di YOURLS"
935
-
936
- #: wp-to-twitter-manager.php:609
937
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
938
- msgstr "E' necessario il nome utente e la password di affinché possano essere abbreviati gli URL via l'API remoto di YOURLS e di WP to Twitter."
939
-
940
- #: wp-to-twitter-manager.php:620
941
- msgid "Advanced Settings"
942
- msgstr "Impostazioni avanzate"
943
-
944
- #: wp-to-twitter-manager.php:625 wp-to-twitter-manager.php:783
945
- msgid "Save Advanced WP->Twitter Options"
946
- msgstr "Salva avanzate WP->Opzioni Twitter"
947
-
948
- #: wp-to-twitter-manager.php:627
949
- msgid "Advanced Tweet settings"
950
- msgstr "Opzioni messaggio avanzate"
951
-
952
- #: wp-to-twitter-manager.php:629
953
- msgid "Strip nonalphanumeric characters from tags"
954
- msgstr "Rimuovi i caratteri non alfanumerici dai tag"
955
-
956
- #: wp-to-twitter-manager.php:630
957
- msgid "Spaces in tags replaced with:"
958
- msgstr "Sostituisci gli spazi trai tag con:"
959
-
960
- #: wp-to-twitter-manager.php:632
961
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
962
- msgstr "Il sostituto predefinito é un trattino breve (<code>_</code>). Usa <code>[ ]</code> per rimuovere gli spazi completamente."
963
-
964
- #: wp-to-twitter-manager.php:635
965
- msgid "Maximum number of tags to include:"
966
- msgstr "Numero massimo di tag da includere:"
967
-
968
- #: wp-to-twitter-manager.php:636
969
- msgid "Maximum length in characters for included tags:"
970
- msgstr "Lunghezza massima in caratteri per i tag inclusi:"
971
-
972
- #: wp-to-twitter-manager.php:637
973
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
974
- msgstr "Queste opzioni ti permetteranno di limitare la lunghezza ed il numero dei tag WordPress inviati a Twitter come hashtags. Imposta a <code>0</code> oppure lascia in bianco per permettere ogni tag."
975
-
976
- #: wp-to-twitter-manager.php:640
977
- msgid "Length of post excerpt (in characters):"
978
- msgstr "Lunghezza riassunto messaggi (in caratteri)"
979
-
980
- #: wp-to-twitter-manager.php:640
981
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
982
- msgstr "Come funzione predefinita, gli estratti verranno generati in automatico. Utilizzassi il campo 'Excerpt', questi avrà la priorità."
983
-
984
- #: wp-to-twitter-manager.php:643
985
- msgid "WP to Twitter Date Formatting:"
986
- msgstr "Formattazione data WP to Twitter:"
987
-
988
- #: wp-to-twitter-manager.php:644
989
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
990
- msgstr "Predefinito dalle impostazioni generali. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Info formattazione data</a>."
991
-
992
- #: wp-to-twitter-manager.php:648
993
- msgid "Custom text before all Tweets:"
994
- msgstr "Testo personalizzato prima di tutti i messaggi:"
995
-
996
- #: wp-to-twitter-manager.php:649
997
- msgid "Custom text after all Tweets:"
998
- msgstr "Testo personalizzato dopo tutti i messaggi:"
999
-
1000
- #: wp-to-twitter-manager.php:652
1001
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1002
- msgstr "Campo personalizzato riferito ad un URL alternativo da abbreviare ed inviare a Twitter:"
1003
-
1004
- #: wp-to-twitter-manager.php:653
1005
- msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
1006
- msgstr "Puoi utilizzare un campo personalizzato per inviare un URL alternativo per il tuo articolo. Questo valore é il nome del campo personalizzato che utilizzerai per aggiungere un URL esterno."
1007
-
1008
- #: wp-to-twitter-manager.php:676
1009
- msgid "Preferred status update truncation sequence"
1010
- msgstr "Sequenza di troncamento preferita per l'aggiornamento dello stato"
1011
-
1012
- #: wp-to-twitter-manager.php:679
1013
- msgid "This is the order in which items will be abbreviated or removed from your status update if it is too long to send to Twitter."
1014
- msgstr "Questo è l'ordine in cui gli oggetti verranno abbreviati o rimossi dal tuo aggiornamento di status se esso è troppo lungo da inviare a Twitter."
1015
-
1016
- #: wp-to-twitter-manager.php:684
1017
- msgid "Special Cases when WordPress should send a Tweet"
1018
- msgstr "Casi particolari nei quali WordPress dovrebbe inviare un messaggio"
1019
-
1020
- #: wp-to-twitter-manager.php:687
1021
- msgid "Do not post Tweets by default"
1022
- msgstr "Di default non inviare i Tweet"
1023
-
1024
- #: wp-to-twitter-manager.php:690
1025
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
1026
- msgstr "Come funzione predefinita, tutti i post che soddisfano i requisiti saranno pubblicati su Twitter. Metti il segno di spunta per modificare le impostazioni."
1027
-
1028
- #: wp-to-twitter-manager.php:694
1029
- msgid "Allow status updates from Quick Edit"
1030
- msgstr "Permetti aggiornamenti stato via Quick Edit"
1031
-
1032
- #: wp-to-twitter-manager.php:695
1033
- msgid "If checked, all posts edited individually or in bulk through the Quick Edit feature will be Tweeted."
1034
- msgstr "Se selezionata, tutti i post modificati uno per uno o in gruppo attraverso la funzione di Modifica veloce verranno inviati come Tweet."
1035
-
1036
- #: wp-to-twitter-manager.php:700
1037
- msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
1038
- msgstr "Ritardare i tweet con WP Tweets PRO sposta i Tweet verso un'azione di pubblicazione indipendente."
1039
-
1040
- #: wp-to-twitter-manager.php:707
1041
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1042
- msgstr "Invio degli aggiornamenti di Twitter via punti di pubblicazione remoti (Email o client XMLRPC)"
1043
-
1044
- #: wp-to-twitter-manager.php:712
1045
- msgid "Google Analytics Settings"
1046
- msgstr "Impostazioni Google Analytics"
1047
-
1048
- #: wp-to-twitter-manager.php:713
1049
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
1050
- msgstr "Puoi tracciare la risposta da Twitter utilizzando Google Analytics definendo qui l'identificatore. Puoi definire un identificatore statico oppure uno dinamico. Gli identificatori statici non mutano da post a post mentre quelli dinamici derivano dalle informazioni di maggior rilievo appartenenti a quel post specifico. Gli identificatori dinamici ti permetteranno di analizzare le tue statistiche attraverso una variabile aggiuntiva."
1051
-
1052
- #: wp-to-twitter-manager.php:717
1053
- msgid "Use a Static Identifier with WP-to-Twitter"
1054
- msgstr "Utilizza un identificatore statico per WP-to-Twitter"
1055
-
1056
- #: wp-to-twitter-manager.php:718
1057
- msgid "Static Campaign identifier for Google Analytics:"
1058
- msgstr "Identificatore statico Google Analytics:"
1059
-
1060
- #: wp-to-twitter-manager.php:722
1061
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1062
- msgstr "Utilizza un identificatore dinamico per Google Analytics e WP-to-Twitter"
1063
-
1064
- #: wp-to-twitter-manager.php:723
1065
- msgid "What dynamic identifier would you like to use?"
1066
- msgstr "Quale identificatore dinamico desideri utilizzare?"
1067
-
1068
- #: wp-to-twitter-manager.php:725
1069
- msgid "Category"
1070
- msgstr "Categoria"
1071
-
1072
- #: wp-to-twitter-manager.php:726
1073
- msgid "Post ID"
1074
- msgstr "ID post"
1075
-
1076
- #: wp-to-twitter-manager.php:727
1077
- msgid "Post Title"
1078
- msgstr "Titolo post"
1079
-
1080
- #: wp-to-twitter-manager.php:728
1081
- msgid "Author"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1082
  msgstr "Autore"
1
+ # Translation of WP to Twitter in Italian
2
+ # This file is distributed under the same license as the WP to Twitter package.
3
+ msgid ""
4
+ msgstr ""
5
+ "PO-Revision-Date: 2013-05-27 15:51:47+0000\n"
6
+ "MIME-Version: 1.0\n"
7
+ "Content-Type: text/plain; charset=UTF-8\n"
8
+ "Content-Transfer-Encoding: 8bit\n"
9
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
10
+ "X-Generator: GlotPress/0.1\n"
11
+ "Project-Id-Version: WP to Twitter\n"
12
+
13
+ #: wp-to-twitter-shorteners.php:375
14
+ msgid "Your jotURL account details"
15
+ msgstr "I tuoi dati dell'account jotURL"
16
+
17
+ #: wp-to-twitter-shorteners.php:379
18
+ msgid "Your jotURL public <abbr title='application programming interface'>API</abbr> key:"
19
+ msgstr "La tua chiave pubblica per le <abbr title='application programming interface'>API</abbr> di jotURL:"
20
+
21
+ #: wp-to-twitter-shorteners.php:380
22
+ msgid "Your jotURL private <abbr title='application programming interface'>API</abbr> key:"
23
+ msgstr "La tua chiave privata per le <abbr title='application programming interface'>API</abbr> di jotURL:"
24
+
25
+ #: wp-to-twitter-shorteners.php:381
26
+ msgid "Parameters to add to the long URL (before shortening):"
27
+ msgstr "Parametri da aggiungere alla URL lunga (prima di accorciarla):"
28
+
29
+ #: wp-to-twitter-shorteners.php:381
30
+ msgid "Parameters to add to the short URL (after shortening):"
31
+ msgstr "Parametri da aggiungere alla URL breve (dopo averla accorciata):"
32
+
33
+ #: wp-to-twitter-shorteners.php:382
34
+ msgid "View your jotURL public and private API key"
35
+ msgstr "Visualizza la tua chiave pubblica e privata per le API di jotURL"
36
+
37
+ #: wp-to-twitter-shorteners.php:385
38
+ msgid "Save jotURL settings"
39
+ msgstr "Salva le impostazioni per jotURL"
40
+
41
+ #: wp-to-twitter-shorteners.php:385
42
+ msgid "Clear jotURL settings"
43
+ msgstr "Cancella le impostazioni di jotURL"
44
+
45
+ #: wp-to-twitter-shorteners.php:386
46
+ msgid "A jotURL public and private API key is required to shorten URLs via the jotURL API and WP to Twitter."
47
+ msgstr "Una chiave pubblica e privata per le API di jotURL è richiesta per accorciare le URL tramite le API di jotURL e WP to Twitter."
48
+
49
+ #: wp-to-twitter-shorteners.php:481
50
+ msgid "jotURL private API Key Updated. "
51
+ msgstr "La tua chiave privata per le API di jotURL è stata aggiornata."
52
+
53
+ #: wp-to-twitter-shorteners.php:484
54
+ msgid "jotURL private API Key deleted. You cannot use the jotURL API without a private API key. "
55
+ msgstr "Chiave privata per le API di jotURL cancellata. Non puoi usare le API di jotURL senza una chiave privata."
56
+
57
+ #: wp-to-twitter-shorteners.php:486
58
+ msgid "jotURL private API Key not added - <a href='https://www.joturl.com/reserved/api.html'>get one here</a>! A private API key is required to use the jotURL URL shortening service. "
59
+ msgstr "Chiave privata per le API di jotURL non aggiunta - <a href='https://www.joturl.com/reserved/api.html'>recuperane una qua</a>! Una chiave privata è richiesta per usare il servizio di accorciamento URL di jotURL."
60
+
61
+ #: wp-to-twitter-shorteners.php:490
62
+ msgid "jotURL public API Key Updated. "
63
+ msgstr "Chiave pubblica per le API di jotURL aggiornata."
64
+
65
+ #: wp-to-twitter-shorteners.php:493
66
+ msgid "jotURL public API Key deleted. You cannot use the jotURL API without providing your public API Key. "
67
+ msgstr "Chiave pubblica per le API di jotURL cancellata. Non puoi usare le API di jotURL senza fornire la tua chiave pubblica per le API."
68
+
69
+ #: wp-to-twitter-shorteners.php:495
70
+ msgid "jotURL public API Key not added - <a href='https://www.joturl.com/reserved/api.html'>get one here</a>! "
71
+ msgstr "Chiave pubblica per le API di jorURL non aggiunta - <a href='https://www.joturl.com/reserved/api.html'>recuperane una qua</a>! "
72
+
73
+ #: wp-to-twitter-shorteners.php:501
74
+ msgid "Long URL parameters added. "
75
+ msgstr "Parametri aggiunti per l'URL lungo."
76
+
77
+ #: wp-to-twitter-shorteners.php:504
78
+ msgid "Long URL parameters deleted. "
79
+ msgstr "Parametri cancellati per l'URL lungo."
80
+
81
+ #: wp-to-twitter-shorteners.php:510
82
+ msgid "Short URL parameters added. "
83
+ msgstr "Parametri aggiunti per l'URL breve."
84
+
85
+ #: wp-to-twitter-shorteners.php:513
86
+ msgid "Short URL parameters deleted. "
87
+ msgstr "Parametri cancellati per l'URL breve."
88
+
89
+ #: wp-to-twitter-shorteners.php:527
90
+ msgid "You must add your jotURL public and private API key in order to shorten URLs with jotURL."
91
+ msgstr "Devi aggiungere la tua chiave pubblica e privata per le API di jotURL per accorciare le URL tramite il servizio di jotURL."
92
+
93
+ #: wp-to-twitter-manager.php:526
94
+ msgid "Tags"
95
+ msgstr "Tag"
96
+
97
+ #: wp-to-twitter-manager.php:542
98
+ msgid "Template Tag Settings"
99
+ msgstr "Impostazioni Template Tag"
100
+
101
+ #: wp-to-twitter-manager.php:544
102
+ msgid "Extracted from the post. If you use the 'Excerpt' field, it will be used instead."
103
+ msgstr "Estratto dall'articolo. Sarà utilizzato in alternativa se si utilizza il campo 'Riassunto'."
104
+
105
+ #: wp-to-twitter-manager.php:587
106
+ msgid "Template tag priority order"
107
+ msgstr "Ordine di priorità dei Template Tag"
108
+
109
+ #: wp-to-twitter-manager.php:588
110
+ msgid "The order in which items will be abbreviated or removed from your Tweet if the Tweet is too long to send to Twitter."
111
+ msgstr "L'ordine in cui gli elementi saranno abbreviati o rimossi dal tuo Tweet se quest'ultimo è troppo lungo per essere inviata a Twitter."
112
+
113
+ #: wp-to-twitter-manager.php:641
114
+ msgid "Author Settings"
115
+ msgstr "Impostazioni autore"
116
+
117
+ #: wp-to-twitter-manager.php:646
118
+ msgid "Authors can add their username in their user profile. With the free edition of WP to Twitter, it adds an @reference to the author. The @reference is placed using the <code>#account#</code> shortcode, which will pick up the main account if the user account isn't configured."
119
+ msgstr "Gli autori possono indicare il loro nome utente nel proprio profilo. La versione free di WP to Twitter aggiunge un @reference all'autore. @reference può essere inserito con lo shortcode <code>#account#</code> che preleverà il nome dell'account principale se l'account utente non è configurato."
120
+
121
+ #: wp-to-twitter-manager.php:650
122
+ msgid "Permissions"
123
+ msgstr "Permessi"
124
+
125
+ #: wp-to-twitter-manager.php:685
126
+ msgid "Error Messages and Debugging"
127
+ msgstr "Messaggi di errore e di Debug"
128
+
129
+ #: wp-to-twitter-manager.php:805
130
+ msgid "<code>#cat_desc#</code>: custom value from the category description field"
131
+ msgstr "<code>#cat_desc#</code>: valore personalizzato per il campo di descrizione della categoria"
132
+
133
+ #: wp-to-twitter-manager.php:812
134
+ msgid "<code>#@#</code>: the twitter @reference for the author or blank, if not set"
135
+ msgstr "<code>#@#</code>: @reference di Twitter per l'autore o vuoto se non settato"
136
+
137
+ #: wp-to-twitter-oauth.php:176
138
+ msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>."
139
+ msgstr "Problemi di connessione? Prova ad usare <a href='#wpt_http'>il protocollo <code>http</code></a>."
140
+
141
+ #: wp-to-twitter-oauth.php:272
142
+ msgid "<strong>Troubleshooting tip:</strong> Connected, but getting a error that your Authentication credentials are missing or incorrect? Check that your Access token has read and write permission. If not, you'll need to create a new token. <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/#q1\">Read the FAQ</a>"
143
+ msgstr "<strong>Suggerimento per la risoluzione dei problemi:</strong> Sei connesso ma ricevi un messaggio di errore che dice che le tue credenziali di accesso sono mancanti o incorrette? Controlla che il token di accesso abbia permessi di lettura/scrittura. Se non è così devi creare un nuovo token. <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/#q1\">Leggi le FAQ</a>"
144
+
145
+ #: wp-to-twitter-oauth.php:298 wp-to-twitter-oauth.php:304
146
+ msgid "Twitter's server time: "
147
+ msgstr "Ora del server di Twitter"
148
+
149
+ #: wp-to-twitter.php:69
150
+ msgid "WP to Twitter requires WordPress 3.1.4 or a more recent version <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update WordPress to continue using WP to Twitter with all features!</a>"
151
+ msgstr "WP to Twitter richiede WordPress 3.1.4 o una versione più recente <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Aggiorna WordPress per usare tutte le funzionalità di WP to Twitter!</a>"
152
+
153
+ #: wp-to-twitter.php:304
154
+ msgid "403 Forbidden: The request is understood, but it has been refused by Twitter. Reasons: Too many Tweets in a short time or the same Tweet was submitted twice, among others. Not an error from WP to Twitter."
155
+ msgstr "403 Proibito: La richiesta è corretta ma è stata rifiutata da Twitter. Motivazioni: troppi Twewt in un breve lasso di tempo o il medesimo Tweet è stato inviato 2 volte. Questo non è un errore del plugin WP to Twitter."
156
+
157
+ #: wp-to-twitter.php:1281
158
+ msgid "Upgrade"
159
+ msgstr "Passa alla versione PRO"
160
+
161
+ #: wp-to-twitter-manager.php:531
162
+ msgid "Use tag slug as hashtag value"
163
+ msgstr "Usa il tag slug come valore hashtag"
164
+
165
+ #: wp-to-twitter.php:1026
166
+ msgid "Tweets are no more than 140 characters; Twitter counts URLs as 20 or 21 characters. Template tags: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, or <code>#blog#</code>."
167
+ msgstr "I Tweet sono possono contenere al massimo 140 caratteri; Twitter considera gli URL come lunghi 20 o 21 caratteri. Template tag: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, o <code>#blog#</code>."
168
+
169
+ #: wp-to-twitter-manager.php:176
170
+ msgid "WP to Twitter failed to connect with Twitter. Try <a href=\"#wpt_http\">switching to an HTTP connection</a>."
171
+ msgstr "WP to Twitter ha fallito nel connettersi a Twitter. Prova <a href=\"#wpt_http\">a passare ad una connessione di tipo HTTP</a>."
172
+
173
+ #: wp-to-twitter-shorteners.php:545
174
+ msgid "Choose a short URL service (account settings below)"
175
+ msgstr "Scegli un servizio di accorciamento delle URL (impostazioni dell'account di seguito)"
176
+
177
+ #: wp-to-twitter-shorteners.php:551
178
+ msgid "YOURLS (on this server)"
179
+ msgstr "YOURLS (su questo server)"
180
+
181
+ #: wp-to-twitter-shorteners.php:552
182
+ msgid "YOURLS (on a remote server)"
183
+ msgstr "YOURLS (sul server remoto)"
184
+
185
+ #: wp-to-twitter-manager.php:493
186
+ msgid "In addition to standard template tags, comments can use <code>#commenter#</code> to post the commenter's name in the Tweet. <em>Use this at your own risk</em>, as it lets anybody who can post a comment on your site post a phrase in your Twitter stream."
187
+ msgstr "In aggiunta ai template tag standard, si può usare <code>#commenter#</code> per inserire il nome del commentatore nel Tweet. <em>Usa a tuo rischio</em>, dal momento che questo consente a tutti coloro che commentano il tuo articolo di postare un Tweet sul tuo stream di Twitter."
188
+
189
+ #: wp-to-twitter.php:60
190
+ msgid "The current version of WP Tweets PRO is <strong>%s</strong>. Upgrade for best compatibility!"
191
+ msgstr "La versione attuale di WP Tweets PRO è <strong>%s</strong>. Aggiorna per avere una migliore compatibilità!"
192
+
193
+ #: wpt-functions.php:239
194
+ msgid "Thank you for supporting the continuing development of this plug-in! I'll get back to you as soon as I can. Please ensure that you can receive email at <code>%s</code>."
195
+ msgstr "Grazie per supportare il proseguimento dello sviluppo di questo plug-in! Mi farò vivo appena possibile. Per favore, assicurati che tu possa ricevere le email a <code>%s</code>."
196
+
197
+ #: wpt-functions.php:241
198
+ msgid "Thanks for using WP to Twitter. Please ensure that you can receive email at <code>%s</code>."
199
+ msgstr "Grazie per l'uso di WP to Twitter. Per favore assicurati di poter ricevere email a <code>%s</code>."
200
+
201
+ #: wpt-functions.php:261
202
+ msgid "Reply to:"
203
+ msgstr "Rispondi a:"
204
+
205
+ #: wp-to-twitter-manager.php:666
206
+ msgid "The lowest user group that can add their Twitter information"
207
+ msgstr "Il gruppo di livello più basso che può aggiungere le proprie informazioni di Twitter"
208
+
209
+ #: wp-to-twitter-manager.php:671
210
+ msgid "The lowest user group that can see the Custom Tweet options when posting"
211
+ msgstr "Il gruppo di livello più basso che può vedere l'opzione Tweet personalizzato quando scrive un articolo"
212
+
213
+ #: wp-to-twitter-manager.php:676
214
+ msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
215
+ msgstr "Il gruppo di livello più basso che può attivare o disattivare l'opzione Inviare/Non inviare Tweet"
216
+
217
+ #: wp-to-twitter-manager.php:681
218
+ msgid "The lowest user group that can send Twitter updates"
219
+ msgstr "Il gruppo di livello più basso che può inviare aggiornamenti su Twitter"
220
+
221
+ #: wp-to-twitter-manager.php:809
222
+ msgid "<code>#author#</code>: the post author (@reference if available, otherwise display name)"
223
+ msgstr "<code>#author#</code>: l'autore dell'articolo (@account se disponibile, il nome da visualizzare altrimenti)"
224
+
225
+ #: wp-to-twitter-manager.php:810
226
+ msgid "<code>#displayname#</code>: post author's display name"
227
+ msgstr "<code>#displayname#</code>: Il nome da visualizzare per l'autore dell'articolo"
228
+
229
+ #: wp-to-twitter.php:274
230
+ msgid "This tweet was blank and could not be sent to Twitter."
231
+ msgstr "Questo tweet è vuoto e non può essere inviato a Twitter."
232
+
233
+ #: wp-to-twitter.php:307
234
+ msgid "404 Not Found: The URI requested is invalid or the resource requested does not exist."
235
+ msgstr "404 Not Found: L'URI richiesto non è valido o la risorsa richiesta non esiste."
236
+
237
+ #: wp-to-twitter.php:310
238
+ msgid "406 Not Acceptable: Invalid Format Specified."
239
+ msgstr "406 Not Acceptable: Il formato specificato non è valido."
240
+
241
+ #: wp-to-twitter.php:313
242
+ msgid "429 Too Many Requests: You have exceeded your rate limits."
243
+ msgstr "429 Too Many Requests: Hai raggiunto la tua quota limite."
244
+
245
+ #: wp-to-twitter.php:325
246
+ msgid "504 Gateway Timeout: The Twitter servers are up, but the request couldn't be serviced due to some failure within our stack. Try again later."
247
+ msgstr "504 Gateway Timeout: I server di Twitter funzionano ma la richiesta non è stata soddisfatta a causa di qualche errore. Per favore, riprova in seguito."
248
+
249
+ #: wp-to-twitter.php:969
250
+ msgid "Your prepended Tweet text; not part of your template."
251
+ msgstr "Testo inserito all'inizio dei tuoi Tweet (non fa parte dei tuo modello)."
252
+
253
+ #: wp-to-twitter.php:972
254
+ msgid "Your appended Tweet text; not part of your template."
255
+ msgstr "Testo inserito alla fine dei tuoi Tweet (non fa parte dei tuo modello)."
256
+
257
+ #: wp-to-twitter.php:1074
258
+ msgid "Your role does not have the ability to Post Tweets from this site."
259
+ msgstr "Il tuo ruolo non permette di inviare Tweet da questo sito."
260
+
261
+ #: wp-to-twitter.php:1180
262
+ msgid "Hide account name in Tweets"
263
+ msgstr "Nascondi il nome dell'account nei Tweet"
264
+
265
+ #: wp-to-twitter.php:1181
266
+ msgid "Do not display my account in the #account# template tag."
267
+ msgstr "Non visualizzare il mio account nel template #account#."
268
+
269
+ #: wpt-functions.php:264
270
+ msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
271
+ msgstr "Io ho letto <a href=\"%1$s\">le FAQ di questo plug-in</a> <span>(obbligatorio)</span>"
272
+
273
+ #: wpt-functions.php:267
274
+ msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
275
+ msgstr "Io ho <a href=\"%1$s\"> fatto una donazione per supportare questo plugin</a>"
276
+
277
+ #: wpt-functions.php:270
278
+ msgid "Support Request:"
279
+ msgstr "Richiesta di supporto:"
280
+
281
+ #: wp-to-twitter-manager.php:472
282
+ msgid "Settings for type \"%1$s\""
283
+ msgstr "Impostazioni per il tipo \"%1$s\""
284
+
285
+ #: wp-to-twitter-manager.php:475
286
+ msgid "Update when %1$s %2$s is published"
287
+ msgstr "Aggiorna quando %1$s %2$s è pubblicato"
288
+
289
+ #: wp-to-twitter-manager.php:475
290
+ msgid "Text for new %1$s updates"
291
+ msgstr "Testo per nuovo %1$s aggiornato"
292
+
293
+ #: wp-to-twitter-manager.php:479
294
+ msgid "Update when %1$s %2$s is edited"
295
+ msgstr "Aggiorna quando %1$s %2$s è modificato"
296
+
297
+ #: wp-to-twitter-manager.php:479
298
+ msgid "Text for %1$s editing updates"
299
+ msgstr "Testo per %1$s aggiornato"
300
+
301
+ #: wp-to-twitter-oauth.php:209
302
+ msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
303
+ msgstr "Il fuso orario del tuo server (dovrebbe essere UTC,GMT,Europe/London o equivalente):"
304
+
305
+ #: wp-to-twitter-shorteners.php:555
306
+ msgid "Use Twitter Friendly Links."
307
+ msgstr "Utilizza Link in formato gradito a Twitter."
308
+
309
+ #: wp-to-twitter-shorteners.php:329
310
+ msgid "View your Bit.ly username and API key"
311
+ msgstr "Visualizza il tuo username di Bit.ly e la API key"
312
+
313
+ #: wp-to-twitter-shorteners.php:391
314
+ msgid "Your shortener does not require any account settings."
315
+ msgstr "Il tuo accorciatore di URL non richiede alcuna impostazione."
316
+
317
+ #: wp-to-twitter.php:288
318
+ msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
319
+ msgstr "La tua applicazione Twitter non ha i permessi di lettura e scrittura. Vai alle <a href=\"%s\">tue applicazioni Twitter</a> per modificare queste impostazioni."
320
+
321
+ #: wp-to-twitter.php:1046
322
+ msgid "Failed Tweets"
323
+ msgstr "Tweet falliti"
324
+
325
+ #: wp-to-twitter.php:1061
326
+ msgid "No failed tweets on this post."
327
+ msgstr "Non ci sono tweet falliti in questo articolo."
328
+
329
+ #: wp-to-twitter-manager.php:783
330
+ msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
331
+ msgstr "Aggiorna a <strong>WP Tweets PRO</strong> per avere più opzioni!"
332
+
333
+ #: wp-to-twitter-manager.php:815
334
+ msgid "<code>#reference#</code>: Used only in co-tweeting. @reference to main account when posted to author account, @reference to author account in post to main account."
335
+ msgstr "<code>#reference#</code>: Usato solo nel co-tweeting. @riferisce all'account principale quando è inviato all'account dell'autore, @riferisce all'account dell'autore per i post all'account principale."
336
+
337
+ #: wp-to-twitter-oauth.php:276
338
+ msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
339
+ msgstr "WP to Twitter non è riuscito a contattare i server di Twitter. Questo è l'errore ottenuto:"
340
+
341
+ #: wp-to-twitter.php:259
342
+ msgid "This account is not authorized to post to Twitter."
343
+ msgstr "Questo account non è autorizzato per inviare messaggi su Twitter."
344
+
345
+ #: wp-to-twitter.php:268
346
+ msgid "This tweet is identical to another Tweet recently sent to this account."
347
+ msgstr "Questo tweet è identico ad un altro tweet recentemente inviato a questo account."
348
+
349
+ #: wp-to-twitter.php:961
350
+ msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
351
+ msgstr "WP to Twitter può fare molto altro per te! Dai uno sguardo a WP Tweets Pro!"
352
+
353
+ #: wp-to-twitter-shorteners.php:295
354
+ msgid "(optional)"
355
+ msgstr "(facoltativo)"
356
+
357
+ #: wp-to-twitter-manager.php:599
358
+ msgid "Do not post Tweets by default (editing only)"
359
+ msgstr "Di default non inviare i Tweet (solo modifica)"
360
+
361
+ #: wp-to-twitter-manager.php:807
362
+ msgid "<code>#modified#</code>: the post modified date"
363
+ msgstr "<code>#modified#</code>: la data di modifica del post"
364
+
365
+ #: wp-to-twitter-oauth.php:274
366
+ msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
367
+ msgstr "Il tuo orario ha più di 5 minuti di differenza con Twitter e pertanto il tuo server potrebbe perdere la connessione con i loro."
368
+
369
+ #: wp-to-twitter-manager.php:644
370
+ msgid "Authors have individual Twitter accounts"
371
+ msgstr "Gli autori hanno degli account personali su Twitter"
372
+
373
+ #: wp-to-twitter-manager.php:687
374
+ msgid "Disable global URL shortener error messages."
375
+ msgstr "Disattiva i messaggi di errore globali generati accorciando la URL."
376
+
377
+ #: wp-to-twitter-manager.php:688
378
+ msgid "Disable global Twitter API error messages."
379
+ msgstr "Disattiva i messaggi di errore globali API Twitter."
380
+
381
+ #: wp-to-twitter-manager.php:690
382
+ msgid "Get Debugging Data for OAuth Connection"
383
+ msgstr "Ottieni i dati di Debugging per la connessione OAuth"
384
+
385
+ #: wp-to-twitter-manager.php:692
386
+ msgid "Switch to <code>http</code> connection. (Default is https)"
387
+ msgstr "Passa alla connessione <code>http</code>. (Quella di default è https)"
388
+
389
+ #: wp-to-twitter-manager.php:694
390
+ msgid "I made a donation, so stop whinging at me, please."
391
+ msgstr "Ho effettuato una donazione."
392
+
393
+ #: wp-to-twitter-manager.php:708
394
+ msgid "Limit Updating Categories"
395
+ msgstr "Limite aggiornamento categorie"
396
+
397
+ #: wp-to-twitter-manager.php:711
398
+ msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
399
+ msgstr "Se non ci sono categorie selezionate il blocco di alcune sarà ignorato e tutte le categorie verranno prese in considerazione per i Tweet."
400
+
401
+ #: wp-to-twitter-manager.php:712
402
+ msgid "<em>Category limits are disabled.</em>"
403
+ msgstr "<em>Le limitazioni alle categorie non sono attive.</em>"
404
+
405
+ #: wp-to-twitter-manager.php:721
406
+ msgid "Get Plug-in Support"
407
+ msgstr "Ottieni supporto per il plugin"
408
+
409
+ #: wp-to-twitter-manager.php:732
410
+ msgid "Check Support"
411
+ msgstr "Verifica assistenza"
412
+
413
+ #: wp-to-twitter-manager.php:732
414
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
415
+ msgstr "Utilizzare nel caso in cui il tuo server supporti le query di <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> per Twitter e per le API di accorciamento URL. Questo test invierà a Twitter un aggiornamento dello stato e accorcerà la URL utilizzando il metodo da te selezionato."
416
+
417
+ #: wp-to-twitter-manager.php:750
418
+ msgid "Support WP to Twitter"
419
+ msgstr "Supporta WP to Twitter"
420
+
421
+ #: wp-to-twitter-manager.php:752
422
+ msgid "WP to Twitter Support"
423
+ msgstr "Assistenza WP to Twitter"
424
+
425
+ #: wp-to-twitter-manager.php:760 wp-to-twitter.php:1067 wp-to-twitter.php:1069
426
+ msgid "Get Support"
427
+ msgstr "Ottieni assistenza"
428
+
429
+ #: wp-to-twitter-manager.php:763
430
+ msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a> Every donation counts - donate $2, $10, or $100 and help me keep this plug-in running!"
431
+ msgstr "<a href=\"http://www.joedolson.com/donate.php\">Fai una donazione oggi!</a> Ogni donazione conta - dona $2, $10, o $100 e aiutami a mantenere attivo questo plug-in!"
432
+
433
+ #: wp-to-twitter-manager.php:781
434
+ msgid "Upgrade Now!"
435
+ msgstr "Aggiorna ora!"
436
+
437
+ #: wp-to-twitter-manager.php:784
438
+ msgid "Extra features with the PRO upgrade:"
439
+ msgstr "Funzionalità extra che avrai con WP Tweets PRO:"
440
+
441
+ #: wp-to-twitter-manager.php:786
442
+ msgid "Users can post to their own Twitter accounts"
443
+ msgstr "Gli utenti possono inviare i post al loro account Twitter"
444
+
445
+ #: wp-to-twitter-manager.php:787
446
+ msgid "Set a timer to send your Tweet minutes or hours after you publish the post"
447
+ msgstr "Imposta un timer per inviare i tuoi Tweet dopo minuti oppure ore dalla pubblicazione del post"
448
+
449
+ #: wp-to-twitter-manager.php:788
450
+ msgid "Automatically re-send Tweets at an assigned time after publishing"
451
+ msgstr "Invia nuovamente i Tweet dopo un certo periodo dopo la pubblicazione"
452
+
453
+ #: wp-to-twitter-manager.php:797
454
+ msgid "Shortcodes"
455
+ msgstr "Codici brevi"
456
+
457
+ #: wp-to-twitter-manager.php:799
458
+ msgid "Available in post update templates:"
459
+ msgstr "Disponibili nei template di aggiornamento del post:"
460
+
461
+ #: wp-to-twitter-manager.php:801
462
+ msgid "<code>#title#</code>: the title of your blog post"
463
+ msgstr "<code>#title#</code>: il titolo del tuo post"
464
+
465
+ #: wp-to-twitter-manager.php:802
466
+ msgid "<code>#blog#</code>: the title of your blog"
467
+ msgstr "<code>#blog#</code>: il titolo del tuo blog"
468
+
469
+ #: wp-to-twitter-manager.php:803
470
+ msgid "<code>#post#</code>: a short excerpt of the post content"
471
+ msgstr "<code>#post#</code>: un breve riassunto dei contenuti del post"
472
+
473
+ #: wp-to-twitter-manager.php:804
474
+ msgid "<code>#category#</code>: the first selected category for the post"
475
+ msgstr "<code>#category#</code>: la prima categoria selezionata per il post"
476
+
477
+ #: wp-to-twitter-manager.php:806
478
+ msgid "<code>#date#</code>: the post date"
479
+ msgstr "<code>#date#</code>: la data del post"
480
+
481
+ #: wp-to-twitter-manager.php:808
482
+ msgid "<code>#url#</code>: the post URL"
483
+ msgstr "<code>#url#</code>: l'URL del post"
484
+
485
+ #: wp-to-twitter-manager.php:811
486
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
487
+ msgstr "<code>#account#</code>: il riferimento Twitter @ per l'account (o per l'autore, previa attivazione ed impostazione.)"
488
+
489
+ #: wp-to-twitter-manager.php:813
490
+ msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
491
+ msgstr "<code>#tags#</code>: i tuoi tag modificati in hashtag. Vedi le opzioni nelle Impostazioni Avanzate più in basso."
492
+
493
+ #: wp-to-twitter-manager.php:818
494
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
495
+ msgstr "Hai la possibilità di potere creare degli shortcode personalizzati grazie ai campi personalizzati di WordPress. Utilizza le doppie parentesi quadre per avvolgere il nome del tuo campo personalizzato per aggiungere il valore di quel dato campo al tuo stato di aggiornamento. Esempio: <code>[[custom_field]]</code></p>"
496
+
497
+ #: wp-to-twitter-oauth.php:107
498
+ msgid "WP to Twitter was unable to establish a connection to Twitter."
499
+ msgstr "WP to Twitter non è riuscito a stabilire una connessione con Twitter."
500
+
501
+ #: wp-to-twitter-oauth.php:177
502
+ msgid "There was an error querying Twitter's servers"
503
+ msgstr "C'è stato un errore nell'interrogare i server di Twitter"
504
+
505
+ #: wp-to-twitter-oauth.php:201 wp-to-twitter-oauth.php:203
506
+ msgid "Connect to Twitter"
507
+ msgstr "Collegati a Twitter"
508
+
509
+ #: wp-to-twitter-oauth.php:206
510
+ msgid "WP to Twitter Set-up"
511
+ msgstr "Impostazioni WP to Twitter"
512
+
513
+ #: wp-to-twitter-oauth.php:207 wp-to-twitter-oauth.php:298
514
+ #: wp-to-twitter-oauth.php:303
515
+ msgid "Your server time:"
516
+ msgstr "Ora del tuo server:"
517
+
518
+ #: wp-to-twitter-oauth.php:207
519
+ msgid "Twitter's time:"
520
+ msgstr "Orario di Twitter:"
521
+
522
+ #: wp-to-twitter-oauth.php:207
523
+ msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
524
+ msgstr "Se questi orari non sono distanti al più 5 minuti l'uno dall'altro, il tuo server non sarà in grado di connettersi a Twitter."
525
+
526
+ #: wp-to-twitter-oauth.php:213
527
+ msgid "1. Register this site as an application on "
528
+ msgstr "1. Registra questo sito come una applicazione sulla "
529
+
530
+ #: wp-to-twitter-oauth.php:213
531
+ msgid "Twitter's application registration page"
532
+ msgstr "pagina di registrazione applicazione Twitter"
533
+
534
+ #: wp-to-twitter-oauth.php:215
535
+ msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
536
+ msgstr "Se non sei ancora loggato in Twitter, effettua il login nell'account che vuoi associare al sito"
537
+
538
+ #: wp-to-twitter-oauth.php:216
539
+ msgid "Your Application's Name will show up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\""
540
+ msgstr "Il nome della tua applicazione (Application's Name) verrà mostrato dopo \"via\" nei tuoi tweet. Il nome della tua applicazione non può includere la parola \"Twitter\"."
541
+
542
+ #: wp-to-twitter-oauth.php:217
543
+ msgid "Your Application Description can be anything."
544
+ msgstr "La descrizione dell'applicazione (Application Description) può essere qualsiasi cosa."
545
+
546
+ #: wp-to-twitter-oauth.php:218
547
+ msgid "The WebSite and Callback URL should be "
548
+ msgstr "Il sito web ed il Callback URL dovrebbere essere "
549
+
550
+ #: wp-to-twitter-oauth.php:220
551
+ msgid "Agree to the Developer Rules of the Road and continue."
552
+ msgstr "Acconsenti a Developer Rules of the Road e prosegui."
553
+
554
+ #: wp-to-twitter-oauth.php:221
555
+ msgid "2. Switch to the \"Settings\" tab in Twitter apps"
556
+ msgstr "2. Passa alla scheda \"Impostazioni\" (\"Settings\") nelle app di Twitter"
557
+
558
+ #: wp-to-twitter-oauth.php:223
559
+ msgid "Select \"Read and Write\" for the Application Type"
560
+ msgstr "Seleziona \"Read and Write\" per il tipo di applicazione"
561
+
562
+ #: wp-to-twitter-oauth.php:224
563
+ msgid "Update the application settings"
564
+ msgstr "Aggiorna impostazioni applicazione"
565
+
566
+ #: wp-to-twitter-oauth.php:225
567
+ msgid "Return to the Details tab and create your access token. Refresh page to view your access tokens."
568
+ msgstr "Ritorna alla scheda \"Dettagli\" (\"Details\") e crea il tuo token di accesso. Aggiorna la pagina per vedere i tuoi token di accesso."
569
+
570
+ #: wp-to-twitter-oauth.php:227
571
+ msgid "Once you have registered your site as an application, you will be provided with four keys."
572
+ msgstr "Una volta registrato il tuo sito come applicazione, ti saranno fornite quattro chiavi."
573
+
574
+ #: wp-to-twitter-oauth.php:228
575
+ msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
576
+ msgstr "2. Copia ed incolla nei campi qui sotto la tua consumer key ed il consumer secret"
577
+
578
+ #: wp-to-twitter-oauth.php:231
579
+ msgid "Twitter Consumer Key"
580
+ msgstr "Twitter Consumer Key"
581
+
582
+ #: wp-to-twitter-oauth.php:235
583
+ msgid "Twitter Consumer Secret"
584
+ msgstr "Twitter Consumer Secret"
585
+
586
+ #: wp-to-twitter-oauth.php:239
587
+ msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
588
+ msgstr "3. Copia ed incolla nei campi qui sotto il tuo token di accesso e secret"
589
+
590
+ #: wp-to-twitter-oauth.php:240
591
+ msgid "If the Access level for your Access Token is not \"<em>Read and write</em>\", you must return to step 2 and generate a new Access Token."
592
+ msgstr "Se il livello di accesso per il tuo token di accesso non è \"<em>Lettura e Scrittura</em>\", devi ritornare al passo 2 e generare un nuovo token di accesso."
593
+
594
+ #: wp-to-twitter-oauth.php:243
595
+ msgid "Access Token"
596
+ msgstr "Token d'accesso"
597
+
598
+ #: wp-to-twitter-oauth.php:247
599
+ msgid "Access Token Secret"
600
+ msgstr "Token d'accesso - Secret"
601
+
602
+ #: wp-to-twitter-oauth.php:266
603
+ msgid "Disconnect Your WordPress and Twitter Account"
604
+ msgstr "Scollega il tuo account WordPress e Twitter"
605
+
606
+ #: wp-to-twitter-oauth.php:270
607
+ msgid "Disconnect your WordPress and Twitter Account"
608
+ msgstr "Disconnetti il tuo account WordPress e Twitter"
609
+
610
+ #: wp-to-twitter-oauth.php:280
611
+ msgid "Disconnect from Twitter"
612
+ msgstr "Disconnettiti da Twitter"
613
+
614
+ #: wp-to-twitter-oauth.php:286
615
+ msgid "Twitter Username "
616
+ msgstr "Nome utente Twitter"
617
+
618
+ #: wp-to-twitter-oauth.php:287
619
+ msgid "Consumer Key "
620
+ msgstr "Consumer Key "
621
+
622
+ #: wp-to-twitter-oauth.php:288
623
+ msgid "Consumer Secret "
624
+ msgstr "Consumer Secret "
625
+
626
+ #: wp-to-twitter-oauth.php:289
627
+ msgid "Access Token "
628
+ msgstr "Token d'accesso"
629
+
630
+ #: wp-to-twitter-oauth.php:290
631
+ msgid "Access Token Secret "
632
+ msgstr "Token d'accesso - Secret"
633
+
634
+ #: wp-to-twitter.php:42
635
+ msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
636
+ msgstr "WP to Twitter richiede una versione pari a o maggiore di PHP 5. Per favore aggiorna la tua versione di PHP per poter utilizzare WP to Twitter."
637
+
638
+ #: wp-to-twitter-oauth.php:192
639
+ msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
640
+ msgstr "Twitter necessita una autentificazione via OAuth. Aggiorna le tue <a href='%s'>impostazioni</a> per completare l'installazione di WP to Twitter."
641
+
642
+ #: wp-to-twitter.php:293
643
+ msgid "200 OK: Success!"
644
+ msgstr "200 OK: Successo!"
645
+
646
+ #: wp-to-twitter.php:297
647
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
648
+ msgstr "400 Bad Request: La richiesta non é valida. L'utilizzo di questo codice é relativo al limite delle chiamate."
649
+
650
+ #: wp-to-twitter.php:300
651
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
652
+ msgstr "401 Unauthorized: quando mancano oppure sono inesatte le credenziali per l'autentificazione."
653
+
654
+ #: wp-to-twitter.php:316
655
+ msgid "500 Internal Server Error: Something is broken at Twitter."
656
+ msgstr "500 Internal Server Error: problemi interni a Twitter."
657
+
658
+ #: wp-to-twitter.php:322
659
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
660
+ msgstr "503 Service Unavailable: i server di Twitter funzionano, ma sono sommersi di richieste. Prova più tardi."
661
+
662
+ #: wp-to-twitter.php:319
663
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
664
+ msgstr "502 Bad Gateway: Twitter é down oppure sotto aggiornamento."
665
+
666
+ #: wp-to-twitter.php:354
667
+ msgid "No Twitter OAuth connection found."
668
+ msgstr "Non è stata trovata la connessione a Twitter OAuth."
669
+
670
+ #: wp-to-twitter.php:1032
671
+ msgid "Previous Tweets"
672
+ msgstr "Tweet precedenti"
673
+
674
+ #: wp-to-twitter.php:964
675
+ msgid "Custom Twitter Post"
676
+ msgstr "Messaggio personalizzato Twitter"
677
+
678
+ #: wp-to-twitter.php:988
679
+ msgid "Your template:"
680
+ msgstr "Il tuo template:"
681
+
682
+ #: wp-to-twitter.php:993
683
+ msgid "YOURLS Custom Keyword"
684
+ msgstr "YOURLS - Custom Keyword"
685
+
686
+ #: wp-to-twitter.php:1067
687
+ msgid "Upgrade to WP Tweets Pro"
688
+ msgstr "Aggiorna a WP Tweets Pro"
689
+
690
+ #: wp-to-twitter.php:1005
691
+ msgid "Don't Tweet this post."
692
+ msgstr "Non segnalare a Twitter questo articolo."
693
+
694
+ #: wp-to-twitter.php:1005
695
+ msgid "Tweet this post."
696
+ msgstr "Segnala a Twitter questo articolo."
697
+
698
+ #: wp-to-twitter.php:1017
699
+ msgid "Access to customizing WP to Twitter values is not allowed for your user role."
700
+ msgstr "L'accesso alla personalizzazione dei valori per WP to Twitter non è permessa ad utenti col tuo ruolo."
701
+
702
+ #: wp-to-twitter.php:1106
703
+ msgid "Characters left: "
704
+ msgstr "Caratteri mancanti:"
705
+
706
+ #: wp-to-twitter.php:1166
707
+ msgid "WP Tweets User Settings"
708
+ msgstr "Impostazioni utente di WP Tweets"
709
+
710
+ #: wp-to-twitter.php:1170
711
+ msgid "Use My Twitter Username"
712
+ msgstr "Utilizza il mio nome utente Twitter"
713
+
714
+ #: wp-to-twitter.php:1171
715
+ msgid "Tweet my posts with an @ reference to my username."
716
+ msgstr "Segnala i miei articoli con un riferimento @ correlato al mio nome utente."
717
+
718
+ #: wp-to-twitter.php:1172
719
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
720
+ msgstr "Segnala i miei articoli con un riferimento @ correlato tanto al mio nome utente per il sito principale quanto al mio nome utente."
721
+
722
+ #: wp-to-twitter.php:1176
723
+ msgid "Your Twitter Username"
724
+ msgstr "Nome utente Twitter"
725
+
726
+ #: wp-to-twitter.php:1177
727
+ msgid "Enter your own Twitter username."
728
+ msgstr "Inserisci il tuo nome utente Twitter"
729
+
730
+ #: wp-to-twitter.php:1233
731
+ msgid "Check off categories to tweet"
732
+ msgstr "Togli la spunta alle categorie per le quali inviare i tweet"
733
+
734
+ #: wp-to-twitter.php:1237
735
+ msgid "Do not tweet posts in checked categories (Reverses default behavior)"
736
+ msgstr "Non inviare i tweet per le categorie selezionate (Inverte il comportamento di default)"
737
+
738
+ #: wp-to-twitter.php:1254
739
+ msgid "Limits are exclusive. If a post is in one category which should be posted and one category that should not, it will not be posted."
740
+ msgstr "I limiti sono esclusivi. Se un post è in una categoria che dovrebbe essere inviata ed una che non lo dovrebbe, il Tweet non verrà inviato."
741
+
742
+ #: wp-to-twitter.php:1257
743
+ msgid "Set Categories"
744
+ msgstr "Imposta le categorie"
745
+
746
+ #: wp-to-twitter.php:1280
747
+ msgid "Settings"
748
+ msgstr "Impostazioni"
749
+
750
+ #: wp-to-twitter.php:1318
751
+ msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
752
+ msgstr "<br /><strong>Nota:</strong> Leggi il <a class=\"thickbox\" href=\"%1$s\">changelog</a> prima di aggiornare."
753
+
754
+ msgid "WP to Twitter"
755
+ msgstr "WP to Twitter"
756
+
757
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
758
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
759
+
760
+ msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
761
+ msgstr "Invia un Tweet quanto aggiorni il tuo blog WordPress o il tuo blogroll usando il servizio di accorciamento URL di tua scelta. Ricco di funzioni per la personalizzazione e la promozione dei tuoi Tweet."
762
+
763
+ msgid "Joseph Dolson"
764
+ msgstr "Joseph Dolson"
765
+
766
+ msgid "http://www.joedolson.com/"
767
+ msgstr "http://www.joedolson.com/"
768
+
769
+ #: wpt-functions.php:233
770
+ msgid "Please read the FAQ and other Help documents before making a support request."
771
+ msgstr "Leggi le FAQ e le documentazioni di aiuto prima di inviare una richiesta di supporto."
772
+
773
+ #: wpt-functions.php:235
774
+ msgid "Please describe your problem. I'm not psychic."
775
+ msgstr "Descrivi il tuo problema. Grazie."
776
+
777
+ #: wpt-functions.php:256
778
+ msgid "<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message."
779
+ msgstr "<strong>Nota</strong>: sebbene conservi un elenco dei donatori e la tua donazione provenisse da un nome differente da quello indicato nel tuo account, ti invito a indicarlo nel tuo messaggio."
780
+
781
+ #: wpt-functions.php:273
782
+ msgid "Send Support Request"
783
+ msgstr "Invia richiesta supporto"
784
+
785
+ #: wpt-functions.php:276
786
+ msgid "The following additional information will be sent with your support request:"
787
+ msgstr "Le seguenti informazioni saranno inviate insieme alla tua richiesta:"
788
+
789
+ #: wp-to-twitter-manager.php:39
790
+ msgid "No error information is available for your shortener."
791
+ msgstr "Nessuna informazione di errore disponibile per il servizio di accorciamento URL da te scelto."
792
+
793
+ #: wp-to-twitter-manager.php:41
794
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
795
+ msgstr "<li class=\"error\"><strong>WP to Twitter non é stato in grado di contattare il servizio per gli URL brevi da te selezionato.</strong></li>"
796
+
797
+ #: wp-to-twitter-manager.php:44
798
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
799
+ msgstr "<li><strong>WP to Twitter ha contattato con successo il servizio per gli URL brevi da te selezionato.</strong> Il seguente link dovrebbe puntare alla homepage del tuo blog:"
800
+
801
+ #: wp-to-twitter-manager.php:52
802
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
803
+ msgstr "<li><strong>WP to Twitter ha inviato con successo l'aggiornamento dello stato a Twitter.</strong></li>"
804
+
805
+ #: wp-to-twitter-manager.php:55
806
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
807
+ msgstr "<li class=\"error\"><strong>WP to Twitter non é stato in grado di inviare l'aggiornamento a Twitter.</strong></li>"
808
+
809
+ #: wp-to-twitter-manager.php:59
810
+ msgid "You have not connected WordPress to Twitter."
811
+ msgstr "Non hai connesso WordPress a Twitter."
812
+
813
+ #: wp-to-twitter-manager.php:63
814
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
815
+ msgstr "<li class=\"error\"><strong>Pare che il tuo server non supporti le funzioni richieste affinché WP to Twitter possa funzionare correttamente.</strong> Puoi comunque provare ugualmente - queste verifiche non sono perfette - garantisco i risultati.</li>"
816
+
817
+ #: wp-to-twitter-manager.php:67
818
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
819
+ msgstr "<li><strong>WP to Twitter funziona correttamente per il tuo server.</strong></li>"
820
+
821
+ #: wp-to-twitter-manager.php:85
822
+ msgid "WP to Twitter Errors Cleared"
823
+ msgstr "Gli errori WP to Twitter sono stati azzerati"
824
+
825
+ #: wp-to-twitter-manager.php:169
826
+ msgid "WP to Twitter is now connected with Twitter."
827
+ msgstr "WP to Twitter é ora connesso a Twitter."
828
+
829
+ #: wp-to-twitter-manager.php:183
830
+ msgid "OAuth Authentication Data Cleared."
831
+ msgstr "I dati della autentificazione OAuth sono stati svuotati."
832
+
833
+ #: wp-to-twitter-manager.php:190
834
+ msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
835
+ msgstr "Autentificazione OAuth fallita. L'ora del tuo sever non é sicronizzata con i server di Twitter. Comunica il problema al tuo fornitore di hosting."
836
+
837
+ #: wp-to-twitter-manager.php:197
838
+ msgid "OAuth Authentication response not understood."
839
+ msgstr "Risposta Autentificazione OAuth non valida."
840
+
841
+ #: wp-to-twitter-manager.php:360
842
+ msgid "WP to Twitter Advanced Options Updated"
843
+ msgstr "Le opzioni avanzate di WP to Twitter sono state aggiornate"
844
+
845
+ #: wp-to-twitter-shorteners.php:523
846
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
847
+ msgstr "E' necessario che tu inserisca i dati per il login e la chiave API di Bit.ly in modo da potere accorciare le URL con Bit.ly."
848
+
849
+ #: wp-to-twitter-shorteners.php:531
850
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
851
+ msgstr "E' necessario che tu inserisca il tuo URL remoto a YOURLS, il login e la password in modo da potere accorciare le URL attraverso la tua installazione remota di YOURLS."
852
+
853
+ #: wp-to-twitter-shorteners.php:535
854
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
855
+ msgstr "E' necessario che tu inserisca il percorso al server del tuo YOURLS in modo da potere accorciare le URL attraverso la tua installazione remota di YOURLS."
856
+
857
+ #: wp-to-twitter-manager.php:382
858
+ msgid "WP to Twitter Options Updated"
859
+ msgstr "Le opzioni di WP to Twitter sono state aggiornate"
860
+
861
+ #: wp-to-twitter-manager.php:391
862
+ msgid "Category limits updated."
863
+ msgstr "I limiti per la categoria sono stati aggiornati."
864
+
865
+ #: wp-to-twitter-manager.php:395
866
+ msgid "Category limits unset."
867
+ msgstr "Le limitazioni alle categorie non sono state impostate."
868
+
869
+ #: wp-to-twitter-shorteners.php:403
870
+ msgid "YOURLS password updated. "
871
+ msgstr "La password di YOURLS é stata aggiornata."
872
+
873
+ #: wp-to-twitter-shorteners.php:406
874
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
875
+ msgstr "La tua password di YOURLS é stata cancellata. Non potrai utilizzare il tuo account remoto YOURLS per la creazione di URL brevi."
876
+
877
+ #: wp-to-twitter-shorteners.php:408
878
+ msgid "Failed to save your YOURLS password! "
879
+ msgstr "Non é stato possibile salvare la tua password di YOURLS!"
880
+
881
+ #: wp-to-twitter-shorteners.php:412
882
+ msgid "YOURLS username added. "
883
+ msgstr "Il nome utente YOURLS é stato aggiunto."
884
+
885
+ #: wp-to-twitter-shorteners.php:416
886
+ msgid "YOURLS API url added. "
887
+ msgstr "L'url alla API YOURLS é stato aggiunto. "
888
+
889
+ #: wp-to-twitter-shorteners.php:419
890
+ msgid "YOURLS API url removed. "
891
+ msgstr "L'url alla API YOURLS é stato rimosso. "
892
+
893
+ #: wp-to-twitter-shorteners.php:424
894
+ msgid "YOURLS local server path added. "
895
+ msgstr "Il percorso al server locale di YOURLS é stato aggiunto. "
896
+
897
+ #: wp-to-twitter-shorteners.php:426
898
+ msgid "The path to your YOURLS installation is not correct. "
899
+ msgstr "Il percorso alla tua installazione di YOURLS non é corretto. "
900
+
901
+ #: wp-to-twitter-shorteners.php:430
902
+ msgid "YOURLS local server path removed. "
903
+ msgstr "Il percorso al server locale di YOURLS é stato rimosso. "
904
+
905
+ #: wp-to-twitter-shorteners.php:435
906
+ msgid "YOURLS will use Post ID for short URL slug."
907
+ msgstr "YOURLS utilizzerà Post ID per lo slug degli URL brevi."
908
+
909
+ #: wp-to-twitter-shorteners.php:437
910
+ msgid "YOURLS will use your custom keyword for short URL slug."
911
+ msgstr "YOURLS utilizzerà la tua keyword personalizzata per lo slug degli URL brevi."
912
+
913
+ #: wp-to-twitter-shorteners.php:441
914
+ msgid "YOURLS will not use Post ID for the short URL slug."
915
+ msgstr "YOURLS non utilizzerà Post ID per lo slug degli URL brevi."
916
+
917
+ #: wp-to-twitter-shorteners.php:449
918
+ msgid "Su.pr API Key and Username Updated"
919
+ msgstr "La chiave API ed il nome utente di Su.pr sono stati aggiornati"
920
+
921
+ #: wp-to-twitter-shorteners.php:453
922
+ msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
923
+ msgstr "La chiave API ed il nome utente di Su.pr sono stati cancellati. Gli URL di Su.pr creati da WP to Twitter non saranno più associati al tuo account. "
924
+
925
+ #: wp-to-twitter-shorteners.php:455
926
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
927
+ msgstr "Non é stata inserita la chiave API di Su.pr - <a href='http://su.pr/'>vai qui</a>! "
928
+
929
+ #: wp-to-twitter-shorteners.php:461
930
+ msgid "Bit.ly API Key Updated."
931
+ msgstr "La chiave API di Bit.ly é stata aggiornata."
932
+
933
+ #: wp-to-twitter-shorteners.php:464
934
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
935
+ msgstr "La chiave API di Bit.ly é stata cancellata. Non puoi utilizzare la API di Bit.ly senza la chiave API. "
936
+
937
+ #: wp-to-twitter-shorteners.php:466
938
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
939
+ msgstr "La chiave API di Bit.ly non é stata aggiunta - <a href='http://bit.ly/account/'>vai qui</a>! E' necessaria una chiave API affinché il servizio di URL brevi Bit.ly di possa funzionare."
940
+
941
+ #: wp-to-twitter-shorteners.php:470
942
+ msgid " Bit.ly User Login Updated."
943
+ msgstr " Il login utente per Bit.ly é stato aggiornato."
944
+
945
+ #: wp-to-twitter-shorteners.php:473
946
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
947
+ msgstr "Sono stati cancellati i dati per il login utente Bit.ly. Non puoi utilizzare la API di Bit.ly senza fornire il tuo nome utente. "
948
+
949
+ #: wp-to-twitter-shorteners.php:475
950
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
951
+ msgstr "Non sono stati inseriti i dati per il login a Bit.ly - <a href='http://bit.ly/account/'>vai qui</a>! "
952
+
953
+ #: wp-to-twitter-manager.php:414
954
+ msgid "<p>One or more of your last posts has failed to send a status update to Twitter. The Tweet has been saved, and you can re-Tweet it at your leisure.</p>"
955
+ msgstr "<p>Uno o più dei tuoi ultimi post ha fallito nell'inviare la richiesta di aggiornamento di stato a Twitter. Il Tweet comunque è stato salvato e puoi inviarlo nuovamente quando ti è più comodo.</p>"
956
+
957
+ #: wp-to-twitter-manager.php:420
958
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
959
+ msgstr "Non é stato possibile contattare i server di Twitter per comunicare il tuo <strong>nuovo link</strong>. Prova a compiere manualmente l'operazione."
960
+
961
+ #: wp-to-twitter-manager.php:423
962
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues.</p>"
963
+ msgstr "<p>La richiesta alle API per il servizio di accorciamento delle URL è fallita e quindi la tua URL non è stata accorciata. La URL lunga è stata usata per il tuo Tweet. Contatta il tuo servizio di accorciamento URL per verificare se ci sono problemi.</p>"
964
+
965
+ #: wp-to-twitter-manager.php:429
966
+ msgid "Clear 'WP to Twitter' Error Messages"
967
+ msgstr "Svuota i messaggiodi errore 'WP to Twitter'"
968
+
969
+ #: wp-to-twitter-manager.php:435
970
+ msgid "WP to Twitter Options"
971
+ msgstr "Opzioni WP to Twitter"
972
+
973
+ #: wp-to-twitter-manager.php:448
974
+ msgid "Basic Settings"
975
+ msgstr "Impostazioni di base"
976
+
977
+ #: wp-to-twitter-manager.php:454 wp-to-twitter-manager.php:507
978
+ msgid "Save WP->Twitter Options"
979
+ msgstr "Salva le opzioni WP->Twitter"
980
+
981
+ #: wp-to-twitter-manager.php:487
982
+ msgid "Settings for Comments"
983
+ msgstr "Impostazioni commenti"
984
+
985
+ #: wp-to-twitter-manager.php:490
986
+ msgid "Update Twitter when new comments are posted"
987
+ msgstr "Aggiorna Twitter quando vengono inviati nuovi commenti"
988
+
989
+ #: wp-to-twitter-manager.php:491
990
+ msgid "Text for new comments:"
991
+ msgstr "Testo per nuovi commenti:"
992
+
993
+ #: wp-to-twitter-manager.php:496
994
+ msgid "Settings for Links"
995
+ msgstr "Impostazioni link"
996
+
997
+ #: wp-to-twitter-manager.php:499
998
+ msgid "Update Twitter when you post a Blogroll link"
999
+ msgstr "Aggiorna Twitter quando viene aggiunto un nuovo link al blogroll"
1000
+
1001
+ #: wp-to-twitter-manager.php:500
1002
+ msgid "Text for new link updates:"
1003
+ msgstr "Testo per gli aggiornamenti di un nuovo link:"
1004
+
1005
+ #: wp-to-twitter-manager.php:500
1006
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
1007
+ msgstr "Shortcode disponibili: <code>#url#</code>, <code>#title#</code> e <code>#description#</code>."
1008
+
1009
+ #: wp-to-twitter-shorteners.php:547
1010
+ msgid "Don't shorten URLs."
1011
+ msgstr "Non usare gli URL brevi"
1012
+
1013
+ #: wp-to-twitter-shorteners.php:291
1014
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
1015
+ msgstr "Impostazione account per il servizio di accorciamento di <abbr title=\"Uniform Resource Locator\">URL</abbr>"
1016
+
1017
+ #: wp-to-twitter-shorteners.php:295
1018
+ msgid "Your Su.pr account details"
1019
+ msgstr "Dati account Su.pr"
1020
+
1021
+ #: wp-to-twitter-shorteners.php:300
1022
+ msgid "Your Su.pr Username:"
1023
+ msgstr "Nome utente Su.pr:"
1024
+
1025
+ #: wp-to-twitter-shorteners.php:304
1026
+ msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
1027
+ msgstr "La tua chiave <abbr title='application programming interface'>API</abbr> di Su.pr:"
1028
+
1029
+ #: wp-to-twitter-shorteners.php:311
1030
+ msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
1031
+ msgstr "Non hai ancora un account oppure una chiave API Su.pr? <a href='http://su.pr/'>Vai qui</a>!<br />E' necessaria una chiave API in modo tale da potere associare gli URL da te creati con il tuo account di Su.pr."
1032
+
1033
+ #: wp-to-twitter-shorteners.php:317
1034
+ msgid "Your Bit.ly account details"
1035
+ msgstr "Dati account Bit.ly"
1036
+
1037
+ #: wp-to-twitter-shorteners.php:322
1038
+ msgid "Your Bit.ly username:"
1039
+ msgstr "Nome utente Bit.ly:"
1040
+
1041
+ #: wp-to-twitter-shorteners.php:326
1042
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
1043
+ msgstr "La tua chiave <abbr title='application programming interface'>API</abbr> di Bit.ly:"
1044
+
1045
+ #: wp-to-twitter-shorteners.php:334
1046
+ msgid "Save Bit.ly API Key"
1047
+ msgstr "Salva la chiave API di Bit.ly"
1048
+
1049
+ #: wp-to-twitter-shorteners.php:334
1050
+ msgid "Clear Bit.ly API Key"
1051
+ msgstr "Svuota la chiave API di Bit.ly"
1052
+
1053
+ #: wp-to-twitter-shorteners.php:334
1054
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
1055
+ msgstr "E' necessario il nome utente e la chiave API di Bit.ly per potere rendere brevi gli URL via la API di Bit.ly e WP to Twitter."
1056
+
1057
+ #: wp-to-twitter-shorteners.php:340
1058
+ msgid "Your YOURLS account details"
1059
+ msgstr "I dettagli del tuo account YOURLS"
1060
+
1061
+ #: wp-to-twitter-shorteners.php:345
1062
+ msgid "Path to your YOURLS config file (Local installations)"
1063
+ msgstr "Percorso al file di configurazione YOURLS (installazioni locali)"
1064
+
1065
+ #: wp-to-twitter-shorteners.php:346 wp-to-twitter-shorteners.php:350
1066
+ msgid "Example:"
1067
+ msgstr "Esempio:"
1068
+
1069
+ #: wp-to-twitter-shorteners.php:349
1070
+ msgid "URI to the YOURLS API (Remote installations)"
1071
+ msgstr "URI alla API di YOURLS (installazioni remote)"
1072
+
1073
+ #: wp-to-twitter-shorteners.php:353
1074
+ msgid "Your YOURLS username:"
1075
+ msgstr "Nome utente YOURLS:"
1076
+
1077
+ #: wp-to-twitter-shorteners.php:357
1078
+ msgid "Your YOURLS password:"
1079
+ msgstr "Password YOURLS:"
1080
+
1081
+ #: wp-to-twitter-shorteners.php:357
1082
+ msgid "<em>Saved</em>"
1083
+ msgstr "<em>Salvato</em>"
1084
+
1085
+ #: wp-to-twitter-shorteners.php:361
1086
+ msgid "Post ID for YOURLS url slug."
1087
+ msgstr "ID post per lo slug degli url di YOURLS."
1088
+
1089
+ #: wp-to-twitter-shorteners.php:362
1090
+ msgid "Custom keyword for YOURLS url slug."
1091
+ msgstr "Keyword personalizzata per lo slug degli url di YOURLS."
1092
+
1093
+ #: wp-to-twitter-shorteners.php:363
1094
+ msgid "Default: sequential URL numbering."
1095
+ msgstr "Predefinito: numerazione sequenziale URL."
1096
+
1097
+ #: wp-to-twitter-shorteners.php:369
1098
+ msgid "Save YOURLS Account Info"
1099
+ msgstr "Salva le info account di YOURLS"
1100
+
1101
+ #: wp-to-twitter-shorteners.php:369
1102
+ msgid "Clear YOURLS password"
1103
+ msgstr "Svuota la password di YOURLS"
1104
+
1105
+ #: wp-to-twitter-shorteners.php:369
1106
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
1107
+ msgstr "Nome utente e password sono necessari per accorciare le URL attraverso le API di YOURLS e di WP to Twitter."
1108
+
1109
+ #: wp-to-twitter-manager.php:518
1110
+ msgid "Advanced Settings"
1111
+ msgstr "Impostazioni avanzate"
1112
+
1113
+ #: wp-to-twitter-manager.php:523 wp-to-twitter-manager.php:700
1114
+ msgid "Save Advanced WP->Twitter Options"
1115
+ msgstr "Salva avanzate WP->Opzioni Twitter"
1116
+
1117
+ #: wp-to-twitter-manager.php:528
1118
+ msgid "Strip nonalphanumeric characters from tags"
1119
+ msgstr "Rimuovi i caratteri non alfanumerici dai tag"
1120
+
1121
+ #: wp-to-twitter-manager.php:534
1122
+ msgid "Spaces in tags replaced with:"
1123
+ msgstr "Sostituisci gli spazi trai tag con:"
1124
+
1125
+ #: wp-to-twitter-manager.php:537
1126
+ msgid "Maximum number of tags to include:"
1127
+ msgstr "Numero massimo di tag da includere:"
1128
+
1129
+ #: wp-to-twitter-manager.php:538
1130
+ msgid "Maximum length in characters for included tags:"
1131
+ msgstr "Lunghezza massima in caratteri per i tag inclusi:"
1132
+
1133
+ #: wp-to-twitter-manager.php:544
1134
+ msgid "Length of post excerpt (in characters):"
1135
+ msgstr "Lunghezza riassunto messaggi (in caratteri)"
1136
+
1137
+ #: wp-to-twitter-manager.php:547
1138
+ msgid "WP to Twitter Date Formatting:"
1139
+ msgstr "Formattazione data WP to Twitter:"
1140
+
1141
+ #: wp-to-twitter-manager.php:547
1142
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1143
+ msgstr "Predefinito dalle impostazioni generali. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Info formattazione data</a>."
1144
+
1145
+ #: wp-to-twitter-manager.php:551
1146
+ msgid "Custom text before all Tweets:"
1147
+ msgstr "Testo personalizzato prima di tutti i messaggi:"
1148
+
1149
+ #: wp-to-twitter-manager.php:554
1150
+ msgid "Custom text after all Tweets:"
1151
+ msgstr "Testo personalizzato dopo tutti i messaggi:"
1152
+
1153
+ #: wp-to-twitter-manager.php:557
1154
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1155
+ msgstr "Campo personalizzato per inserire una URL alternativa da accorciare e inviare a Twitter:"
1156
+
1157
+ #: wp-to-twitter-manager.php:594
1158
+ msgid "Special Cases when WordPress should send a Tweet"
1159
+ msgstr "Casi particolari nei quali WordPress dovrebbe inviare un messaggio"
1160
+
1161
+ #: wp-to-twitter-manager.php:597
1162
+ msgid "Do not post Tweets by default"
1163
+ msgstr "Di default non inviare i Tweet"
1164
+
1165
+ #: wp-to-twitter-manager.php:603
1166
+ msgid "Allow status updates from Quick Edit"
1167
+ msgstr "Permetti aggiornamenti stato via Quick Edit"
1168
+
1169
+ #: wp-to-twitter-manager.php:608
1170
+ msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
1171
+ msgstr "Ritardare i tweet con WP Tweets PRO sposta i Tweet verso un'azione di pubblicazione indipendente."
1172
+
1173
+ #: wp-to-twitter-manager.php:615
1174
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1175
+ msgstr "Invio degli aggiornamenti di Twitter via punti di pubblicazione remoti (Email o client XMLRPC)"
1176
+
1177
+ #: wp-to-twitter-manager.php:620
1178
+ msgid "Google Analytics Settings"
1179
+ msgstr "Impostazioni Google Analytics"
1180
+
1181
+ #: wp-to-twitter-manager.php:621
1182
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
1183
+ msgstr "Puoi tracciare la risposta da Twitter utilizzando Google Analytics definendo qui l'identificatore. Puoi definire un identificatore statico oppure uno dinamico. Gli identificatori statici non mutano da post a post mentre quelli dinamici derivano dalle informazioni di maggior rilievo appartenenti a quel post specifico. Gli identificatori dinamici ti permetteranno di analizzare le tue statistiche attraverso una variabile aggiuntiva."
1184
+
1185
+ #: wp-to-twitter-manager.php:625
1186
+ msgid "Use a Static Identifier with WP-to-Twitter"
1187
+ msgstr "Utilizza un identificatore statico per WP-to-Twitter"
1188
+
1189
+ #: wp-to-twitter-manager.php:626
1190
+ msgid "Static Campaign identifier for Google Analytics:"
1191
+ msgstr "Identificatore statico Google Analytics:"
1192
+
1193
+ #: wp-to-twitter-manager.php:630
1194
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1195
+ msgstr "Utilizza un identificatore dinamico per Google Analytics e WP-to-Twitter"
1196
+
1197
+ #: wp-to-twitter-manager.php:631
1198
+ msgid "What dynamic identifier would you like to use?"
1199
+ msgstr "Quale identificatore dinamico desideri utilizzare?"
1200
+
1201
+ #: wp-to-twitter-manager.php:633
1202
+ msgid "Category"
1203
+ msgstr "Categoria"
1204
+
1205
+ #: wp-to-twitter-manager.php:634
1206
+ msgid "Post ID"
1207
+ msgstr "ID post"
1208
+
1209
+ #: wp-to-twitter-manager.php:635
1210
+ msgid "Post Title"
1211
+ msgstr "Titolo post"
1212
+
1213
+ #: wp-to-twitter-manager.php:636
1214
+ msgid "Author"
1215
  msgstr "Autore"
wp-to-twitter-ja.mo → lang/wp-to-twitter-ja.mo RENAMED
File without changes
wp-to-twitter-ja.po → lang/wp-to-twitter-ja.po RENAMED
@@ -1,892 +1,892 @@
1
- # Copyright (C) 2010 WP to Twitter
2
- # This file is distributed under the same license as the WP to Twitter package.
3
- msgid ""
4
- msgstr ""
5
- "Project-Id-Version: WP to Twitter 2.2.9\n"
6
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
7
- "POT-Creation-Date: 2011-04-12 22:29:25+00:00\n"
8
- "PO-Revision-Date: 2011-04-26 18:12+0900\n"
9
- "Last-Translator: cat <info@kndb.jp>\n"
10
- "Language-Team: \n"
11
- "MIME-Version: 1.0\n"
12
- "Content-Type: text/plain; charset=UTF-8\n"
13
- "Content-Transfer-Encoding: 8bit\n"
14
- "X-Poedit-Language: Japanese\n"
15
- "X-Poedit-Country: JAPAN\n"
16
-
17
- #: functions.php:193
18
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
19
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>隠す</a>] なにか問題が起こってサポートをリクエストする場合は、この設定をコピーして送信してください。"
20
-
21
- #: wp-to-twitter-oauth.php:105
22
- #: wp-to-twitter-oauth.php:144
23
- msgid "Connect to Twitter"
24
- msgstr "Twitter と連携"
25
-
26
- #: wp-to-twitter-oauth.php:109
27
- msgid "The process to set up OAuth authentication for your web site is needlessly laborious. It is also confusing. However, this is the only method available from Twitter. Note that you will not add your Twitter username or password to WP to Twitter; they are not used in OAuth authentication."
28
- msgstr "OAuth 認証の設定は無駄に面倒ですし、わけがわからないものでしょう。ですがこれが Twitter で認証するための唯一の方法なのです。 とはいえ WP to Twiitter に Twitter のユーザー名やパスワードを保存する必要がないことに注目してください。 OAuth 認証ではそういうものは必要ないのです。"
29
-
30
- #: wp-to-twitter-oauth.php:112
31
- msgid "1. Register this site as an application on "
32
- msgstr "1. このサイトをアプリケーションとして登録する: "
33
-
34
- #: wp-to-twitter-oauth.php:112
35
- msgid "Twitter's application registration page"
36
- msgstr "Twitter アプリケーション登録ページ"
37
-
38
- #: wp-to-twitter-oauth.php:114
39
- msgid "If you're not currently logged in, use the Twitter username and password which you want associated with this site"
40
- msgstr "Twitter 側で現在ログインしていない場合は、このサイトと結び付けたいアカウントのユーザー名とパスワードでログインしてください"
41
-
42
- #: wp-to-twitter-oauth.php:115
43
- msgid "Your Application's Name will be what shows up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\" Use the name of your web site."
44
- msgstr "アプリケーション名 (Application's Name) : つぶやきの「○○から」として表示されます。「Twitter」という単語を含めることはできません。サイト名を使うのがいいでしょう。"
45
-
46
- #: wp-to-twitter-oauth.php:116
47
- msgid "Your Application Description can be whatever you want."
48
- msgstr "アプリケーションの説明 (Application Description) : なんでもお好きなことを書いてください"
49
-
50
- #: wp-to-twitter-oauth.php:117
51
- msgid "Application Type should be set on "
52
- msgstr "アプリケーションの種類 (Application Type): "
53
-
54
- #: wp-to-twitter-oauth.php:117
55
- msgid "Browser"
56
- msgstr "ブラウザアプリケーション (Browser)"
57
-
58
- #: wp-to-twitter-oauth.php:118
59
- msgid "The Callback URL should be "
60
- msgstr "コールバック URL(Callback URL) : "
61
-
62
- #: wp-to-twitter-oauth.php:119
63
- msgid "Default Access type must be set to "
64
- msgstr "標準のアクセスタイプ(Default Access type) : "
65
-
66
- #: wp-to-twitter-oauth.php:119
67
- msgid "Read &amp; Write"
68
- msgstr "読み書き (Read &amp; Write)"
69
-
70
- #: wp-to-twitter-oauth.php:119
71
- msgid "(this is NOT the default)"
72
- msgstr "(デフォルトでは Read-only です)"
73
-
74
- #: wp-to-twitter-oauth.php:121
75
- msgid "Once you have registered your site as an application, you will be provided with a consumer key and a consumer secret."
76
- msgstr "サイトのアプリケーション登録が完了すると、 Consumer key と Consumer secret が発行されます。"
77
-
78
- #: wp-to-twitter-oauth.php:122
79
- msgid "2. Copy and paste your consumer key and consumer secret into the fields below"
80
- msgstr "2. Consumer key と Consumer secret を下のフィールドに貼り付ける"
81
-
82
- #: wp-to-twitter-oauth.php:125
83
- msgid "Twitter Consumer Key"
84
- msgstr "Consumer Key"
85
-
86
- #: wp-to-twitter-oauth.php:129
87
- msgid "Twitter Consumer Secret"
88
- msgstr "Consumer Secret"
89
-
90
- #: wp-to-twitter-oauth.php:132
91
- msgid "3. Copy and paste your Access Token and Access Token Secret into the fields below"
92
- msgstr "3. Access token と Access Token Secret を下のフィールドに貼り付ける"
93
-
94
- #: wp-to-twitter-oauth.php:133
95
- msgid "On the right hand side of your new application page at Twitter, click on 'My Access Token'."
96
- msgstr "アプリケーションページの右サイドバーにある、「My Access Token」をクリックしてください"
97
-
98
- #: wp-to-twitter-oauth.php:135
99
- msgid "Access Token"
100
- msgstr "Access Token"
101
-
102
- #: wp-to-twitter-oauth.php:139
103
- msgid "Access Token Secret"
104
- msgstr "Access Token Secret"
105
-
106
- #: wp-to-twitter-oauth.php:154
107
- msgid "Disconnect from Twitter"
108
- msgstr "Twitter との連携"
109
-
110
- #: wp-to-twitter-oauth.php:161
111
- msgid "Twitter Username "
112
- msgstr "ユーザー名"
113
-
114
- #: wp-to-twitter-oauth.php:162
115
- msgid "Consumer Key "
116
- msgstr "Consumer Key "
117
-
118
- #: wp-to-twitter-oauth.php:163
119
- msgid "Consumer Secret "
120
- msgstr "Consumer Secret "
121
-
122
- #: wp-to-twitter-oauth.php:164
123
- msgid "Access Token "
124
- msgstr "Access Token "
125
-
126
- #: wp-to-twitter-oauth.php:165
127
- msgid "Access Token Secret "
128
- msgstr "Access Token Secret "
129
-
130
- #: wp-to-twitter-oauth.php:168
131
- msgid "Disconnect Your WordPress and Twitter Account"
132
- msgstr "Twitter との連携を解除"
133
-
134
- #: wp-to-twitter.php:49
135
- msgid "WP to Twitter requires PHP version 5 or above with cURL support. Please upgrade PHP or install cURL to run WP to Twitter."
136
- msgstr "WP to Twitter の動作には PHP 5 以上および cURL のサポートが必要です。 PHP のバージョンアップか cURL のインストールをお願いします。"
137
-
138
- #: wp-to-twitter.php:70
139
- msgid "WP to Twitter requires WordPress 2.9.2 or a more recent version. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update your WordPress version!</a>"
140
- msgstr "WP to Twitter の動作には WordPress 2.9.2 以上が必要です。<a href=\"http://wpdocs.sourceforge.jp/WordPress_%E3%81%AE%E3%82%A2%E3%83%83%E3%83%97%E3%82%B0%E3%83%AC%E3%83%BC%E3%83%89\">WordPress をアップグレードしましょう</a>。"
141
-
142
- #: wp-to-twitter.php:84
143
- msgid "Twitter now requires authentication by OAuth. You will need you to update your <a href=\"%s\">settings</a> in order to continue to use WP to Twitter."
144
- msgstr "Twitter では OAuth 認証が必要になりました。 WP to Twitter を使うためには<a href=\"%s\">プラグイン設定</a>を更新する必要があります。"
145
-
146
- #: wp-to-twitter.php:150
147
- msgid "200 OK: Success!"
148
- msgstr "200 OK: Success!"
149
-
150
- #: wp-to-twitter.php:154
151
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
152
- msgstr "400 Bad Request: リクエストが不正です。このエラーは API の使用が制限されているときに出ます。"
153
-
154
- #: wp-to-twitter.php:158
155
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
156
- msgstr "401 Unauthorized: 認証に失敗しました。"
157
-
158
- #: wp-to-twitter.php:162
159
- msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons include exceeding the 140 character limit or the API update limit."
160
- msgstr "403 Forbidden: リクエストされましたが処理できません。このエラーは、リクエストは届いたものの Twitter 側で拒否された際に出ます。ツイートが 140 字以上の場合・API 制限に引っかかった場合にも出ます。"
161
-
162
- #: wp-to-twitter.php:166
163
- msgid "500 Internal Server Error: Something is broken at Twitter."
164
- msgstr "500 Internal Server Error: Twitter 側でなにかがおかしいようです"
165
-
166
- #: wp-to-twitter.php:170
167
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests Please try again later."
168
- msgstr "503 Service Unavailable: Twitter は使えないこともないのですが、負荷が高そうです。またあとで試してください。"
169
-
170
- #: wp-to-twitter.php:174
171
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
172
- msgstr "502 Bad Gateway: Twitter が落ちているか、アップグレード中です"
173
-
174
- #. #-#-#-#-# plugin.pot (WP to Twitter 2.2.9) #-#-#-#-#
175
- #. Plugin Name of the plugin/theme
176
- #: wp-to-twitter.php:803
177
- msgid "WP to Twitter"
178
- msgstr "WP to Twitter"
179
-
180
- #: wp-to-twitter.php:865
181
- msgid "Custom Twitter Post"
182
- msgstr "カスタムツイート"
183
-
184
- #: wp-to-twitter.php:874
185
- #: wp-to-twitter-manager.php:360
186
- msgid "Make a Donation"
187
- msgstr "寄付する"
188
-
189
- #: wp-to-twitter.php:874
190
- #: wp-to-twitter-manager.php:363
191
- msgid "Get Support"
192
- msgstr "サポート"
193
-
194
- #: wp-to-twitter.php:877
195
- msgid "Don't Tweet this post."
196
- msgstr "この投稿はツイートしない"
197
-
198
- #: wp-to-twitter.php:887
199
- msgid "This URL is direct and has not been shortened: "
200
- msgstr "この URL は短縮されていません: "
201
-
202
- #: wp-to-twitter.php:946
203
- msgid "WP to Twitter User Settings"
204
- msgstr "WP to Twitter 個人設定"
205
-
206
- #: wp-to-twitter.php:950
207
- msgid "Use My Twitter Username"
208
- msgstr "自分のアカウントを含める"
209
-
210
- #: wp-to-twitter.php:951
211
- msgid "Tweet my posts with an @ reference to my username."
212
- msgstr "自分のアカウント宛に @ をつけてツイートする"
213
-
214
- #: wp-to-twitter.php:952
215
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
216
- msgstr "自分と、サイト設定でのアカウント宛に @ をつけてツイート"
217
-
218
- #: wp-to-twitter.php:956
219
- msgid "Your Twitter Username"
220
- msgstr "Twitter ユーザー名"
221
-
222
- #: wp-to-twitter.php:957
223
- msgid "Enter your own Twitter username."
224
- msgstr "あなたの Twitter でのユーザー名を入力してください"
225
-
226
- #: wp-to-twitter.php:996
227
- msgid "Check the categories you want to tweet:"
228
- msgstr "ツイートしたいカテゴリーを選択してください"
229
-
230
- #: wp-to-twitter.php:1013
231
- msgid "Set Categories"
232
- msgstr "カテゴリーを登録"
233
-
234
- #: wp-to-twitter.php:1037
235
- msgid "<p>Couldn't locate the settings page.</p>"
236
- msgstr "<p>設定ページが見つかりません</p>"
237
-
238
- #: wp-to-twitter.php:1042
239
- msgid "Settings"
240
- msgstr "設定"
241
-
242
- #: wp-to-twitter-manager.php:76
243
- msgid "WP to Twitter is now connected with Twitter."
244
- msgstr "WP to Twitter は Twitter と連携しました。"
245
-
246
- #: wp-to-twitter-manager.php:86
247
- msgid "OAuth Authentication Data Cleared."
248
- msgstr "OAuth 認証データを削除しました。"
249
-
250
- #: wp-to-twitter-manager.php:93
251
- msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
252
- msgstr "OAuth 認証に失敗しました。サーバーの時刻が Twitter サーバーと大幅にずれています。ホスティングサービスに連絡してください。"
253
-
254
- #: wp-to-twitter-manager.php:100
255
- msgid "OAuth Authentication response not understood."
256
- msgstr "OAuth 認証のレスポンスが変です。設定を見なおしてください。"
257
-
258
- #: wp-to-twitter-manager.php:109
259
- msgid "WP to Twitter Errors Cleared"
260
- msgstr "WP to Twitter エラーを削除しました。"
261
-
262
- #: wp-to-twitter-manager.php:116
263
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
264
- msgstr "ツイートしようとしたのですが、Twitter サーバーに接続できませんでした。ツイートはこの投稿のカスタムフィールド内に保存されました。もしお望みなら手動でツイートすることもできます。"
265
-
266
- #: wp-to-twitter-manager.php:118
267
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
268
- msgstr "リンクをツイートしようとしたのですが、Twitter サーバーに接続できませんでした。申し訳ありませんが手動でツイートする必要があります。"
269
-
270
- #: wp-to-twitter-manager.php:156
271
- msgid "WP to Twitter Advanced Options Updated"
272
- msgstr "詳細設定を保存しました。"
273
-
274
- #: wp-to-twitter-manager.php:173
275
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
276
- msgstr "Bit.ly で URL を短縮するためには、 Bit.ly の ユーザー名と API キーを設定する必要があります"
277
-
278
- #: wp-to-twitter-manager.php:177
279
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
280
- msgstr "リモートの YOURLS で URL を短縮するためには、 YOURLS の URL、ログイン名、パスワードを設定する必要があります。"
281
-
282
- #: wp-to-twitter-manager.php:181
283
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
284
- msgstr "リモートの YOURLS で URL を短縮するためには、 YOURLS のインストールパスを設定に追加する必要があります。"
285
-
286
- #: wp-to-twitter-manager.php:185
287
- msgid "WP to Twitter Options Updated"
288
- msgstr "基本設定を保存しました。"
289
-
290
- #: wp-to-twitter-manager.php:195
291
- msgid "Category limits updated."
292
- msgstr "カテゴリーフィルタ設定を更新しました。"
293
-
294
- #: wp-to-twitter-manager.php:199
295
- msgid "Category limits unset."
296
- msgstr "カテゴリーフィルタ設定を削除しました。"
297
-
298
- #: wp-to-twitter-manager.php:207
299
- msgid "YOURLS password updated. "
300
- msgstr "YOURLS パスワードを更新しました。"
301
-
302
- #: wp-to-twitter-manager.php:210
303
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
304
- msgstr "YOURLS パスワードを削除しました。 URL の短縮にリモート YOURLS アカウントを使うことはできません。"
305
-
306
- #: wp-to-twitter-manager.php:212
307
- msgid "Failed to save your YOURLS password! "
308
- msgstr "YOURLS パスワードの保存に失敗しました!"
309
-
310
- #: wp-to-twitter-manager.php:216
311
- msgid "YOURLS username added. "
312
- msgstr "YOURLS ユーザー名を追加しました。"
313
-
314
- #: wp-to-twitter-manager.php:220
315
- msgid "YOURLS API url added. "
316
- msgstr "YOURLS API の URL を追加しました。"
317
-
318
- #: wp-to-twitter-manager.php:223
319
- msgid "YOURLS API url removed. "
320
- msgstr "YOURLS API の URL を削除しました。"
321
-
322
- #: wp-to-twitter-manager.php:228
323
- msgid "YOURLS local server path added. "
324
- msgstr "YOURLS ローカルサーバーパスを追加しました。"
325
-
326
- #: wp-to-twitter-manager.php:230
327
- msgid "The path to your YOURLS installation is not correct. "
328
- msgstr "YOURLS のインストールパスが正しくありません。"
329
-
330
- #: wp-to-twitter-manager.php:234
331
- msgid "YOURLS local server path removed. "
332
- msgstr "YOURLS ローカルサーバーパスを削除しました。"
333
-
334
- #: wp-to-twitter-manager.php:238
335
- msgid "YOURLS will use Post ID for short URL slug."
336
- msgstr "YOURLS での短縮に投稿 ID を使用します。"
337
-
338
- #: wp-to-twitter-manager.php:241
339
- msgid "YOURLS will not use Post ID for the short URL slug."
340
- msgstr "YOURLS での短縮に投稿 ID を使用しません。"
341
-
342
- #: wp-to-twitter-manager.php:249
343
- msgid "Su.pr API Key and Username Updated"
344
- msgstr "Su.pr API キーとユーザー名を更新しました。"
345
-
346
- #: wp-to-twitter-manager.php:253
347
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
348
- msgstr "Su.pr API キーとユーザー名を削除しました。 WP to Twitter で作成した Su.pr の URL は、もうアカウントと結びついていません。"
349
-
350
- #: wp-to-twitter-manager.php:255
351
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
352
- msgstr "Su.pr API キーがありません。 <a href='http://su.pr/'>取得してください</a>。"
353
-
354
- #: wp-to-twitter-manager.php:261
355
- msgid "Bit.ly API Key Updated."
356
- msgstr "Bit.ly API キーを更新しました。"
357
-
358
- #: wp-to-twitter-manager.php:264
359
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
360
- msgstr "Bit.ly API キーを削除しました。API キーなしでは Bit.ly の API は使えません。"
361
-
362
- #: wp-to-twitter-manager.php:266
363
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
364
- msgstr "Bit.ly API キーがありません。<a href='http://bit.ly/account/'>取得してください</a>。API キーは Bit.ly API で URL を短縮する際に必要です。"
365
-
366
- #: wp-to-twitter-manager.php:270
367
- msgid " Bit.ly User Login Updated."
368
- msgstr "Bit.ly ユーザー名を更新しました。"
369
-
370
- #: wp-to-twitter-manager.php:273
371
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
372
- msgstr "Bit.ly ユーザー名を削除しました。ユーザー名なしでは Bit.ly の API は使えません。"
373
-
374
- #: wp-to-twitter-manager.php:275
375
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
376
- msgstr "Bit.ly ユーザー名がありません。<a href='http://bit.ly/account/'>アカウントを作ってください</a>。"
377
-
378
- #: wp-to-twitter-manager.php:304
379
- msgid "No error information is available for your shortener."
380
- msgstr "短縮 URL に関するエラーはありませんでした"
381
-
382
- #: wp-to-twitter-manager.php:306
383
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
384
- msgstr "<li class=\"error\"><strong>WP to Twitter から指定の短縮 URL プロバイダへの接続に失敗しました</strong></li>"
385
-
386
- #: wp-to-twitter-manager.php:309
387
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
388
- msgstr "<li><strong>WP to Twitter から指定の短縮 URL プロバイダへの接続に成功しました</strong> サイトのアドレスの短縮 URL:"
389
-
390
- #: wp-to-twitter-manager.php:318
391
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
392
- msgstr "<li><strong>WP to Twitter は Twitter への投稿に成功しました</strong></li>"
393
-
394
- #: wp-to-twitter-manager.php:321
395
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
396
- msgstr "<li class=\"error\"><strong>WP to Twitter は Twitter への投稿に失敗しました</strong></li>"
397
-
398
- #: wp-to-twitter-manager.php:325
399
- msgid "You have not connected WordPress to Twitter."
400
- msgstr "この WordPress はまだ Twitter と連携していません。"
401
-
402
- #: wp-to-twitter-manager.php:329
403
- msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
404
- msgstr "<li class=\"error\"><strong>ご利用のサーバーには WP to Twitter に必要な機能がないようです</strong>。それでも試してみることはできます。このテストも完璧ではありませんから。</li>"
405
-
406
- #: wp-to-twitter-manager.php:333
407
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
408
- msgstr "<li><strong>WP to Twitter はご利用のサーバーで問題なく動きます</strong></li>"
409
-
410
- #: wp-to-twitter-manager.php:350
411
- msgid "WP to Twitter Options"
412
- msgstr "WP to Twitter 設定"
413
-
414
- #: wp-to-twitter-manager.php:360
415
- msgid "Pledge to new features"
416
- msgstr "機能リクエスト"
417
-
418
- #: wp-to-twitter-manager.php:363
419
- msgid "View Settings"
420
- msgstr "設定を表示"
421
-
422
- #: wp-to-twitter-manager.php:378
423
- msgid "Shortcodes available in post update templates:"
424
- msgstr "ツイート設定内で使えるショートコード: "
425
-
426
- #: wp-to-twitter-manager.php:380
427
- msgid "<code>#title#</code>: the title of your blog post"
428
- msgstr "<code>#title#</code>: 投稿のタイトル"
429
-
430
- #: wp-to-twitter-manager.php:381
431
- msgid "<code>#blog#</code>: the title of your blog"
432
- msgstr "<code>#blog#</code>: ブログのタイトル"
433
-
434
- #: wp-to-twitter-manager.php:382
435
- msgid "<code>#post#</code>: a short excerpt of the post content"
436
- msgstr "<code>#post#</code>: 投稿の抜粋"
437
-
438
- #: wp-to-twitter-manager.php:383
439
- msgid "<code>#category#</code>: the first selected category for the post"
440
- msgstr "<code>#category#</code>: 投稿のカテゴリー (最初の一つ)"
441
-
442
- #: wp-to-twitter-manager.php:384
443
- msgid "<code>#date#</code>: the post date"
444
- msgstr "<code>#date#</code>: 投稿の日付"
445
-
446
- #: wp-to-twitter-manager.php:385
447
- msgid "<code>#url#</code>: the post URL"
448
- msgstr "<code>#url#</code>: 投稿の URL"
449
-
450
- #: wp-to-twitter-manager.php:386
451
- msgid "<code>#author#</code>: the post author"
452
- msgstr "<code>#author#</code>: 投稿の作成者"
453
-
454
- #: wp-to-twitter-manager.php:387
455
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
456
- msgstr "<code>#account#</code>: @reference 形式のサイトの Twitter アカウント名 (もしくは、個人設定で値があれば投稿者のアカウント名)"
457
-
458
- #: wp-to-twitter-manager.php:389
459
- msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
460
- msgstr "カスタムフィールドを表示するショートコードを作ることもできます。ブラケット2つでカスタムフィールド名を囲むと、そのカスタムフィールドの値がツイートに含まれます。 例: <code>[[custom_field]]</code></p>"
461
-
462
- #: wp-to-twitter-manager.php:394
463
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
464
- msgstr "<p>いくつかの投稿が、ステータスの変更時のツイートに失敗しました。ツイートは投稿のカスタムフィールド内に保存されました。あとでお暇なときにツイートし直してください。</p>"
465
-
466
- #: wp-to-twitter-manager.php:398
467
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr Help</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
468
- msgstr "<p>短縮 URL API への問い合わせに失敗しました。 URL が短縮できなかったので、ツイートには通常の URL を添付しました。短縮 URL プロバイダでお知らせが出ていないか確認してください。 [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr ヘルプ</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
469
-
470
- #: wp-to-twitter-manager.php:405
471
- msgid "Clear 'WP to Twitter' Error Messages"
472
- msgstr "WP to Twitter エラーメッセージを消去する"
473
-
474
- #: wp-to-twitter-manager.php:418
475
- msgid "Basic Settings"
476
- msgstr "基本設定"
477
-
478
- #: wp-to-twitter-manager.php:424
479
- msgid "Tweet Templates"
480
- msgstr "ツイート設定"
481
-
482
- #: wp-to-twitter-manager.php:427
483
- msgid "Update when a post is published"
484
- msgstr "投稿が公開されたらツイート"
485
-
486
- #: wp-to-twitter-manager.php:427
487
- msgid "Text for new post updates:"
488
- msgstr "投稿公開時: "
489
-
490
- #: wp-to-twitter-manager.php:433
491
- #: wp-to-twitter-manager.php:436
492
- msgid "Update when a post is edited"
493
- msgstr "投稿が編集されたらツイート"
494
-
495
- #: wp-to-twitter-manager.php:433
496
- #: wp-to-twitter-manager.php:436
497
- msgid "Text for editing updates:"
498
- msgstr "投稿編集時"
499
-
500
- #: wp-to-twitter-manager.php:437
501
- msgid "You can not disable updates on edits when using Postie or similar plugins."
502
- msgstr "Postie あるいは類似のプラグインを使っているので、編集時のツイートを無効にすることはできません"
503
-
504
- #: wp-to-twitter-manager.php:441
505
- msgid "Update Twitter when new Wordpress Pages are published"
506
- msgstr "ページが公開されたらツイート"
507
-
508
- #: wp-to-twitter-manager.php:441
509
- msgid "Text for new page updates:"
510
- msgstr "ページ公開時: "
511
-
512
- #: wp-to-twitter-manager.php:445
513
- msgid "Update Twitter when WordPress Pages are edited"
514
- msgstr "ページが編集されたらツイート"
515
-
516
- #: wp-to-twitter-manager.php:445
517
- msgid "Text for page edit updates:"
518
- msgstr "ページ編集時:"
519
-
520
- #: wp-to-twitter-manager.php:449
521
- msgid "Update Twitter when you post a Blogroll link"
522
- msgstr "ブログロールにリンクを追加したらツイート"
523
-
524
- #: wp-to-twitter-manager.php:450
525
- msgid "Text for new link updates:"
526
- msgstr "新規リンク: "
527
-
528
- #: wp-to-twitter-manager.php:450
529
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
530
- msgstr "利用可能なショートコード: <code>#url#</code> <code>#title#</code> <code>#description#</code>"
531
-
532
- #: wp-to-twitter-manager.php:454
533
- msgid "Choose your short URL service (account settings below)"
534
- msgstr "短縮 URL (アカウント設定は下で行ってください)"
535
-
536
- #: wp-to-twitter-manager.php:457
537
- msgid "Don't shorten URLs."
538
- msgstr "URL を短縮しない"
539
-
540
- #: wp-to-twitter-manager.php:458
541
- msgid "Use Su.pr for my URL shortener."
542
- msgstr "Su.pr を使って短縮"
543
-
544
- #: wp-to-twitter-manager.php:459
545
- msgid "Use Bit.ly for my URL shortener."
546
- msgstr "Bit.ly を使って短縮"
547
-
548
- #: wp-to-twitter-manager.php:460
549
- msgid "YOURLS (installed on this server)"
550
- msgstr "YOURLS (このサーバー上)"
551
-
552
- #: wp-to-twitter-manager.php:461
553
- msgid "YOURLS (installed on a remote server)"
554
- msgstr "YOURLS (別のサーバー上)"
555
-
556
- #: wp-to-twitter-manager.php:462
557
- msgid "Use WordPress as a URL shortener."
558
- msgstr "WordPress の短縮 URL 機能"
559
-
560
- #: wp-to-twitter-manager.php:464
561
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
562
- msgstr "WordPress の短縮 URL 機能では、パーマリンク設定内の「デフォルト」形式の URL を Twiterへ送信します。 例: <code>http://domain.com/wordpress/?p=123</code> この場合、 Google Analytics での解析はできません。"
563
-
564
- #: wp-to-twitter-manager.php:470
565
- msgid "Save WP->Twitter Options"
566
- msgstr "基本設定を保存"
567
-
568
- #: wp-to-twitter-manager.php:479
569
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
570
- msgstr "短縮 <abbr title=\"Uniform Resource Locator\">URL</abbr> アカウント設定"
571
-
572
- #: wp-to-twitter-manager.php:483
573
- msgid "Your Su.pr account details"
574
- msgstr "Su.pr アカウント設定"
575
-
576
- #: wp-to-twitter-manager.php:488
577
- msgid "Your Su.pr Username:"
578
- msgstr "Su.pr ユーザー名: "
579
-
580
- #: wp-to-twitter-manager.php:492
581
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
582
- msgstr "Su.pr <abbr title='application programming interface'>API</abbr> キー:"
583
-
584
- #: wp-to-twitter-manager.php:498
585
- msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
586
- msgstr "Su.pr アカウントもしくは API キーをお持ちでない場合は<a href='http://su.pr/'>取得してください</a>!<br />API キーは短縮した URL をあなたの Su.pr アカウントと結びつけるために必要です。"
587
-
588
- #: wp-to-twitter-manager.php:504
589
- msgid "Your Bit.ly account details"
590
- msgstr "Bit.ly アカウント設定"
591
-
592
- #: wp-to-twitter-manager.php:509
593
- msgid "Your Bit.ly username:"
594
- msgstr "Bit.ly ユーザー名: "
595
-
596
- #: wp-to-twitter-manager.php:513
597
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
598
- msgstr "Bit.ly <abbr title='application programming interface'>API</abbr> キー:"
599
-
600
- #: wp-to-twitter-manager.php:520
601
- msgid "Save Bit.ly API Key"
602
- msgstr "Bit.ly API キーを保存"
603
-
604
- #: wp-to-twitter-manager.php:520
605
- msgid "Clear Bit.ly API Key"
606
- msgstr "Bit.ly API キーを消去"
607
-
608
- #: wp-to-twitter-manager.php:520
609
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
610
- msgstr "Bit.ly API キーとユーザー名は Bit.ly API および WP to Twitter から URL を短縮するために必要です。"
611
-
612
- #: wp-to-twitter-manager.php:525
613
- msgid "Your YOURLS account details"
614
- msgstr "YOURLS アカウント設定"
615
-
616
- #: wp-to-twitter-manager.php:529
617
- msgid "Path to your YOURLS config file (Local installations)"
618
- msgstr "YOURLS 設定ファイルへのパス (ローカルインストールの場合)"
619
-
620
- #: wp-to-twitter-manager.php:530
621
- #: wp-to-twitter-manager.php:534
622
- msgid "Example:"
623
- msgstr "例:"
624
-
625
- #: wp-to-twitter-manager.php:533
626
- msgid "URI to the YOURLS API (Remote installations)"
627
- msgstr "YOURLS API へのパス (リモートインストールの場合)"
628
-
629
- #: wp-to-twitter-manager.php:537
630
- msgid "Your YOURLS username:"
631
- msgstr "YOURLS ユーザー名:"
632
-
633
- #: wp-to-twitter-manager.php:541
634
- msgid "Your YOURLS password:"
635
- msgstr "YOURLS パスワード:"
636
-
637
- #: wp-to-twitter-manager.php:541
638
- msgid "<em>Saved</em>"
639
- msgstr "<em>保存しました</em>"
640
-
641
- #: wp-to-twitter-manager.php:545
642
- msgid "Use Post ID for YOURLS url slug."
643
- msgstr "投稿 ID を YOURLS の短縮名に使う"
644
-
645
- #: wp-to-twitter-manager.php:550
646
- msgid "Save YOURLS Account Info"
647
- msgstr "YOURLS アカウント設定を保存"
648
-
649
- #: wp-to-twitter-manager.php:550
650
- msgid "Clear YOURLS password"
651
- msgstr "YOURLS パスワードを消去"
652
-
653
- #: wp-to-twitter-manager.php:550
654
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
655
- msgstr "YOURLS のユーザー名とパスワードは YOURLS API および WP to Twitter から URL を短縮するために必要です。"
656
-
657
- #: wp-to-twitter-manager.php:562
658
- msgid "Advanced Settings"
659
- msgstr "詳細設定"
660
-
661
- #: wp-to-twitter-manager.php:569
662
- msgid "Advanced Tweet settings"
663
- msgstr "高度なツイート設定"
664
-
665
- #: wp-to-twitter-manager.php:571
666
- msgid "Add tags as hashtags on Tweets"
667
- msgstr "投稿タグをハッシュタグとしてツイートする"
668
-
669
- #: wp-to-twitter-manager.php:571
670
- msgid "Strip nonalphanumeric characters"
671
- msgstr "英数字以外の文字を取り除く"
672
-
673
- #: wp-to-twitter-manager.php:572
674
- msgid "Spaces replaced with:"
675
- msgstr "空白を置換: "
676
-
677
- #: wp-to-twitter-manager.php:574
678
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
679
- msgstr "デフォルトの置換文字はアンダースコア (<code>_</code>)です。空白を消去するには <code>[ ]</code> としてください。"
680
-
681
- #: wp-to-twitter-manager.php:577
682
- msgid "Maximum number of tags to include:"
683
- msgstr "タグの上限数:"
684
-
685
- #: wp-to-twitter-manager.php:578
686
- msgid "Maximum length in characters for included tags:"
687
- msgstr "タグの最大文字数: "
688
-
689
- #: wp-to-twitter-manager.php:579
690
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
691
- msgstr "これらのオプションでは、ハッシュタグとして送信される投稿タグの長さや数を制限できます。すべて許可するには <code>0</code> または空白にしてください。"
692
-
693
- #: wp-to-twitter-manager.php:582
694
- msgid "Length of post excerpt (in characters):"
695
- msgstr "抜粋の最大文字数:"
696
-
697
- #: wp-to-twitter-manager.php:582
698
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
699
- msgstr "デフォルトでは投稿の冒頭が抜き出されます。「抜粋」フィールドがあれば代わりにそちらを使用します。"
700
-
701
- #: wp-to-twitter-manager.php:585
702
- msgid "WP to Twitter Date Formatting:"
703
- msgstr "日付フォーマット:"
704
-
705
- #: wp-to-twitter-manager.php:586
706
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
707
- msgstr "デフォルトは「一般設定」での値です。 <a href='http://wpdocs.sourceforge.jp/Formatting_Date_and_Time'>日付と時刻の書式の解説</a>"
708
-
709
- #: wp-to-twitter-manager.php:590
710
- msgid "Custom text before all Tweets:"
711
- msgstr "ツイートの前につける文字列:"
712
-
713
- #: wp-to-twitter-manager.php:591
714
- msgid "Custom text after all Tweets:"
715
- msgstr "ツイートの後につける文字列:"
716
-
717
- #: wp-to-twitter-manager.php:594
718
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
719
- msgstr "代替 URL を表すカスタムフィールド"
720
-
721
- #: wp-to-twitter-manager.php:595
722
- msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
723
- msgstr "このカスタムフィールドで指定した URL が、通常の URL に代わって短縮・ツイートされます。"
724
-
725
- #: wp-to-twitter-manager.php:599
726
- msgid "Special Cases when WordPress should send a Tweet"
727
- msgstr "特殊なツイートタイミング設定"
728
-
729
- #: wp-to-twitter-manager.php:602
730
- msgid "Do not post status updates by default"
731
- msgstr "「この投稿はツイートしない」をデフォルトにする"
732
-
733
- #: wp-to-twitter-manager.php:603
734
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
735
- msgstr "デフォルトでは、すべての投稿は他の条件に合致すると Twitter へ投稿されます。この設定を変えるにはチェックを入れてください。"
736
-
737
- #: wp-to-twitter-manager.php:607
738
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
739
- msgstr "リモート投稿時にツイートする (メール投稿・XMLRPC クライアント)"
740
-
741
- #: wp-to-twitter-manager.php:609
742
- msgid "I'm using a plugin to post by email, such as Postie. Only check this if your updates do not work."
743
- msgstr "Postie などのメール投稿プラグインを利用中 (ツイートがうまくいかないときに選択してみてください)"
744
-
745
- #: wp-to-twitter-manager.php:613
746
- msgid "Update Twitter when a post is published using QuickPress"
747
- msgstr "クイック投稿から公開記事が投稿されたらツイートする"
748
-
749
- #: wp-to-twitter-manager.php:617
750
- msgid "Google Analytics Settings"
751
- msgstr "Google Analytics 設定"
752
-
753
- #: wp-to-twitter-manager.php:618
754
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
755
- msgstr "ここで Google Analytics のキャンペーン ID を指定すると Twitter からの訪問を解析することができます。静的 ID と 動的 ID が利用できます。静的 ID は投稿ごとに変わるということはありません。一方、動的 ID は特定の投稿情報によって変化します。動的 ID を用いると変数を追加して統計結果を分けることができます。"
756
-
757
- #: wp-to-twitter-manager.php:622
758
- msgid "Use a Static Identifier with WP-to-Twitter"
759
- msgstr "静的 ID を使う"
760
-
761
- #: wp-to-twitter-manager.php:623
762
- msgid "Static Campaign identifier for Google Analytics:"
763
- msgstr "Google Analytics のキャンペーン ID"
764
-
765
- #: wp-to-twitter-manager.php:627
766
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
767
- msgstr "動的 ID を使う"
768
-
769
- #: wp-to-twitter-manager.php:628
770
- msgid "What dynamic identifier would you like to use?"
771
- msgstr "動的 ID として使う値"
772
-
773
- #: wp-to-twitter-manager.php:630
774
- msgid "Category"
775
- msgstr "カテゴリー"
776
-
777
- #: wp-to-twitter-manager.php:631
778
- msgid "Post ID"
779
- msgstr "投稿 ID"
780
-
781
- #: wp-to-twitter-manager.php:632
782
- msgid "Post Title"
783
- msgstr "投稿タイトル"
784
-
785
- #: wp-to-twitter-manager.php:633
786
- #: wp-to-twitter-manager.php:647
787
- msgid "Author"
788
- msgstr "投稿者"
789
-
790
- #: wp-to-twitter-manager.php:638
791
- msgid "Individual Authors"
792
- msgstr "ユーザー設定"
793
-
794
- #: wp-to-twitter-manager.php:641
795
- msgid "Authors have individual Twitter accounts"
796
- msgstr "ユーザー個人の Twitter アカウントを有効にする"
797
-
798
- #: wp-to-twitter-manager.php:641
799
- msgid "Authors can set their username in their user profile. As of version 2.2.0, this feature no longer allows authors to post to their own Twitter accounts. It can only add an @reference to the author. This @reference is placed using the <code>#account#</code> shortcode. (It will pick up the main account if user accounts are not enabled.)"
800
- msgstr "ユーザーはプロフィールに自分の Twitter アカウントを設定できます。バージョン 2.2.0 からはこの機能はユーザーごとに自分のアカウントでツイートするものではなくなりました。 @reference のようにユーザーのアカウント名をツイートに追加するだけです。 @reference はショートコード <code>#account#</code> で配置できます。ユーザーアカウントがない場合、このショートコードはサイトのアカウント名になります。"
801
-
802
- #: wp-to-twitter-manager.php:644
803
- msgid "Choose the lowest user group that can add their Twitter information"
804
- msgstr "Twitter アカウント情報を設定できるユーザーグループ"
805
-
806
- #: wp-to-twitter-manager.php:645
807
- msgid "Subscriber"
808
- msgstr "購読者"
809
-
810
- #: wp-to-twitter-manager.php:646
811
- msgid "Contributor"
812
- msgstr "寄稿者"
813
-
814
- #: wp-to-twitter-manager.php:648
815
- msgid "Editor"
816
- msgstr "編集者"
817
-
818
- #: wp-to-twitter-manager.php:649
819
- msgid "Administrator"
820
- msgstr "管理者"
821
-
822
- #: wp-to-twitter-manager.php:654
823
- msgid "Disable Error Messages"
824
- msgstr "エラーメッセージの非表示設定"
825
-
826
- #: wp-to-twitter-manager.php:657
827
- msgid "Disable global URL shortener error messages."
828
- msgstr "短縮 URL に関するエラーを非表示にする"
829
-
830
- #: wp-to-twitter-manager.php:661
831
- msgid "Disable global Twitter API error messages."
832
- msgstr "Twitter API に関するエラーを非表示にする"
833
-
834
- #: wp-to-twitter-manager.php:665
835
- msgid "Disable notification to implement OAuth"
836
- msgstr "OAuth 認証を要請するメッセージを非表示にする"
837
-
838
- #: wp-to-twitter-manager.php:669
839
- msgid "Get Debugging Data for OAuth Connection"
840
- msgstr "OAuth 接続でのデバッグデータを表示する"
841
-
842
- #: wp-to-twitter-manager.php:675
843
- msgid "Save Advanced WP->Twitter Options"
844
- msgstr "詳細設定を保存"
845
-
846
- #: wp-to-twitter-manager.php:685
847
- msgid "Limit Updating Categories"
848
- msgstr "カテゴリーフィルタ設定"
849
-
850
- #: wp-to-twitter-manager.php:689
851
- msgid "Select which blog categories will be Tweeted. Uncheck all categories to disable category limits."
852
- msgstr "ツイートするカテゴリーを選んでください。すべてのカテゴリーのチェックを外すと、この機能はオフになります。"
853
-
854
- #: wp-to-twitter-manager.php:692
855
- msgid "<em>Category limits are disabled.</em>"
856
- msgstr "<em>カテゴリーフィルタは現在使われていません</em>"
857
-
858
- #: wp-to-twitter-manager.php:706
859
- msgid "Check Support"
860
- msgstr "機能チェック"
861
-
862
- #: wp-to-twitter-manager.php:706
863
- msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
864
- msgstr "このサーバーが <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> で使われる Twitter および 短縮 URL の API をサポートしているかどうかをチェックします。このテストでは Twitter にテスト用ツイートを投稿し、上の設定に基づいた URL の短縮を行います。"
865
-
866
- #. Plugin URI of the plugin/theme
867
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
868
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
869
-
870
- #. Description of the plugin/theme
871
- msgid "Posts a Twitter status update when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
872
- msgstr "ブログやリンクを更新した際に Twitter にツイートを投稿します。短縮 URL のサービスは自由に選択可能。豊富な機能でツイートのカスタマイズやプロモーションをサポートします。"
873
-
874
- #. Author of the plugin/theme
875
- msgid "Joseph Dolson"
876
- msgstr "Joseph Dolson"
877
-
878
- #. Author URI of the plugin/theme
879
- msgid "http://www.joedolson.com/"
880
- msgstr "http://www.joedolson.com/"
881
-
882
- #~ msgid "Your server time is"
883
- #~ msgstr "このサーバーの時刻は"
884
-
885
- #~ msgid ""
886
- #~ "If this is wrong, your server will not be able to connect with Twitter. "
887
- #~ "(<strong>Note:</strong> your server time may not match your current time, "
888
- #~ "but it should be correct for it's own time zone.)"
889
- #~ msgstr ""
890
- #~ "です。これがおかしいと Twitter との連携に失敗する可能性があります。 "
891
- #~ "(<strong>注:</strong> サーバーの時刻はあなたの現在位置での現在時刻とは同じ"
892
- #~ "ではないかもしれません。ですがタイムゾーンを考慮すると正しいはずです)"
1
+ # Copyright (C) 2010 WP to Twitter
2
+ # This file is distributed under the same license as the WP to Twitter package.
3
+ msgid ""
4
+ msgstr ""
5
+ "Project-Id-Version: WP to Twitter 2.2.9\n"
6
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
7
+ "POT-Creation-Date: 2011-04-12 22:29:25+00:00\n"
8
+ "PO-Revision-Date: 2011-04-26 18:12+0900\n"
9
+ "Last-Translator: cat <info@kndb.jp>\n"
10
+ "Language-Team: \n"
11
+ "MIME-Version: 1.0\n"
12
+ "Content-Type: text/plain; charset=UTF-8\n"
13
+ "Content-Transfer-Encoding: 8bit\n"
14
+ "X-Poedit-Language: Japanese\n"
15
+ "X-Poedit-Country: JAPAN\n"
16
+
17
+ #: functions.php:193
18
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
19
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>隠す</a>] なにか問題が起こってサポートをリクエストする場合は、この設定をコピーして送信してください。"
20
+
21
+ #: wp-to-twitter-oauth.php:105
22
+ #: wp-to-twitter-oauth.php:144
23
+ msgid "Connect to Twitter"
24
+ msgstr "Twitter と連携"
25
+
26
+ #: wp-to-twitter-oauth.php:109
27
+ msgid "The process to set up OAuth authentication for your web site is needlessly laborious. It is also confusing. However, this is the only method available from Twitter. Note that you will not add your Twitter username or password to WP to Twitter; they are not used in OAuth authentication."
28
+ msgstr "OAuth 認証の設定は無駄に面倒ですし、わけがわからないものでしょう。ですがこれが Twitter で認証するための唯一の方法なのです。 とはいえ WP to Twiitter に Twitter のユーザー名やパスワードを保存する必要がないことに注目してください。 OAuth 認証ではそういうものは必要ないのです。"
29
+
30
+ #: wp-to-twitter-oauth.php:112
31
+ msgid "1. Register this site as an application on "
32
+ msgstr "1. このサイトをアプリケーションとして登録する: "
33
+
34
+ #: wp-to-twitter-oauth.php:112
35
+ msgid "Twitter's application registration page"
36
+ msgstr "Twitter アプリケーション登録ページ"
37
+
38
+ #: wp-to-twitter-oauth.php:114
39
+ msgid "If you're not currently logged in, use the Twitter username and password which you want associated with this site"
40
+ msgstr "Twitter 側で現在ログインしていない場合は、このサイトと結び付けたいアカウントのユーザー名とパスワードでログインしてください"
41
+
42
+ #: wp-to-twitter-oauth.php:115
43
+ msgid "Your Application's Name will be what shows up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\" Use the name of your web site."
44
+ msgstr "アプリケーション名 (Application's Name) : つぶやきの「○○から」として表示されます。「Twitter」という単語を含めることはできません。サイト名を使うのがいいでしょう。"
45
+
46
+ #: wp-to-twitter-oauth.php:116
47
+ msgid "Your Application Description can be whatever you want."
48
+ msgstr "アプリケーションの説明 (Application Description) : なんでもお好きなことを書いてください"
49
+
50
+ #: wp-to-twitter-oauth.php:117
51
+ msgid "Application Type should be set on "
52
+ msgstr "アプリケーションの種類 (Application Type): "
53
+
54
+ #: wp-to-twitter-oauth.php:117
55
+ msgid "Browser"
56
+ msgstr "ブラウザアプリケーション (Browser)"
57
+
58
+ #: wp-to-twitter-oauth.php:118
59
+ msgid "The Callback URL should be "
60
+ msgstr "コールバック URL(Callback URL) : "
61
+
62
+ #: wp-to-twitter-oauth.php:119
63
+ msgid "Default Access type must be set to "
64
+ msgstr "標準のアクセスタイプ(Default Access type) : "
65
+
66
+ #: wp-to-twitter-oauth.php:119
67
+ msgid "Read &amp; Write"
68
+ msgstr "読み書き (Read &amp; Write)"
69
+
70
+ #: wp-to-twitter-oauth.php:119
71
+ msgid "(this is NOT the default)"
72
+ msgstr "(デフォルトでは Read-only です)"
73
+
74
+ #: wp-to-twitter-oauth.php:121
75
+ msgid "Once you have registered your site as an application, you will be provided with a consumer key and a consumer secret."
76
+ msgstr "サイトのアプリケーション登録が完了すると、 Consumer key と Consumer secret が発行されます。"
77
+
78
+ #: wp-to-twitter-oauth.php:122
79
+ msgid "2. Copy and paste your consumer key and consumer secret into the fields below"
80
+ msgstr "2. Consumer key と Consumer secret を下のフィールドに貼り付ける"
81
+
82
+ #: wp-to-twitter-oauth.php:125
83
+ msgid "Twitter Consumer Key"
84
+ msgstr "Consumer Key"
85
+
86
+ #: wp-to-twitter-oauth.php:129
87
+ msgid "Twitter Consumer Secret"
88
+ msgstr "Consumer Secret"
89
+
90
+ #: wp-to-twitter-oauth.php:132
91
+ msgid "3. Copy and paste your Access Token and Access Token Secret into the fields below"
92
+ msgstr "3. Access token と Access Token Secret を下のフィールドに貼り付ける"
93
+
94
+ #: wp-to-twitter-oauth.php:133
95
+ msgid "On the right hand side of your new application page at Twitter, click on 'My Access Token'."
96
+ msgstr "アプリケーションページの右サイドバーにある、「My Access Token」をクリックしてください"
97
+
98
+ #: wp-to-twitter-oauth.php:135
99
+ msgid "Access Token"
100
+ msgstr "Access Token"
101
+
102
+ #: wp-to-twitter-oauth.php:139
103
+ msgid "Access Token Secret"
104
+ msgstr "Access Token Secret"
105
+
106
+ #: wp-to-twitter-oauth.php:154
107
+ msgid "Disconnect from Twitter"
108
+ msgstr "Twitter との連携"
109
+
110
+ #: wp-to-twitter-oauth.php:161
111
+ msgid "Twitter Username "
112
+ msgstr "ユーザー名"
113
+
114
+ #: wp-to-twitter-oauth.php:162
115
+ msgid "Consumer Key "
116
+ msgstr "Consumer Key "
117
+
118
+ #: wp-to-twitter-oauth.php:163
119
+ msgid "Consumer Secret "
120
+ msgstr "Consumer Secret "
121
+
122
+ #: wp-to-twitter-oauth.php:164
123
+ msgid "Access Token "
124
+ msgstr "Access Token "
125
+
126
+ #: wp-to-twitter-oauth.php:165
127
+ msgid "Access Token Secret "
128
+ msgstr "Access Token Secret "
129
+
130
+ #: wp-to-twitter-oauth.php:168
131
+ msgid "Disconnect Your WordPress and Twitter Account"
132
+ msgstr "Twitter との連携を解除"
133
+
134
+ #: wp-to-twitter.php:49
135
+ msgid "WP to Twitter requires PHP version 5 or above with cURL support. Please upgrade PHP or install cURL to run WP to Twitter."
136
+ msgstr "WP to Twitter の動作には PHP 5 以上および cURL のサポートが必要です。 PHP のバージョンアップか cURL のインストールをお願いします。"
137
+
138
+ #: wp-to-twitter.php:70
139
+ msgid "WP to Twitter requires WordPress 2.9.2 or a more recent version. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update your WordPress version!</a>"
140
+ msgstr "WP to Twitter の動作には WordPress 2.9.2 以上が必要です。<a href=\"http://wpdocs.sourceforge.jp/WordPress_%E3%81%AE%E3%82%A2%E3%83%83%E3%83%97%E3%82%B0%E3%83%AC%E3%83%BC%E3%83%89\">WordPress をアップグレードしましょう</a>。"
141
+
142
+ #: wp-to-twitter.php:84
143
+ msgid "Twitter now requires authentication by OAuth. You will need you to update your <a href=\"%s\">settings</a> in order to continue to use WP to Twitter."
144
+ msgstr "Twitter では OAuth 認証が必要になりました。 WP to Twitter を使うためには<a href=\"%s\">プラグイン設定</a>を更新する必要があります。"
145
+
146
+ #: wp-to-twitter.php:150
147
+ msgid "200 OK: Success!"
148
+ msgstr "200 OK: Success!"
149
+
150
+ #: wp-to-twitter.php:154
151
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
152
+ msgstr "400 Bad Request: リクエストが不正です。このエラーは API の使用が制限されているときに出ます。"
153
+
154
+ #: wp-to-twitter.php:158
155
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
156
+ msgstr "401 Unauthorized: 認証に失敗しました。"
157
+
158
+ #: wp-to-twitter.php:162
159
+ msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons include exceeding the 140 character limit or the API update limit."
160
+ msgstr "403 Forbidden: リクエストされましたが処理できません。このエラーは、リクエストは届いたものの Twitter 側で拒否された際に出ます。ツイートが 140 字以上の場合・API 制限に引っかかった場合にも出ます。"
161
+
162
+ #: wp-to-twitter.php:166
163
+ msgid "500 Internal Server Error: Something is broken at Twitter."
164
+ msgstr "500 Internal Server Error: Twitter 側でなにかがおかしいようです"
165
+
166
+ #: wp-to-twitter.php:170
167
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests Please try again later."
168
+ msgstr "503 Service Unavailable: Twitter は使えないこともないのですが、負荷が高そうです。またあとで試してください。"
169
+
170
+ #: wp-to-twitter.php:174
171
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
172
+ msgstr "502 Bad Gateway: Twitter が落ちているか、アップグレード中です"
173
+
174
+ #. #-#-#-#-# plugin.pot (WP to Twitter 2.2.9) #-#-#-#-#
175
+ #. Plugin Name of the plugin/theme
176
+ #: wp-to-twitter.php:803
177
+ msgid "WP to Twitter"
178
+ msgstr "WP to Twitter"
179
+
180
+ #: wp-to-twitter.php:865
181
+ msgid "Custom Twitter Post"
182
+ msgstr "カスタムツイート"
183
+
184
+ #: wp-to-twitter.php:874
185
+ #: wp-to-twitter-manager.php:360
186
+ msgid "Make a Donation"
187
+ msgstr "寄付する"
188
+
189
+ #: wp-to-twitter.php:874
190
+ #: wp-to-twitter-manager.php:363
191
+ msgid "Get Support"
192
+ msgstr "サポート"
193
+
194
+ #: wp-to-twitter.php:877
195
+ msgid "Don't Tweet this post."
196
+ msgstr "この投稿はツイートしない"
197
+
198
+ #: wp-to-twitter.php:887
199
+ msgid "This URL is direct and has not been shortened: "
200
+ msgstr "この URL は短縮されていません: "
201
+
202
+ #: wp-to-twitter.php:946
203
+ msgid "WP to Twitter User Settings"
204
+ msgstr "WP to Twitter 個人設定"
205
+
206
+ #: wp-to-twitter.php:950
207
+ msgid "Use My Twitter Username"
208
+ msgstr "自分のアカウントを含める"
209
+
210
+ #: wp-to-twitter.php:951
211
+ msgid "Tweet my posts with an @ reference to my username."
212
+ msgstr "自分のアカウント宛に @ をつけてツイートする"
213
+
214
+ #: wp-to-twitter.php:952
215
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
216
+ msgstr "自分と、サイト設定でのアカウント宛に @ をつけてツイート"
217
+
218
+ #: wp-to-twitter.php:956
219
+ msgid "Your Twitter Username"
220
+ msgstr "Twitter ユーザー名"
221
+
222
+ #: wp-to-twitter.php:957
223
+ msgid "Enter your own Twitter username."
224
+ msgstr "あなたの Twitter でのユーザー名を入力してください"
225
+
226
+ #: wp-to-twitter.php:996
227
+ msgid "Check the categories you want to tweet:"
228
+ msgstr "ツイートしたいカテゴリーを選択してください"
229
+
230
+ #: wp-to-twitter.php:1013
231
+ msgid "Set Categories"
232
+ msgstr "カテゴリーを登録"
233
+
234
+ #: wp-to-twitter.php:1037
235
+ msgid "<p>Couldn't locate the settings page.</p>"
236
+ msgstr "<p>設定ページが見つかりません</p>"
237
+
238
+ #: wp-to-twitter.php:1042
239
+ msgid "Settings"
240
+ msgstr "設定"
241
+
242
+ #: wp-to-twitter-manager.php:76
243
+ msgid "WP to Twitter is now connected with Twitter."
244
+ msgstr "WP to Twitter は Twitter と連携しました。"
245
+
246
+ #: wp-to-twitter-manager.php:86
247
+ msgid "OAuth Authentication Data Cleared."
248
+ msgstr "OAuth 認証データを削除しました。"
249
+
250
+ #: wp-to-twitter-manager.php:93
251
+ msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
252
+ msgstr "OAuth 認証に失敗しました。サーバーの時刻が Twitter サーバーと大幅にずれています。ホスティングサービスに連絡してください。"
253
+
254
+ #: wp-to-twitter-manager.php:100
255
+ msgid "OAuth Authentication response not understood."
256
+ msgstr "OAuth 認証のレスポンスが変です。設定を見なおしてください。"
257
+
258
+ #: wp-to-twitter-manager.php:109
259
+ msgid "WP to Twitter Errors Cleared"
260
+ msgstr "WP to Twitter エラーを削除しました。"
261
+
262
+ #: wp-to-twitter-manager.php:116
263
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
264
+ msgstr "ツイートしようとしたのですが、Twitter サーバーに接続できませんでした。ツイートはこの投稿のカスタムフィールド内に保存されました。もしお望みなら手動でツイートすることもできます。"
265
+
266
+ #: wp-to-twitter-manager.php:118
267
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
268
+ msgstr "リンクをツイートしようとしたのですが、Twitter サーバーに接続できませんでした。申し訳ありませんが手動でツイートする必要があります。"
269
+
270
+ #: wp-to-twitter-manager.php:156
271
+ msgid "WP to Twitter Advanced Options Updated"
272
+ msgstr "詳細設定を保存しました。"
273
+
274
+ #: wp-to-twitter-manager.php:173
275
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
276
+ msgstr "Bit.ly で URL を短縮するためには、 Bit.ly の ユーザー名と API キーを設定する必要があります"
277
+
278
+ #: wp-to-twitter-manager.php:177
279
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
280
+ msgstr "リモートの YOURLS で URL を短縮するためには、 YOURLS の URL、ログイン名、パスワードを設定する必要があります。"
281
+
282
+ #: wp-to-twitter-manager.php:181
283
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
284
+ msgstr "リモートの YOURLS で URL を短縮するためには、 YOURLS のインストールパスを設定に追加する必要があります。"
285
+
286
+ #: wp-to-twitter-manager.php:185
287
+ msgid "WP to Twitter Options Updated"
288
+ msgstr "基本設定を保存しました。"
289
+
290
+ #: wp-to-twitter-manager.php:195
291
+ msgid "Category limits updated."
292
+ msgstr "カテゴリーフィルタ設定を更新しました。"
293
+
294
+ #: wp-to-twitter-manager.php:199
295
+ msgid "Category limits unset."
296
+ msgstr "カテゴリーフィルタ設定を削除しました。"
297
+
298
+ #: wp-to-twitter-manager.php:207
299
+ msgid "YOURLS password updated. "
300
+ msgstr "YOURLS パスワードを更新しました。"
301
+
302
+ #: wp-to-twitter-manager.php:210
303
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
304
+ msgstr "YOURLS パスワードを削除しました。 URL の短縮にリモート YOURLS アカウントを使うことはできません。"
305
+
306
+ #: wp-to-twitter-manager.php:212
307
+ msgid "Failed to save your YOURLS password! "
308
+ msgstr "YOURLS パスワードの保存に失敗しました!"
309
+
310
+ #: wp-to-twitter-manager.php:216
311
+ msgid "YOURLS username added. "
312
+ msgstr "YOURLS ユーザー名を追加しました。"
313
+
314
+ #: wp-to-twitter-manager.php:220
315
+ msgid "YOURLS API url added. "
316
+ msgstr "YOURLS API の URL を追加しました。"
317
+
318
+ #: wp-to-twitter-manager.php:223
319
+ msgid "YOURLS API url removed. "
320
+ msgstr "YOURLS API の URL を削除しました。"
321
+
322
+ #: wp-to-twitter-manager.php:228
323
+ msgid "YOURLS local server path added. "
324
+ msgstr "YOURLS ローカルサーバーパスを追加しました。"
325
+
326
+ #: wp-to-twitter-manager.php:230
327
+ msgid "The path to your YOURLS installation is not correct. "
328
+ msgstr "YOURLS のインストールパスが正しくありません。"
329
+
330
+ #: wp-to-twitter-manager.php:234
331
+ msgid "YOURLS local server path removed. "
332
+ msgstr "YOURLS ローカルサーバーパスを削除しました。"
333
+
334
+ #: wp-to-twitter-manager.php:238
335
+ msgid "YOURLS will use Post ID for short URL slug."
336
+ msgstr "YOURLS での短縮に投稿 ID を使用します。"
337
+
338
+ #: wp-to-twitter-manager.php:241
339
+ msgid "YOURLS will not use Post ID for the short URL slug."
340
+ msgstr "YOURLS での短縮に投稿 ID を使用しません。"
341
+
342
+ #: wp-to-twitter-manager.php:249
343
+ msgid "Su.pr API Key and Username Updated"
344
+ msgstr "Su.pr API キーとユーザー名を更新しました。"
345
+
346
+ #: wp-to-twitter-manager.php:253
347
+ msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
348
+ msgstr "Su.pr API キーとユーザー名を削除しました。 WP to Twitter で作成した Su.pr の URL は、もうアカウントと結びついていません。"
349
+
350
+ #: wp-to-twitter-manager.php:255
351
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
352
+ msgstr "Su.pr API キーがありません。 <a href='http://su.pr/'>取得してください</a>。"
353
+
354
+ #: wp-to-twitter-manager.php:261
355
+ msgid "Bit.ly API Key Updated."
356
+ msgstr "Bit.ly API キーを更新しました。"
357
+
358
+ #: wp-to-twitter-manager.php:264
359
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
360
+ msgstr "Bit.ly API キーを削除しました。API キーなしでは Bit.ly の API は使えません。"
361
+
362
+ #: wp-to-twitter-manager.php:266
363
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
364
+ msgstr "Bit.ly API キーがありません。<a href='http://bit.ly/account/'>取得してください</a>。API キーは Bit.ly API で URL を短縮する際に必要です。"
365
+
366
+ #: wp-to-twitter-manager.php:270
367
+ msgid " Bit.ly User Login Updated."
368
+ msgstr "Bit.ly ユーザー名を更新しました。"
369
+
370
+ #: wp-to-twitter-manager.php:273
371
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
372
+ msgstr "Bit.ly ユーザー名を削除しました。ユーザー名なしでは Bit.ly の API は使えません。"
373
+
374
+ #: wp-to-twitter-manager.php:275
375
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
376
+ msgstr "Bit.ly ユーザー名がありません。<a href='http://bit.ly/account/'>アカウントを作ってください</a>。"
377
+
378
+ #: wp-to-twitter-manager.php:304
379
+ msgid "No error information is available for your shortener."
380
+ msgstr "短縮 URL に関するエラーはありませんでした"
381
+
382
+ #: wp-to-twitter-manager.php:306
383
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
384
+ msgstr "<li class=\"error\"><strong>WP to Twitter から指定の短縮 URL プロバイダへの接続に失敗しました</strong></li>"
385
+
386
+ #: wp-to-twitter-manager.php:309
387
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
388
+ msgstr "<li><strong>WP to Twitter から指定の短縮 URL プロバイダへの接続に成功しました</strong> サイトのアドレスの短縮 URL:"
389
+
390
+ #: wp-to-twitter-manager.php:318
391
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
392
+ msgstr "<li><strong>WP to Twitter は Twitter への投稿に成功しました</strong></li>"
393
+
394
+ #: wp-to-twitter-manager.php:321
395
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
396
+ msgstr "<li class=\"error\"><strong>WP to Twitter は Twitter への投稿に失敗しました</strong></li>"
397
+
398
+ #: wp-to-twitter-manager.php:325
399
+ msgid "You have not connected WordPress to Twitter."
400
+ msgstr "この WordPress はまだ Twitter と連携していません。"
401
+
402
+ #: wp-to-twitter-manager.php:329
403
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
404
+ msgstr "<li class=\"error\"><strong>ご利用のサーバーには WP to Twitter に必要な機能がないようです</strong>。それでも試してみることはできます。このテストも完璧ではありませんから。</li>"
405
+
406
+ #: wp-to-twitter-manager.php:333
407
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
408
+ msgstr "<li><strong>WP to Twitter はご利用のサーバーで問題なく動きます</strong></li>"
409
+
410
+ #: wp-to-twitter-manager.php:350
411
+ msgid "WP to Twitter Options"
412
+ msgstr "WP to Twitter 設定"
413
+
414
+ #: wp-to-twitter-manager.php:360
415
+ msgid "Pledge to new features"
416
+ msgstr "機能リクエスト"
417
+
418
+ #: wp-to-twitter-manager.php:363
419
+ msgid "View Settings"
420
+ msgstr "設定を表示"
421
+
422
+ #: wp-to-twitter-manager.php:378
423
+ msgid "Shortcodes available in post update templates:"
424
+ msgstr "ツイート設定内で使えるショートコード: "
425
+
426
+ #: wp-to-twitter-manager.php:380
427
+ msgid "<code>#title#</code>: the title of your blog post"
428
+ msgstr "<code>#title#</code>: 投稿のタイトル"
429
+
430
+ #: wp-to-twitter-manager.php:381
431
+ msgid "<code>#blog#</code>: the title of your blog"
432
+ msgstr "<code>#blog#</code>: ブログのタイトル"
433
+
434
+ #: wp-to-twitter-manager.php:382
435
+ msgid "<code>#post#</code>: a short excerpt of the post content"
436
+ msgstr "<code>#post#</code>: 投稿の抜粋"
437
+
438
+ #: wp-to-twitter-manager.php:383
439
+ msgid "<code>#category#</code>: the first selected category for the post"
440
+ msgstr "<code>#category#</code>: 投稿のカテゴリー (最初の一つ)"
441
+
442
+ #: wp-to-twitter-manager.php:384
443
+ msgid "<code>#date#</code>: the post date"
444
+ msgstr "<code>#date#</code>: 投稿の日付"
445
+
446
+ #: wp-to-twitter-manager.php:385
447
+ msgid "<code>#url#</code>: the post URL"
448
+ msgstr "<code>#url#</code>: 投稿の URL"
449
+
450
+ #: wp-to-twitter-manager.php:386
451
+ msgid "<code>#author#</code>: the post author"
452
+ msgstr "<code>#author#</code>: 投稿の作成者"
453
+
454
+ #: wp-to-twitter-manager.php:387
455
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
456
+ msgstr "<code>#account#</code>: @reference 形式のサイトの Twitter アカウント名 (もしくは、個人設定で値があれば投稿者のアカウント名)"
457
+
458
+ #: wp-to-twitter-manager.php:389
459
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
460
+ msgstr "カスタムフィールドを表示するショートコードを作ることもできます。ブラケット2つでカスタムフィールド名を囲むと、そのカスタムフィールドの値がツイートに含まれます。 例: <code>[[custom_field]]</code></p>"
461
+
462
+ #: wp-to-twitter-manager.php:394
463
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
464
+ msgstr "<p>いくつかの投稿が、ステータスの変更時のツイートに失敗しました。ツイートは投稿のカスタムフィールド内に保存されました。あとでお暇なときにツイートし直してください。</p>"
465
+
466
+ #: wp-to-twitter-manager.php:398
467
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr Help</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
468
+ msgstr "<p>短縮 URL API への問い合わせに失敗しました。 URL が短縮できなかったので、ツイートには通常の URL を添付しました。短縮 URL プロバイダでお知らせが出ていないか確認してください。 [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr ヘルプ</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
469
+
470
+ #: wp-to-twitter-manager.php:405
471
+ msgid "Clear 'WP to Twitter' Error Messages"
472
+ msgstr "WP to Twitter エラーメッセージを消去する"
473
+
474
+ #: wp-to-twitter-manager.php:418
475
+ msgid "Basic Settings"
476
+ msgstr "基本設定"
477
+
478
+ #: wp-to-twitter-manager.php:424
479
+ msgid "Tweet Templates"
480
+ msgstr "ツイート設定"
481
+
482
+ #: wp-to-twitter-manager.php:427
483
+ msgid "Update when a post is published"
484
+ msgstr "投稿が公開されたらツイート"
485
+
486
+ #: wp-to-twitter-manager.php:427
487
+ msgid "Text for new post updates:"
488
+ msgstr "投稿公開時: "
489
+
490
+ #: wp-to-twitter-manager.php:433
491
+ #: wp-to-twitter-manager.php:436
492
+ msgid "Update when a post is edited"
493
+ msgstr "投稿が編集されたらツイート"
494
+
495
+ #: wp-to-twitter-manager.php:433
496
+ #: wp-to-twitter-manager.php:436
497
+ msgid "Text for editing updates:"
498
+ msgstr "投稿編集時"
499
+
500
+ #: wp-to-twitter-manager.php:437
501
+ msgid "You can not disable updates on edits when using Postie or similar plugins."
502
+ msgstr "Postie あるいは類似のプラグインを使っているので、編集時のツイートを無効にすることはできません"
503
+
504
+ #: wp-to-twitter-manager.php:441
505
+ msgid "Update Twitter when new Wordpress Pages are published"
506
+ msgstr "ページが公開されたらツイート"
507
+
508
+ #: wp-to-twitter-manager.php:441
509
+ msgid "Text for new page updates:"
510
+ msgstr "ページ公開時: "
511
+
512
+ #: wp-to-twitter-manager.php:445
513
+ msgid "Update Twitter when WordPress Pages are edited"
514
+ msgstr "ページが編集されたらツイート"
515
+
516
+ #: wp-to-twitter-manager.php:445
517
+ msgid "Text for page edit updates:"
518
+ msgstr "ページ編集時:"
519
+
520
+ #: wp-to-twitter-manager.php:449
521
+ msgid "Update Twitter when you post a Blogroll link"
522
+ msgstr "ブログロールにリンクを追加したらツイート"
523
+
524
+ #: wp-to-twitter-manager.php:450
525
+ msgid "Text for new link updates:"
526
+ msgstr "新規リンク: "
527
+
528
+ #: wp-to-twitter-manager.php:450
529
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
530
+ msgstr "利用可能なショートコード: <code>#url#</code> <code>#title#</code> <code>#description#</code>"
531
+
532
+ #: wp-to-twitter-manager.php:454
533
+ msgid "Choose your short URL service (account settings below)"
534
+ msgstr "短縮 URL (アカウント設定は下で行ってください)"
535
+
536
+ #: wp-to-twitter-manager.php:457
537
+ msgid "Don't shorten URLs."
538
+ msgstr "URL を短縮しない"
539
+
540
+ #: wp-to-twitter-manager.php:458
541
+ msgid "Use Su.pr for my URL shortener."
542
+ msgstr "Su.pr を使って短縮"
543
+
544
+ #: wp-to-twitter-manager.php:459
545
+ msgid "Use Bit.ly for my URL shortener."
546
+ msgstr "Bit.ly を使って短縮"
547
+
548
+ #: wp-to-twitter-manager.php:460
549
+ msgid "YOURLS (installed on this server)"
550
+ msgstr "YOURLS (このサーバー上)"
551
+
552
+ #: wp-to-twitter-manager.php:461
553
+ msgid "YOURLS (installed on a remote server)"
554
+ msgstr "YOURLS (別のサーバー上)"
555
+
556
+ #: wp-to-twitter-manager.php:462
557
+ msgid "Use WordPress as a URL shortener."
558
+ msgstr "WordPress の短縮 URL 機能"
559
+
560
+ #: wp-to-twitter-manager.php:464
561
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
562
+ msgstr "WordPress の短縮 URL 機能では、パーマリンク設定内の「デフォルト」形式の URL を Twiterへ送信します。 例: <code>http://domain.com/wordpress/?p=123</code> この場合、 Google Analytics での解析はできません。"
563
+
564
+ #: wp-to-twitter-manager.php:470
565
+ msgid "Save WP->Twitter Options"
566
+ msgstr "基本設定を保存"
567
+
568
+ #: wp-to-twitter-manager.php:479
569
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
570
+ msgstr "短縮 <abbr title=\"Uniform Resource Locator\">URL</abbr> アカウント設定"
571
+
572
+ #: wp-to-twitter-manager.php:483
573
+ msgid "Your Su.pr account details"
574
+ msgstr "Su.pr アカウント設定"
575
+
576
+ #: wp-to-twitter-manager.php:488
577
+ msgid "Your Su.pr Username:"
578
+ msgstr "Su.pr ユーザー名: "
579
+
580
+ #: wp-to-twitter-manager.php:492
581
+ msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
582
+ msgstr "Su.pr <abbr title='application programming interface'>API</abbr> キー:"
583
+
584
+ #: wp-to-twitter-manager.php:498
585
+ msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
586
+ msgstr "Su.pr アカウントもしくは API キーをお持ちでない場合は<a href='http://su.pr/'>取得してください</a>!<br />API キーは短縮した URL をあなたの Su.pr アカウントと結びつけるために必要です。"
587
+
588
+ #: wp-to-twitter-manager.php:504
589
+ msgid "Your Bit.ly account details"
590
+ msgstr "Bit.ly アカウント設定"
591
+
592
+ #: wp-to-twitter-manager.php:509
593
+ msgid "Your Bit.ly username:"
594
+ msgstr "Bit.ly ユーザー名: "
595
+
596
+ #: wp-to-twitter-manager.php:513
597
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
598
+ msgstr "Bit.ly <abbr title='application programming interface'>API</abbr> キー:"
599
+
600
+ #: wp-to-twitter-manager.php:520
601
+ msgid "Save Bit.ly API Key"
602
+ msgstr "Bit.ly API キーを保存"
603
+
604
+ #: wp-to-twitter-manager.php:520
605
+ msgid "Clear Bit.ly API Key"
606
+ msgstr "Bit.ly API キーを消去"
607
+
608
+ #: wp-to-twitter-manager.php:520
609
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
610
+ msgstr "Bit.ly API キーとユーザー名は Bit.ly API および WP to Twitter から URL を短縮するために必要です。"
611
+
612
+ #: wp-to-twitter-manager.php:525
613
+ msgid "Your YOURLS account details"
614
+ msgstr "YOURLS アカウント設定"
615
+
616
+ #: wp-to-twitter-manager.php:529
617
+ msgid "Path to your YOURLS config file (Local installations)"
618
+ msgstr "YOURLS 設定ファイルへのパス (ローカルインストールの場合)"
619
+
620
+ #: wp-to-twitter-manager.php:530
621
+ #: wp-to-twitter-manager.php:534
622
+ msgid "Example:"
623
+ msgstr "例:"
624
+
625
+ #: wp-to-twitter-manager.php:533
626
+ msgid "URI to the YOURLS API (Remote installations)"
627
+ msgstr "YOURLS API へのパス (リモートインストールの場合)"
628
+
629
+ #: wp-to-twitter-manager.php:537
630
+ msgid "Your YOURLS username:"
631
+ msgstr "YOURLS ユーザー名:"
632
+
633
+ #: wp-to-twitter-manager.php:541
634
+ msgid "Your YOURLS password:"
635
+ msgstr "YOURLS パスワード:"
636
+
637
+ #: wp-to-twitter-manager.php:541
638
+ msgid "<em>Saved</em>"
639
+ msgstr "<em>保存しました</em>"
640
+
641
+ #: wp-to-twitter-manager.php:545
642
+ msgid "Use Post ID for YOURLS url slug."
643
+ msgstr "投稿 ID を YOURLS の短縮名に使う"
644
+
645
+ #: wp-to-twitter-manager.php:550
646
+ msgid "Save YOURLS Account Info"
647
+ msgstr "YOURLS アカウント設定を保存"
648
+
649
+ #: wp-to-twitter-manager.php:550
650
+ msgid "Clear YOURLS password"
651
+ msgstr "YOURLS パスワードを消去"
652
+
653
+ #: wp-to-twitter-manager.php:550
654
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
655
+ msgstr "YOURLS のユーザー名とパスワードは YOURLS API および WP to Twitter から URL を短縮するために必要です。"
656
+
657
+ #: wp-to-twitter-manager.php:562
658
+ msgid "Advanced Settings"
659
+ msgstr "詳細設定"
660
+
661
+ #: wp-to-twitter-manager.php:569
662
+ msgid "Advanced Tweet settings"
663
+ msgstr "高度なツイート設定"
664
+
665
+ #: wp-to-twitter-manager.php:571
666
+ msgid "Add tags as hashtags on Tweets"
667
+ msgstr "投稿タグをハッシュタグとしてツイートする"
668
+
669
+ #: wp-to-twitter-manager.php:571
670
+ msgid "Strip nonalphanumeric characters"
671
+ msgstr "英数字以外の文字を取り除く"
672
+
673
+ #: wp-to-twitter-manager.php:572
674
+ msgid "Spaces replaced with:"
675
+ msgstr "空白を置換: "
676
+
677
+ #: wp-to-twitter-manager.php:574
678
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
679
+ msgstr "デフォルトの置換文字はアンダースコア (<code>_</code>)です。空白を消去するには <code>[ ]</code> としてください。"
680
+
681
+ #: wp-to-twitter-manager.php:577
682
+ msgid "Maximum number of tags to include:"
683
+ msgstr "タグの上限数:"
684
+
685
+ #: wp-to-twitter-manager.php:578
686
+ msgid "Maximum length in characters for included tags:"
687
+ msgstr "タグの最大文字数: "
688
+
689
+ #: wp-to-twitter-manager.php:579
690
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
691
+ msgstr "これらのオプションでは、ハッシュタグとして送信される投稿タグの長さや数を制限できます。すべて許可するには <code>0</code> または空白にしてください。"
692
+
693
+ #: wp-to-twitter-manager.php:582
694
+ msgid "Length of post excerpt (in characters):"
695
+ msgstr "抜粋の最大文字数:"
696
+
697
+ #: wp-to-twitter-manager.php:582
698
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
699
+ msgstr "デフォルトでは投稿の冒頭が抜き出されます。「抜粋」フィールドがあれば代わりにそちらを使用します。"
700
+
701
+ #: wp-to-twitter-manager.php:585
702
+ msgid "WP to Twitter Date Formatting:"
703
+ msgstr "日付フォーマット:"
704
+
705
+ #: wp-to-twitter-manager.php:586
706
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
707
+ msgstr "デフォルトは「一般設定」での値です。 <a href='http://wpdocs.sourceforge.jp/Formatting_Date_and_Time'>日付と時刻の書式の解説</a>"
708
+
709
+ #: wp-to-twitter-manager.php:590
710
+ msgid "Custom text before all Tweets:"
711
+ msgstr "ツイートの前につける文字列:"
712
+
713
+ #: wp-to-twitter-manager.php:591
714
+ msgid "Custom text after all Tweets:"
715
+ msgstr "ツイートの後につける文字列:"
716
+
717
+ #: wp-to-twitter-manager.php:594
718
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
719
+ msgstr "代替 URL を表すカスタムフィールド"
720
+
721
+ #: wp-to-twitter-manager.php:595
722
+ msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
723
+ msgstr "このカスタムフィールドで指定した URL が、通常の URL に代わって短縮・ツイートされます。"
724
+
725
+ #: wp-to-twitter-manager.php:599
726
+ msgid "Special Cases when WordPress should send a Tweet"
727
+ msgstr "特殊なツイートタイミング設定"
728
+
729
+ #: wp-to-twitter-manager.php:602
730
+ msgid "Do not post status updates by default"
731
+ msgstr "「この投稿はツイートしない」をデフォルトにする"
732
+
733
+ #: wp-to-twitter-manager.php:603
734
+ msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
735
+ msgstr "デフォルトでは、すべての投稿は他の条件に合致すると Twitter へ投稿されます。この設定を変えるにはチェックを入れてください。"
736
+
737
+ #: wp-to-twitter-manager.php:607
738
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
739
+ msgstr "リモート投稿時にツイートする (メール投稿・XMLRPC クライアント)"
740
+
741
+ #: wp-to-twitter-manager.php:609
742
+ msgid "I'm using a plugin to post by email, such as Postie. Only check this if your updates do not work."
743
+ msgstr "Postie などのメール投稿プラグインを利用中 (ツイートがうまくいかないときに選択してみてください)"
744
+
745
+ #: wp-to-twitter-manager.php:613
746
+ msgid "Update Twitter when a post is published using QuickPress"
747
+ msgstr "クイック投稿から公開記事が投稿されたらツイートする"
748
+
749
+ #: wp-to-twitter-manager.php:617
750
+ msgid "Google Analytics Settings"
751
+ msgstr "Google Analytics 設定"
752
+
753
+ #: wp-to-twitter-manager.php:618
754
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
755
+ msgstr "ここで Google Analytics のキャンペーン ID を指定すると Twitter からの訪問を解析することができます。静的 ID と 動的 ID が利用できます。静的 ID は投稿ごとに変わるということはありません。一方、動的 ID は特定の投稿情報によって変化します。動的 ID を用いると変数を追加して統計結果を分けることができます。"
756
+
757
+ #: wp-to-twitter-manager.php:622
758
+ msgid "Use a Static Identifier with WP-to-Twitter"
759
+ msgstr "静的 ID を使う"
760
+
761
+ #: wp-to-twitter-manager.php:623
762
+ msgid "Static Campaign identifier for Google Analytics:"
763
+ msgstr "Google Analytics のキャンペーン ID"
764
+
765
+ #: wp-to-twitter-manager.php:627
766
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
767
+ msgstr "動的 ID を使う"
768
+
769
+ #: wp-to-twitter-manager.php:628
770
+ msgid "What dynamic identifier would you like to use?"
771
+ msgstr "動的 ID として使う値"
772
+
773
+ #: wp-to-twitter-manager.php:630
774
+ msgid "Category"
775
+ msgstr "カテゴリー"
776
+
777
+ #: wp-to-twitter-manager.php:631
778
+ msgid "Post ID"
779
+ msgstr "投稿 ID"
780
+
781
+ #: wp-to-twitter-manager.php:632
782
+ msgid "Post Title"
783
+ msgstr "投稿タイトル"
784
+
785
+ #: wp-to-twitter-manager.php:633
786
+ #: wp-to-twitter-manager.php:647
787
+ msgid "Author"
788
+ msgstr "投稿者"
789
+
790
+ #: wp-to-twitter-manager.php:638
791
+ msgid "Individual Authors"
792
+ msgstr "ユーザー設定"
793
+
794
+ #: wp-to-twitter-manager.php:641
795
+ msgid "Authors have individual Twitter accounts"
796
+ msgstr "ユーザー個人の Twitter アカウントを有効にする"
797
+
798
+ #: wp-to-twitter-manager.php:641
799
+ msgid "Authors can set their username in their user profile. As of version 2.2.0, this feature no longer allows authors to post to their own Twitter accounts. It can only add an @reference to the author. This @reference is placed using the <code>#account#</code> shortcode. (It will pick up the main account if user accounts are not enabled.)"
800
+ msgstr "ユーザーはプロフィールに自分の Twitter アカウントを設定できます。バージョン 2.2.0 からはこの機能はユーザーごとに自分のアカウントでツイートするものではなくなりました。 @reference のようにユーザーのアカウント名をツイートに追加するだけです。 @reference はショートコード <code>#account#</code> で配置できます。ユーザーアカウントがない場合、このショートコードはサイトのアカウント名になります。"
801
+
802
+ #: wp-to-twitter-manager.php:644
803
+ msgid "Choose the lowest user group that can add their Twitter information"
804
+ msgstr "Twitter アカウント情報を設定できるユーザーグループ"
805
+
806
+ #: wp-to-twitter-manager.php:645
807
+ msgid "Subscriber"
808
+ msgstr "購読者"
809
+
810
+ #: wp-to-twitter-manager.php:646
811
+ msgid "Contributor"
812
+ msgstr "寄稿者"
813
+
814
+ #: wp-to-twitter-manager.php:648
815
+ msgid "Editor"
816
+ msgstr "編集者"
817
+
818
+ #: wp-to-twitter-manager.php:649
819
+ msgid "Administrator"
820
+ msgstr "管理者"
821
+
822
+ #: wp-to-twitter-manager.php:654
823
+ msgid "Disable Error Messages"
824
+ msgstr "エラーメッセージの非表示設定"
825
+
826
+ #: wp-to-twitter-manager.php:657
827
+ msgid "Disable global URL shortener error messages."
828
+ msgstr "短縮 URL に関するエラーを非表示にする"
829
+
830
+ #: wp-to-twitter-manager.php:661
831
+ msgid "Disable global Twitter API error messages."
832
+ msgstr "Twitter API に関するエラーを非表示にする"
833
+
834
+ #: wp-to-twitter-manager.php:665
835
+ msgid "Disable notification to implement OAuth"
836
+ msgstr "OAuth 認証を要請するメッセージを非表示にする"
837
+
838
+ #: wp-to-twitter-manager.php:669
839
+ msgid "Get Debugging Data for OAuth Connection"
840
+ msgstr "OAuth 接続でのデバッグデータを表示する"
841
+
842
+ #: wp-to-twitter-manager.php:675
843
+ msgid "Save Advanced WP->Twitter Options"
844
+ msgstr "詳細設定を保存"
845
+
846
+ #: wp-to-twitter-manager.php:685
847
+ msgid "Limit Updating Categories"
848
+ msgstr "カテゴリーフィルタ設定"
849
+
850
+ #: wp-to-twitter-manager.php:689
851
+ msgid "Select which blog categories will be Tweeted. Uncheck all categories to disable category limits."
852
+ msgstr "ツイートするカテゴリーを選んでください。すべてのカテゴリーのチェックを外すと、この機能はオフになります。"
853
+
854
+ #: wp-to-twitter-manager.php:692
855
+ msgid "<em>Category limits are disabled.</em>"
856
+ msgstr "<em>カテゴリーフィルタは現在使われていません</em>"
857
+
858
+ #: wp-to-twitter-manager.php:706
859
+ msgid "Check Support"
860
+ msgstr "機能チェック"
861
+
862
+ #: wp-to-twitter-manager.php:706
863
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
864
+ msgstr "このサーバーが <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> で使われる Twitter および 短縮 URL の API をサポートしているかどうかをチェックします。このテストでは Twitter にテスト用ツイートを投稿し、上の設定に基づいた URL の短縮を行います。"
865
+
866
+ #. Plugin URI of the plugin/theme
867
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
868
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
869
+
870
+ #. Description of the plugin/theme
871
+ msgid "Posts a Twitter status update when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
872
+ msgstr "ブログやリンクを更新した際に Twitter にツイートを投稿します。短縮 URL のサービスは自由に選択可能。豊富な機能でツイートのカスタマイズやプロモーションをサポートします。"
873
+
874
+ #. Author of the plugin/theme
875
+ msgid "Joseph Dolson"
876
+ msgstr "Joseph Dolson"
877
+
878
+ #. Author URI of the plugin/theme
879
+ msgid "http://www.joedolson.com/"
880
+ msgstr "http://www.joedolson.com/"
881
+
882
+ #~ msgid "Your server time is"
883
+ #~ msgstr "このサーバーの時刻は"
884
+
885
+ #~ msgid ""
886
+ #~ "If this is wrong, your server will not be able to connect with Twitter. "
887
+ #~ "(<strong>Note:</strong> your server time may not match your current time, "
888
+ #~ "but it should be correct for it's own time zone.)"
889
+ #~ msgstr ""
890
+ #~ "です。これがおかしいと Twitter との連携に失敗する可能性があります。 "
891
+ #~ "(<strong>注:</strong> サーバーの時刻はあなたの現在位置での現在時刻とは同じ"
892
+ #~ "ではないかもしれません。ですがタイムゾーンを考慮すると正しいはずです)"
wp-to-twitter-lt_LT.mo → lang/wp-to-twitter-lt_LT.mo RENAMED
File without changes
wp-to-twitter-lt_LT.po → lang/wp-to-twitter-lt_LT.po RENAMED
@@ -1,548 +1,548 @@
1
- # SOME DESCRIPTIVE TITLE.
2
- # Copyright (C) YEAR Joseph Dolson
3
- # This file is distributed under the same license as the PACKAGE package.
4
- # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
- #
6
- msgid ""
7
- msgstr ""
8
- "Project-Id-Version: WP to Twitter in russian\n"
9
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
- "POT-Creation-Date: 2009-12-22 20:09+0300\n"
11
- "PO-Revision-Date: 2011-07-30 22:46+0200\n"
12
- "Last-Translator: Natalija Strazdauskienė <ciuvir@mail.ru>\n"
13
- "Language-Team: Nata Strazda <nata@epastas.lt>\n"
14
- "MIME-Version: 1.0\n"
15
- "Content-Type: text/plain; charset=UTF-8\n"
16
- "Content-Transfer-Encoding: 8bit\n"
17
- "X-Poedit-Language: Lithuanian\n"
18
- "X-Poedit-Country: LITHUANIA\n"
19
-
20
- #: functions.php:127
21
- msgid "Twitter Password Saved"
22
- msgstr "Twitter slaptažodis išsaugotas"
23
-
24
- #: functions.php:129
25
- msgid "Twitter Password Not Saved"
26
- msgstr "Twitter slaptažodis neišsaugotas"
27
-
28
- #: functions.php:132
29
- msgid "Bit.ly API Saved"
30
- msgstr "Bit.ly API išsaugotas"
31
-
32
- #: functions.php:134
33
- msgid "Bit.ly API Not Saved"
34
- msgstr "Bit.ly API neišsaugotas"
35
-
36
- #: functions.php:140
37
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Paslėpti</a>] Jeigu kilo problemų, prašome nukopijuoti šiuos nustatymus ir kreiptis į palaikymą."
39
-
40
- #: wp-to-twitter-manager.php:63
41
- msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
- msgstr "Nustatykite savo Twitter prisijungimo informaciją ir URL trumpintojo API informaciją, naudojant šį įskiepį!"
43
-
44
- #: wp-to-twitter-manager.php:69
45
- msgid "Please add your Twitter password. "
46
- msgstr "Prašome pridėti savo Twitter slaptažodį."
47
-
48
- #: wp-to-twitter-manager.php:75
49
- msgid "WP to Twitter Errors Cleared"
50
- msgstr "WP į Twitter Klaidos pašalintos"
51
-
52
- #: wp-to-twitter-manager.php:82
53
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
- msgstr "Atsiprašome! Negaliu prisijungti prie Twitter serverio naujų blogo žinučių talpinimui. Jūsų tvitai buvo saugomi pasirinktiniame lauke, prisegtame prie žinutės, todėl jūs galite tvitinti rankiniu būdu, jei norite!"
55
-
56
- #: wp-to-twitter-manager.php:84
57
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
- msgstr "Atsiprašome! Negaliu susijungti su serveriu Twitter jūsų <strong>naujai nuorodai</strong> patalpinti! Bijau, kad teks tai atlikti rankiniu būdu."
59
-
60
- #: wp-to-twitter-manager.php:149
61
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
- msgstr "Jūs turite pridėti savo Bit.ly prisijungimą ir API raktą siekiant sutrumpinti URL Bit.ly."
63
-
64
- #: wp-to-twitter-manager.php:158
65
- msgid "WP to Twitter Options Updated"
66
- msgstr "WP į Twitter parinktys atnaujintos"
67
-
68
- #: wp-to-twitter-manager.php:168
69
- msgid "Twitter login and password updated. "
70
- msgstr "Twitter login ir slaptažodis atnaujinti. "
71
-
72
- #: wp-to-twitter-manager.php:170
73
- msgid "You need to provide your twitter login and password! "
74
- msgstr "Jūs turite nurodyti login ir slaptažodį į Twitter!"
75
-
76
- #: wp-to-twitter-manager.php:177
77
- msgid "Cligs API Key Updated"
78
- msgstr "Cligs API Raktas atnaujintas"
79
-
80
- #: wp-to-twitter-manager.php:180
81
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
- msgstr "Cli.gs API Raktas pašalintas. Cli.gs sukurtas WP į Twitter, daugiau nebus sujungtas su jūsų paskyra. "
83
-
84
- #: wp-to-twitter-manager.php:182
85
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
- msgstr "Cli.gs API raktas nepridėtas - <a href='http://cli.gs/user/api/'>gauti čia</a>! "
87
-
88
- #: wp-to-twitter-manager.php:188
89
- msgid "Bit.ly API Key Updated."
90
- msgstr "Bit.ly API Raktas atnaujintas."
91
-
92
- #: wp-to-twitter-manager.php:191
93
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
- msgstr "Bit.ly API Raktas pašalintas. Jūs negalite naudoti Bit.ly API be API rakto. "
95
-
96
- #: wp-to-twitter-manager.php:193
97
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
- msgstr "Bit.ly API Raktas nepridėtas - <a href='http://bit.ly/account/'>gauti čia</a>! API raktas turi naudoti trumpinimo servisą URL Bit.ly."
99
-
100
- #: wp-to-twitter-manager.php:197
101
- msgid " Bit.ly User Login Updated."
102
- msgstr " Bit.ly vartotojo login atnaujintas."
103
-
104
- #: wp-to-twitter-manager.php:200
105
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
- msgstr "Bit.ly vartotojo login pašalintas. Jūs negalite naudoti Bit.ly API be jūsų login. "
107
-
108
- #: wp-to-twitter-manager.php:202
109
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
- msgstr "Bit.ly login nepridėtas - <a href='http://bit.ly/account/'>gauti čia</a>! "
111
-
112
- #: wp-to-twitter-manager.php:236
113
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
- msgstr "<li>Sujungta su API Cli.gs per Snoopy, bet sukūrti URL nepavyko.</li>"
115
-
116
- #: wp-to-twitter-manager.php:238
117
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
- msgstr "<li>Sunungta su API Cli.gs per Snoopy, bet serverio Cli.gs klaida neleido sutrumpinti URL. </li>"
119
-
120
- #: wp-to-twitter-manager.php:240
121
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy и создана сокращенная ссылка.</li>"
122
- msgstr "<li>Sujungta su API Cli.gs per Snoopy ir sukūrta trumpa nuoroda.</li>"
123
-
124
- #: wp-to-twitter-manager.php:249
125
- #: wp-to-twitter-manager.php:274
126
- msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
- msgstr "<li>Sujungta su Bit.ly API per Snoopy.</li>"
128
-
129
- #: wp-to-twitter-manager.php:251
130
- #: wp-to-twitter-manager.php:276
131
- msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
- msgstr "<li>Nesujungta su Bit.ly API per Snoopy.</li>"
133
-
134
- #: wp-to-twitter-manager.php:254
135
- msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
- msgstr "<li>Negalima patikrinti Bit.ly API, reikalingas teisingas API raktas.</li>"
137
-
138
- #: wp-to-twitter-manager.php:258
139
- msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
- msgstr "<li>Sujungta su Twitter API per Snoopy.</li>"
141
-
142
- #: wp-to-twitter-manager.php:260
143
- msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
- msgstr "<li>Nesujungtas su Twitter API per Snoopy.</li>"
145
-
146
- #: wp-to-twitter-manager.php:266
147
- msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
- msgstr "<li>Sujungta su Twitter API per cURL.</li>"
149
-
150
- #: wp-to-twitter-manager.php:268
151
- msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
- msgstr "<li>Nesujungtas su Twitter API per cURL.</li>"
153
-
154
- #: wp-to-twitter-manager.php:280
155
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
- msgstr "<li>Sujungta su Cli.gs API per Snoopy.</li>"
157
-
158
- #: wp-to-twitter-manager.php:283
159
- msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
- msgstr "<li>Nesujungta su Cli.gs API per Snoopy.</li>"
161
-
162
- #: wp-to-twitter-manager.php:288
163
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
- msgstr "<li><strong>Jūsų serveris turi sėkmingai dirbti su WP į Twitter.</strong></li>"
165
-
166
- #: wp-to-twitter-manager.php:293
167
- msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
- msgstr "<li>Jūsų serveris nepalaiko <code>fputs</code>.</li>"
169
-
170
- #: wp-to-twitter-manager.php:297
171
- msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
- msgstr "<li>Jūsų serveris nepalaiko <code>file_get_contents</code> arba <code>cURL</code> funkcijas.</li>"
173
-
174
- #: wp-to-twitter-manager.php:301
175
- msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
- msgstr "<li>Jūsų serveris nepalaiko <code>Snoopy</code>.</li>"
177
-
178
- #: wp-to-twitter-manager.php:304
179
- msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
- msgstr "<li><strong>Jūsų serveris nepalaiko būtinas PHP funkcijas ir klases korektiškam įskiepio WP to Twitter darbui.</strong> Jūs galite pabandyti, tačiau garantijų nėra.</li>"
181
-
182
- #: wp-to-twitter-manager.php:313
183
- msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
- msgstr "Šis įskiepis gali nekorektiškai dirbti su serveriu. Įskiepiui nepavyksta susisiekti su sutrumpinimo URL API ir Twitter API serveriu."
185
-
186
- #: wp-to-twitter-manager.php:328
187
- msgid "WP to Twitter Options"
188
- msgstr "WP to Twitter parinktys"
189
-
190
- #: wp-to-twitter-manager.php:332
191
- #: wp-to-twitter.php:811
192
- msgid "Get Support"
193
- msgstr "Gauti palaikymą"
194
-
195
- #: wp-to-twitter-manager.php:333
196
- msgid "Export Settings"
197
- msgstr "Eksporto nustatymai"
198
-
199
- #: wp-to-twitter-manager.php:347
200
- msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
- msgstr "Norint atnaujinti žinutes, naudokite kodus antraštei <code>#title#</code>, blogo pavadinimui <code>#blog#</code>, žinutės trumpam aprašymui <code>#post#</code>, pirmos žinutės kategorijos pasirinkimui <code>#category#</code>, žinutės datai <code>#date#</code>, žinutės nuorodai <code>#url#</code> (trumpintai arba ne, priklausant nuo jūsų nustatymų.) Jūs taip pat galite sukūrti vartotojiškus prieigos kodus nustatomiems laukeliams WordPress. Naudokite dvigubus kvadratinius skliaustus, apsupant nustatomo laukelio vardą. Pvz.: <code>[[custom_field]]</code>"
202
-
203
- #: wp-to-twitter-manager.php:353
204
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
- msgstr "<p>Nepavyko perduoti informaciją apie vieno ar kelių žinučių statuso atnaujinimą Twitter. Jūsų žinutė išsaugota jūsų žinutės vartotojų laukeliuose ir jūs galite išsiųsti vėliau.</p>"
206
-
207
- #: wp-to-twitter-manager.php:356
208
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
- msgstr "<p>Nepavyko prisijungti prie trumpinimo URL serverio API ir jūsų URL nebuvo patrumpintas. Pilnas žinutės URL prikabintas prie jūsų žinutės. Prisijunkite prie trumpinto URL serverio, kad sužinoti apie galimas problemas. [<a href=\"http://blog.cli.gs\">Cli.gs Blogas</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blogas</a>]</p>"
210
-
211
- #: wp-to-twitter-manager.php:363
212
- msgid "Clear 'WP to Twitter' Error Messages"
213
- msgstr "Išvalyti 'WP to Twitter' žinutes nuo klaidų"
214
-
215
- #: wp-to-twitter-manager.php:371
216
- msgid "Set what should be in a Tweet"
217
- msgstr "Nustatyti, kas turi būti žinutėje"
218
-
219
- #: wp-to-twitter-manager.php:374
220
- msgid "Update when a post is published"
221
- msgstr "Atnaujinti, kada žinutė bus paskelbta"
222
-
223
- #: wp-to-twitter-manager.php:374
224
- msgid "Text for new post updates:"
225
- msgstr "Naujų žinučių teksto atnaujinimai:"
226
-
227
- #: wp-to-twitter-manager.php:379
228
- msgid "Update when a post is edited"
229
- msgstr "Atnaujinti, kai žinutės bus atredaguota"
230
-
231
- #: wp-to-twitter-manager.php:379
232
- msgid "Text for editing updates:"
233
- msgstr "Redaguojamų atnaujinimų tekstas:"
234
-
235
- #: wp-to-twitter-manager.php:383
236
- msgid "Update Twitter when new Wordpress Pages are published"
237
- msgstr "Atnaujinti Twitter, kai nauji puslapiai Wordpress bus apublikuoti"
238
-
239
- #: wp-to-twitter-manager.php:383
240
- msgid "Text for new page updates:"
241
- msgstr "Atnaujinimų tekstas naujam puslapiui"
242
-
243
- #: wp-to-twitter-manager.php:387
244
- msgid "Update Twitter when WordPress Pages are edited"
245
- msgstr "Atnaujinti Twitter, kai nauji Wordpress puslapiai atredaguoti"
246
-
247
- #: wp-to-twitter-manager.php:387
248
- msgid "Text for page edit updates:"
249
- msgstr "Atnaujinimo tekstas atredaguotiems puslapiams:"
250
-
251
- #: wp-to-twitter-manager.php:391
252
- msgid "Add tags as hashtags on Tweets"
253
- msgstr "Pridėti tegus kaip hashtags į žinutę"
254
-
255
- #: wp-to-twitter-manager.php:391
256
- msgid "Spaces replaced with:"
257
- msgstr "Tarpus pakeisti į:"
258
-
259
- #: wp-to-twitter-manager.php:392
260
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
261
- msgstr "Nurodytas pagal nutylėjimą pakeitimas - pabraukimo simbolis (<code>_</code>). Naudoti <code>[ ]</code>, kad pilani pašalinti tarpus."
262
-
263
- #: wp-to-twitter-manager.php:394
264
- msgid "Maximum number of tags to include:"
265
- msgstr "Maksimalus žymų skaičius įtraukimui:"
266
-
267
- #: wp-to-twitter-manager.php:395
268
- msgid "Maximum length in characters for included tags:"
269
- msgstr "Maksimalus ilgis simboliuose iterptuose teguose:"
270
-
271
- #: wp-to-twitter-manager.php:396
272
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
- msgstr "Šie parametrai apriboja ilgį ir tegų skaičių WordPress, nukreptus į Twitter, kaip hashtags. Nustatykite <code>0</code> arba palikite lauką tūščiu, kad leisti visus tegus. "
274
-
275
- #: wp-to-twitter-manager.php:400
276
- msgid "Update Twitter when you post a Blogroll link"
277
- msgstr "Atnaujinti Twitter, kai patalpinsite Blogroll nuorodą"
278
-
279
- #: wp-to-twitter-manager.php:401
280
- msgid "Text for new link updates:"
281
- msgstr "Atnaujinimo tekstas naujai nuorodai:"
282
-
283
- #: wp-to-twitter-manager.php:401
284
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
- msgstr "Prieinami kodai: <code>#url#</code>, <code>#title#</code>, и <code>#description#</code>."
286
-
287
- #: wp-to-twitter-manager.php:404
288
- msgid "Length of post excerpt (in characters):"
289
- msgstr "Žinutės ištraukos ilgis (simboliais):"
290
-
291
- #: wp-to-twitter-manager.php:404
292
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
- msgstr "Pagal nutylėjimą, ištrauktas tiesiogiai iš žinutės. Jeigu jūs naudojate lauką 'Ištrauka', tai bus naudojama vietoj jos."
294
-
295
- #: wp-to-twitter-manager.php:407
296
- msgid "WP to Twitter Date Formatting:"
297
- msgstr "WP to Twitter datos formavimas:"
298
-
299
- #: wp-to-twitter-manager.php:407
300
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
- msgstr "Pagal nutylėjimą iš bendrų nustatymų. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Formavimo datos dokumentacija</a>."
302
-
303
- #: wp-to-twitter-manager.php:411
304
- msgid "Custom text before Tweets:"
305
- msgstr "Vartotojiškas tekstas prieš žinutes:"
306
-
307
- #: wp-to-twitter-manager.php:412
308
- msgid "Custom text after Tweets:"
309
- msgstr "Vartotojo tekstas po žinutės:"
310
-
311
- #: wp-to-twitter-manager.php:415
312
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
- msgstr "Vartotojo laukas alternatyviems URL, kad sutrumpinti ir paskelbti:"
314
-
315
- #: wp-to-twitter-manager.php:416
316
- msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
- msgstr "Jūs galite naudoti pasirinktinį lauką, kad išsiųsti Cli.gs ir Twitter alternatyvų URL su nuolatine nuoroda WordPress. Reikšmė - pasirinktinio lauko pavadinimas, kurį jūs naudojate, kad pridėti išorinį URL."
318
-
319
- #: wp-to-twitter-manager.php:420
320
- msgid "Special Cases when WordPress should send a Tweet"
321
- msgstr "Kai kuriais atvėjais, kai WordPress turi išsiųsti žinutę"
322
-
323
- #: wp-to-twitter-manager.php:423
324
- msgid "Set default Tweet status to 'No.'"
325
- msgstr "Nustatyti pagal nutylėjimą žinutės statusą į 'Ne.'"
326
-
327
- #: wp-to-twitter-manager.php:424
328
- msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
- msgstr "Twitter atnaujinimai gali būti nustatyti ant kiekvienos žinutės. Pagal nutylėjimą, žinutės BUS patalpintos į Twitter. Patikrinkite, kad galima būtų pakeisti reikšmę pagal nutylėjimą į NE."
330
-
331
- #: wp-to-twitter-manager.php:428
332
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
- msgstr "Išsiųsti atnaujinimus Twitter per nuotolinę publikaciją (Žinutė per email arba XMLRPC klientą)"
334
-
335
- #: wp-to-twitter-manager.php:432
336
- msgid "Update Twitter when a post is published using QuickPress"
337
- msgstr "Atnaujinti Twitter, kai žinutė atnaujinta naudojant QuickPress"
338
-
339
- #: wp-to-twitter-manager.php:436
340
- msgid "Special Fields"
341
- msgstr "Specialūs laukai"
342
-
343
- #: wp-to-twitter-manager.php:439
344
- msgid "Use Google Analytics with WP-to-Twitter"
345
- msgstr "Naudoti Google Analytics su WP-to-Twitter"
346
-
347
- #: wp-to-twitter-manager.php:440
348
- msgid "Campaign identifier for Google Analytics:"
349
- msgstr "Google Analytics identifikatorius:"
350
-
351
- #: wp-to-twitter-manager.php:441
352
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
- msgstr "Jūs galite stebėti atsakymus Twitter'e, naudojant Google Analytics kompanijos identifikatoriaus apibrėžimą čia."
354
-
355
- #: wp-to-twitter-manager.php:446
356
- msgid "Authors have individual Twitter accounts"
357
- msgstr "Autoriai turi individualias Twitter paskyras"
358
-
359
- #: wp-to-twitter-manager.php:446
360
- msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
- msgstr "Kiekvienas autorius gali nustatyti nuosavą Twitter vardą ir slaptažodį vartotojo paskyroje. Jų žinutės bus nusiųstos į jūsų paskyras Twitter."
362
-
363
- #: wp-to-twitter-manager.php:450
364
- msgid "Set your preferred URL Shortener"
365
- msgstr "Nustatyti jums patinkantį URL sutrumpinimo serverį"
366
-
367
- #: wp-to-twitter-manager.php:453
368
- msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
- msgstr "Naudoti <strong>Cli.gs</strong> kaip mano URL trumpinimo serverį."
370
-
371
- #: wp-to-twitter-manager.php:454
372
- msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
- msgstr "Naudoti <strong>Bit.ly</strong> kaip mano URL trumpinimo serverį."
374
-
375
- #: wp-to-twitter-manager.php:455
376
- msgid "Use <strong>WordPress</strong> as a URL shortener."
377
- msgstr "Naudoti <strong>WordPress</strong> URL trumpinimui."
378
-
379
- #: wp-to-twitter-manager.php:456
380
- msgid "Don't shorten URLs."
381
- msgstr "Netrumpinti URL."
382
-
383
- #: wp-to-twitter-manager.php:457
384
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
- msgstr "Naudoti WordPress kaip URL trumpintoją ir siųs URLs į Twitter pagrindiniu URL WordPress formatu: <code>http://domain.com/subdir/?p=123</code>. Google Analytics nepasiekiamas, kai naudojamas WordPress trumpintojas URLs."
386
-
387
- #: wp-to-twitter-manager.php:462
388
- msgid "Save WP->Twitter Options"
389
- msgstr "Išsaugoti WP->Twitter parinktys"
390
-
391
- #: wp-to-twitter-manager.php:468
392
- msgid "Your Twitter account details"
393
- msgstr "Jūsų Twitter paskyros detalės"
394
-
395
- #: wp-to-twitter-manager.php:475
396
- msgid "Your Twitter username:"
397
- msgstr "Jūsų Twitter prisijungimo vardas:"
398
-
399
- #: wp-to-twitter-manager.php:479
400
- msgid "Your Twitter password:"
401
- msgstr "Jūsų Twitter slaptažodis: "
402
-
403
- #: wp-to-twitter-manager.php:479
404
- msgid "(<em>Saved</em>)"
405
- msgstr "(<em>Išsaugota</em>)"
406
-
407
- #: wp-to-twitter-manager.php:483
408
- msgid "Save Twitter Login Info"
409
- msgstr "Išsaugoti Twitter login informaciją"
410
-
411
- #: wp-to-twitter-manager.php:483
412
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
- msgstr "&raquo; <small>Nėra Twitter paskyros? <a href='http://www.twitter.com'>Gaukite ją nemokamai čia</a>"
414
-
415
- #: wp-to-twitter-manager.php:487
416
- msgid "Your Cli.gs account details"
417
- msgstr "Jūsų Cli.gs paskyros detalės"
418
-
419
- #: wp-to-twitter-manager.php:494
420
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
- msgstr "Jūsų Cli.gs <abbr title='application programming interface'>API</abbr> Raktas:"
422
-
423
- #: wp-to-twitter-manager.php:500
424
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
- msgstr "Nėra Cli.gs paskyros arba Cligs API Rakto? <a href='http://cli.gs/user/api/'>Gaukite nemokamai čia</a>!<br />Jums reikalingas API Raktas, kad sujungti Cligs, sukūrtus jūsų Cligs paskyros pagalba."
426
-
427
- #: wp-to-twitter-manager.php:505
428
- msgid "Your Bit.ly account details"
429
- msgstr "Jūsų Bit.ly paskyros detalės"
430
-
431
- #: wp-to-twitter-manager.php:510
432
- msgid "Your Bit.ly username:"
433
- msgstr "Jūsų Bit.ly prisijungimo vardas:"
434
-
435
- #: wp-to-twitter-manager.php:514
436
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
- msgstr "Jūsų Bit.ly <abbr title='application programming interface'>API</abbr> Raktas:"
438
-
439
- #: wp-to-twitter-manager.php:521
440
- msgid "Save Bit.ly API Key"
441
- msgstr "Išsaugoti Bit.ly API Raktą"
442
-
443
- #: wp-to-twitter-manager.php:521
444
- msgid "Clear Bit.ly API Key"
445
- msgstr "Išvalyti Bit.ly API Raktą"
446
-
447
- #: wp-to-twitter-manager.php:521
448
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
- msgstr "Bit.ly API raktas ir prisijungimo vardas reikalingas URL trumpinimui per Bit.ly API ir WP į Twitter."
450
-
451
- #: wp-to-twitter-manager.php:530
452
- msgid "Check Support"
453
- msgstr "Patikrinti palaikymą"
454
-
455
- #: wp-to-twitter-manager.php:530
456
- msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
- msgstr "Patikrinti, ar jūsų serveris palaiko WP to Twitter užklausas į Twitter ir URL trumpinimo serverius."
458
-
459
- #: wp-to-twitter-manager.php:538
460
- msgid "Need help?"
461
- msgstr "Reikalinga pagalba?"
462
-
463
- #: wp-to-twitter-manager.php:539
464
- msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
- msgstr "Apsilankykite <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter įskiepio puslapyje</a>."
466
-
467
- #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
- #. Plugin Name of an extension
469
- #: wp-to-twitter.php:761
470
- msgid "WP to Twitter"
471
- msgstr "WP to Twitter"
472
-
473
- #: wp-to-twitter.php:806
474
- msgid "Twitter Post"
475
- msgstr "Twitter žinutė"
476
-
477
- #: wp-to-twitter.php:811
478
- msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
- msgstr " simboliai.<br />Twitter žinutės neturi viršyti 140 simbolių; Jūsų Cli.gs nuoroda talpinama į dokumento pabaigą, jūs turite 119 simbolių. Jūs galite naudoti <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code> arba <code>#blog#</code>, kad įdėti sutrumpintą URL, žinutės pavadinimą, pirmą pasirinktą kategoriją, žinutės datą, žinutės ištrauką arba blogo pavadinimą į žinutę."
480
-
481
- #: wp-to-twitter.php:811
482
- msgid "Make a Donation"
483
- msgstr "Paremti"
484
-
485
- #: wp-to-twitter.php:814
486
- msgid "Don't Tweet this post."
487
- msgstr "Netalpinti šios žinutės."
488
-
489
- #: wp-to-twitter.php:863
490
- msgid "WP to Twitter User Settings"
491
- msgstr "WP to Twitter vartotojo nustatymai"
492
-
493
- #: wp-to-twitter.php:867
494
- msgid "Use My Twitter Account"
495
- msgstr "Naudoti mano Twitter paskyrą"
496
-
497
- #: wp-to-twitter.php:868
498
- msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
- msgstr "Pasirinkite šį parametrą, jei norite, kad jūsų žinutės būtų nusiųstos į jūsų Twitter paskyrą be @ nuorodų."
500
-
501
- #: wp-to-twitter.php:869
502
- msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
- msgstr "Rašyti mano žinutes į mano Twitter paskyrą su @ nuoroda į pagrindinį Twitter puslapį."
504
-
505
- #: wp-to-twitter.php:870
506
- msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
- msgstr "Rašyti mano žinutes mano paskyros pradiniame Twitter puslapyje su @ nuoroda į mano vartotojo vardą. (Šiam parametrui slaptažodis nėra reikalingas.)"
508
-
509
- #: wp-to-twitter.php:873
510
- msgid "Your Twitter Username"
511
- msgstr "JūsųTwitter prisijungimo vardas"
512
-
513
- #: wp-to-twitter.php:874
514
- msgid "Enter your own Twitter username."
515
- msgstr "Įveskite savo Twitter prisijungimo vardą."
516
-
517
- #: wp-to-twitter.php:877
518
- msgid "Your Twitter Password"
519
- msgstr "Jūsų Twitter slaptažodis"
520
-
521
- #: wp-to-twitter.php:878
522
- msgid "Enter your own Twitter password."
523
- msgstr "Įveskite savo Twitter slaptažodį."
524
-
525
- #: wp-to-twitter.php:997
526
- msgid "<p>Couldn't locate the settings page.</p>"
527
- msgstr "<p>Nerastas nustatymų puslapis.</p>"
528
-
529
- #: wp-to-twitter.php:1002
530
- msgid "Settings"
531
- msgstr "Nustatymai"
532
-
533
- #. Plugin URI of an extension
534
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
-
537
- #. Description of an extension
538
- msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
- msgstr "Atnaujinti Twitter, kai jūs parašysite naują žinutę bloge arba pridėsite į jūsų blogroll Cli.gs naudojimą. Cli.gs API rakto pagalba, sukūrkite clig jūsų Cli.gs paskyroje su jūsų žinutės pavadinimu kaip antrašte."
540
-
541
- #. Author of an extension
542
- msgid "Joseph Dolson"
543
- msgstr "Joseph Dolson"
544
-
545
- #. Author URI of an extension
546
- msgid "http://www.joedolson.com/"
547
- msgstr "http://www.joedolson.com/"
548
-
1
+ # SOME DESCRIPTIVE TITLE.
2
+ # Copyright (C) YEAR Joseph Dolson
3
+ # This file is distributed under the same license as the PACKAGE package.
4
+ # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
+ #
6
+ msgid ""
7
+ msgstr ""
8
+ "Project-Id-Version: WP to Twitter in russian\n"
9
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
+ "POT-Creation-Date: 2009-12-22 20:09+0300\n"
11
+ "PO-Revision-Date: 2011-07-30 22:46+0200\n"
12
+ "Last-Translator: Natalija Strazdauskienė <ciuvir@mail.ru>\n"
13
+ "Language-Team: Nata Strazda <nata@epastas.lt>\n"
14
+ "MIME-Version: 1.0\n"
15
+ "Content-Type: text/plain; charset=UTF-8\n"
16
+ "Content-Transfer-Encoding: 8bit\n"
17
+ "X-Poedit-Language: Lithuanian\n"
18
+ "X-Poedit-Country: LITHUANIA\n"
19
+
20
+ #: functions.php:127
21
+ msgid "Twitter Password Saved"
22
+ msgstr "Twitter slaptažodis išsaugotas"
23
+
24
+ #: functions.php:129
25
+ msgid "Twitter Password Not Saved"
26
+ msgstr "Twitter slaptažodis neišsaugotas"
27
+
28
+ #: functions.php:132
29
+ msgid "Bit.ly API Saved"
30
+ msgstr "Bit.ly API išsaugotas"
31
+
32
+ #: functions.php:134
33
+ msgid "Bit.ly API Not Saved"
34
+ msgstr "Bit.ly API neišsaugotas"
35
+
36
+ #: functions.php:140
37
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Paslėpti</a>] Jeigu kilo problemų, prašome nukopijuoti šiuos nustatymus ir kreiptis į palaikymą."
39
+
40
+ #: wp-to-twitter-manager.php:63
41
+ msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
+ msgstr "Nustatykite savo Twitter prisijungimo informaciją ir URL trumpintojo API informaciją, naudojant šį įskiepį!"
43
+
44
+ #: wp-to-twitter-manager.php:69
45
+ msgid "Please add your Twitter password. "
46
+ msgstr "Prašome pridėti savo Twitter slaptažodį."
47
+
48
+ #: wp-to-twitter-manager.php:75
49
+ msgid "WP to Twitter Errors Cleared"
50
+ msgstr "WP į Twitter Klaidos pašalintos"
51
+
52
+ #: wp-to-twitter-manager.php:82
53
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
+ msgstr "Atsiprašome! Negaliu prisijungti prie Twitter serverio naujų blogo žinučių talpinimui. Jūsų tvitai buvo saugomi pasirinktiniame lauke, prisegtame prie žinutės, todėl jūs galite tvitinti rankiniu būdu, jei norite!"
55
+
56
+ #: wp-to-twitter-manager.php:84
57
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
+ msgstr "Atsiprašome! Negaliu susijungti su serveriu Twitter jūsų <strong>naujai nuorodai</strong> patalpinti! Bijau, kad teks tai atlikti rankiniu būdu."
59
+
60
+ #: wp-to-twitter-manager.php:149
61
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
+ msgstr "Jūs turite pridėti savo Bit.ly prisijungimą ir API raktą siekiant sutrumpinti URL Bit.ly."
63
+
64
+ #: wp-to-twitter-manager.php:158
65
+ msgid "WP to Twitter Options Updated"
66
+ msgstr "WP į Twitter parinktys atnaujintos"
67
+
68
+ #: wp-to-twitter-manager.php:168
69
+ msgid "Twitter login and password updated. "
70
+ msgstr "Twitter login ir slaptažodis atnaujinti. "
71
+
72
+ #: wp-to-twitter-manager.php:170
73
+ msgid "You need to provide your twitter login and password! "
74
+ msgstr "Jūs turite nurodyti login ir slaptažodį į Twitter!"
75
+
76
+ #: wp-to-twitter-manager.php:177
77
+ msgid "Cligs API Key Updated"
78
+ msgstr "Cligs API Raktas atnaujintas"
79
+
80
+ #: wp-to-twitter-manager.php:180
81
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
+ msgstr "Cli.gs API Raktas pašalintas. Cli.gs sukurtas WP į Twitter, daugiau nebus sujungtas su jūsų paskyra. "
83
+
84
+ #: wp-to-twitter-manager.php:182
85
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
+ msgstr "Cli.gs API raktas nepridėtas - <a href='http://cli.gs/user/api/'>gauti čia</a>! "
87
+
88
+ #: wp-to-twitter-manager.php:188
89
+ msgid "Bit.ly API Key Updated."
90
+ msgstr "Bit.ly API Raktas atnaujintas."
91
+
92
+ #: wp-to-twitter-manager.php:191
93
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
+ msgstr "Bit.ly API Raktas pašalintas. Jūs negalite naudoti Bit.ly API be API rakto. "
95
+
96
+ #: wp-to-twitter-manager.php:193
97
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
+ msgstr "Bit.ly API Raktas nepridėtas - <a href='http://bit.ly/account/'>gauti čia</a>! API raktas turi naudoti trumpinimo servisą URL Bit.ly."
99
+
100
+ #: wp-to-twitter-manager.php:197
101
+ msgid " Bit.ly User Login Updated."
102
+ msgstr " Bit.ly vartotojo login atnaujintas."
103
+
104
+ #: wp-to-twitter-manager.php:200
105
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
+ msgstr "Bit.ly vartotojo login pašalintas. Jūs negalite naudoti Bit.ly API be jūsų login. "
107
+
108
+ #: wp-to-twitter-manager.php:202
109
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
+ msgstr "Bit.ly login nepridėtas - <a href='http://bit.ly/account/'>gauti čia</a>! "
111
+
112
+ #: wp-to-twitter-manager.php:236
113
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
+ msgstr "<li>Sujungta su API Cli.gs per Snoopy, bet sukūrti URL nepavyko.</li>"
115
+
116
+ #: wp-to-twitter-manager.php:238
117
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
+ msgstr "<li>Sunungta su API Cli.gs per Snoopy, bet serverio Cli.gs klaida neleido sutrumpinti URL. </li>"
119
+
120
+ #: wp-to-twitter-manager.php:240
121
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy и создана сокращенная ссылка.</li>"
122
+ msgstr "<li>Sujungta su API Cli.gs per Snoopy ir sukūrta trumpa nuoroda.</li>"
123
+
124
+ #: wp-to-twitter-manager.php:249
125
+ #: wp-to-twitter-manager.php:274
126
+ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
+ msgstr "<li>Sujungta su Bit.ly API per Snoopy.</li>"
128
+
129
+ #: wp-to-twitter-manager.php:251
130
+ #: wp-to-twitter-manager.php:276
131
+ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
+ msgstr "<li>Nesujungta su Bit.ly API per Snoopy.</li>"
133
+
134
+ #: wp-to-twitter-manager.php:254
135
+ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
+ msgstr "<li>Negalima patikrinti Bit.ly API, reikalingas teisingas API raktas.</li>"
137
+
138
+ #: wp-to-twitter-manager.php:258
139
+ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
+ msgstr "<li>Sujungta su Twitter API per Snoopy.</li>"
141
+
142
+ #: wp-to-twitter-manager.php:260
143
+ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
+ msgstr "<li>Nesujungtas su Twitter API per Snoopy.</li>"
145
+
146
+ #: wp-to-twitter-manager.php:266
147
+ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
+ msgstr "<li>Sujungta su Twitter API per cURL.</li>"
149
+
150
+ #: wp-to-twitter-manager.php:268
151
+ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
+ msgstr "<li>Nesujungtas su Twitter API per cURL.</li>"
153
+
154
+ #: wp-to-twitter-manager.php:280
155
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
+ msgstr "<li>Sujungta su Cli.gs API per Snoopy.</li>"
157
+
158
+ #: wp-to-twitter-manager.php:283
159
+ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
+ msgstr "<li>Nesujungta su Cli.gs API per Snoopy.</li>"
161
+
162
+ #: wp-to-twitter-manager.php:288
163
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
+ msgstr "<li><strong>Jūsų serveris turi sėkmingai dirbti su WP į Twitter.</strong></li>"
165
+
166
+ #: wp-to-twitter-manager.php:293
167
+ msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
+ msgstr "<li>Jūsų serveris nepalaiko <code>fputs</code>.</li>"
169
+
170
+ #: wp-to-twitter-manager.php:297
171
+ msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
+ msgstr "<li>Jūsų serveris nepalaiko <code>file_get_contents</code> arba <code>cURL</code> funkcijas.</li>"
173
+
174
+ #: wp-to-twitter-manager.php:301
175
+ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
+ msgstr "<li>Jūsų serveris nepalaiko <code>Snoopy</code>.</li>"
177
+
178
+ #: wp-to-twitter-manager.php:304
179
+ msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
+ msgstr "<li><strong>Jūsų serveris nepalaiko būtinas PHP funkcijas ir klases korektiškam įskiepio WP to Twitter darbui.</strong> Jūs galite pabandyti, tačiau garantijų nėra.</li>"
181
+
182
+ #: wp-to-twitter-manager.php:313
183
+ msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
+ msgstr "Šis įskiepis gali nekorektiškai dirbti su serveriu. Įskiepiui nepavyksta susisiekti su sutrumpinimo URL API ir Twitter API serveriu."
185
+
186
+ #: wp-to-twitter-manager.php:328
187
+ msgid "WP to Twitter Options"
188
+ msgstr "WP to Twitter parinktys"
189
+
190
+ #: wp-to-twitter-manager.php:332
191
+ #: wp-to-twitter.php:811
192
+ msgid "Get Support"
193
+ msgstr "Gauti palaikymą"
194
+
195
+ #: wp-to-twitter-manager.php:333
196
+ msgid "Export Settings"
197
+ msgstr "Eksporto nustatymai"
198
+
199
+ #: wp-to-twitter-manager.php:347
200
+ msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
+ msgstr "Norint atnaujinti žinutes, naudokite kodus antraštei <code>#title#</code>, blogo pavadinimui <code>#blog#</code>, žinutės trumpam aprašymui <code>#post#</code>, pirmos žinutės kategorijos pasirinkimui <code>#category#</code>, žinutės datai <code>#date#</code>, žinutės nuorodai <code>#url#</code> (trumpintai arba ne, priklausant nuo jūsų nustatymų.) Jūs taip pat galite sukūrti vartotojiškus prieigos kodus nustatomiems laukeliams WordPress. Naudokite dvigubus kvadratinius skliaustus, apsupant nustatomo laukelio vardą. Pvz.: <code>[[custom_field]]</code>"
202
+
203
+ #: wp-to-twitter-manager.php:353
204
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
+ msgstr "<p>Nepavyko perduoti informaciją apie vieno ar kelių žinučių statuso atnaujinimą Twitter. Jūsų žinutė išsaugota jūsų žinutės vartotojų laukeliuose ir jūs galite išsiųsti vėliau.</p>"
206
+
207
+ #: wp-to-twitter-manager.php:356
208
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
+ msgstr "<p>Nepavyko prisijungti prie trumpinimo URL serverio API ir jūsų URL nebuvo patrumpintas. Pilnas žinutės URL prikabintas prie jūsų žinutės. Prisijunkite prie trumpinto URL serverio, kad sužinoti apie galimas problemas. [<a href=\"http://blog.cli.gs\">Cli.gs Blogas</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blogas</a>]</p>"
210
+
211
+ #: wp-to-twitter-manager.php:363
212
+ msgid "Clear 'WP to Twitter' Error Messages"
213
+ msgstr "Išvalyti 'WP to Twitter' žinutes nuo klaidų"
214
+
215
+ #: wp-to-twitter-manager.php:371
216
+ msgid "Set what should be in a Tweet"
217
+ msgstr "Nustatyti, kas turi būti žinutėje"
218
+
219
+ #: wp-to-twitter-manager.php:374
220
+ msgid "Update when a post is published"
221
+ msgstr "Atnaujinti, kada žinutė bus paskelbta"
222
+
223
+ #: wp-to-twitter-manager.php:374
224
+ msgid "Text for new post updates:"
225
+ msgstr "Naujų žinučių teksto atnaujinimai:"
226
+
227
+ #: wp-to-twitter-manager.php:379
228
+ msgid "Update when a post is edited"
229
+ msgstr "Atnaujinti, kai žinutės bus atredaguota"
230
+
231
+ #: wp-to-twitter-manager.php:379
232
+ msgid "Text for editing updates:"
233
+ msgstr "Redaguojamų atnaujinimų tekstas:"
234
+
235
+ #: wp-to-twitter-manager.php:383
236
+ msgid "Update Twitter when new Wordpress Pages are published"
237
+ msgstr "Atnaujinti Twitter, kai nauji puslapiai Wordpress bus apublikuoti"
238
+
239
+ #: wp-to-twitter-manager.php:383
240
+ msgid "Text for new page updates:"
241
+ msgstr "Atnaujinimų tekstas naujam puslapiui"
242
+
243
+ #: wp-to-twitter-manager.php:387
244
+ msgid "Update Twitter when WordPress Pages are edited"
245
+ msgstr "Atnaujinti Twitter, kai nauji Wordpress puslapiai atredaguoti"
246
+
247
+ #: wp-to-twitter-manager.php:387
248
+ msgid "Text for page edit updates:"
249
+ msgstr "Atnaujinimo tekstas atredaguotiems puslapiams:"
250
+
251
+ #: wp-to-twitter-manager.php:391
252
+ msgid "Add tags as hashtags on Tweets"
253
+ msgstr "Pridėti tegus kaip hashtags į žinutę"
254
+
255
+ #: wp-to-twitter-manager.php:391
256
+ msgid "Spaces replaced with:"
257
+ msgstr "Tarpus pakeisti į:"
258
+
259
+ #: wp-to-twitter-manager.php:392
260
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
261
+ msgstr "Nurodytas pagal nutylėjimą pakeitimas - pabraukimo simbolis (<code>_</code>). Naudoti <code>[ ]</code>, kad pilani pašalinti tarpus."
262
+
263
+ #: wp-to-twitter-manager.php:394
264
+ msgid "Maximum number of tags to include:"
265
+ msgstr "Maksimalus žymų skaičius įtraukimui:"
266
+
267
+ #: wp-to-twitter-manager.php:395
268
+ msgid "Maximum length in characters for included tags:"
269
+ msgstr "Maksimalus ilgis simboliuose iterptuose teguose:"
270
+
271
+ #: wp-to-twitter-manager.php:396
272
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
+ msgstr "Šie parametrai apriboja ilgį ir tegų skaičių WordPress, nukreptus į Twitter, kaip hashtags. Nustatykite <code>0</code> arba palikite lauką tūščiu, kad leisti visus tegus. "
274
+
275
+ #: wp-to-twitter-manager.php:400
276
+ msgid "Update Twitter when you post a Blogroll link"
277
+ msgstr "Atnaujinti Twitter, kai patalpinsite Blogroll nuorodą"
278
+
279
+ #: wp-to-twitter-manager.php:401
280
+ msgid "Text for new link updates:"
281
+ msgstr "Atnaujinimo tekstas naujai nuorodai:"
282
+
283
+ #: wp-to-twitter-manager.php:401
284
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
+ msgstr "Prieinami kodai: <code>#url#</code>, <code>#title#</code>, и <code>#description#</code>."
286
+
287
+ #: wp-to-twitter-manager.php:404
288
+ msgid "Length of post excerpt (in characters):"
289
+ msgstr "Žinutės ištraukos ilgis (simboliais):"
290
+
291
+ #: wp-to-twitter-manager.php:404
292
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
+ msgstr "Pagal nutylėjimą, ištrauktas tiesiogiai iš žinutės. Jeigu jūs naudojate lauką 'Ištrauka', tai bus naudojama vietoj jos."
294
+
295
+ #: wp-to-twitter-manager.php:407
296
+ msgid "WP to Twitter Date Formatting:"
297
+ msgstr "WP to Twitter datos formavimas:"
298
+
299
+ #: wp-to-twitter-manager.php:407
300
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
+ msgstr "Pagal nutylėjimą iš bendrų nustatymų. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Formavimo datos dokumentacija</a>."
302
+
303
+ #: wp-to-twitter-manager.php:411
304
+ msgid "Custom text before Tweets:"
305
+ msgstr "Vartotojiškas tekstas prieš žinutes:"
306
+
307
+ #: wp-to-twitter-manager.php:412
308
+ msgid "Custom text after Tweets:"
309
+ msgstr "Vartotojo tekstas po žinutės:"
310
+
311
+ #: wp-to-twitter-manager.php:415
312
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
+ msgstr "Vartotojo laukas alternatyviems URL, kad sutrumpinti ir paskelbti:"
314
+
315
+ #: wp-to-twitter-manager.php:416
316
+ msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
+ msgstr "Jūs galite naudoti pasirinktinį lauką, kad išsiųsti Cli.gs ir Twitter alternatyvų URL su nuolatine nuoroda WordPress. Reikšmė - pasirinktinio lauko pavadinimas, kurį jūs naudojate, kad pridėti išorinį URL."
318
+
319
+ #: wp-to-twitter-manager.php:420
320
+ msgid "Special Cases when WordPress should send a Tweet"
321
+ msgstr "Kai kuriais atvėjais, kai WordPress turi išsiųsti žinutę"
322
+
323
+ #: wp-to-twitter-manager.php:423
324
+ msgid "Set default Tweet status to 'No.'"
325
+ msgstr "Nustatyti pagal nutylėjimą žinutės statusą į 'Ne.'"
326
+
327
+ #: wp-to-twitter-manager.php:424
328
+ msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
+ msgstr "Twitter atnaujinimai gali būti nustatyti ant kiekvienos žinutės. Pagal nutylėjimą, žinutės BUS patalpintos į Twitter. Patikrinkite, kad galima būtų pakeisti reikšmę pagal nutylėjimą į NE."
330
+
331
+ #: wp-to-twitter-manager.php:428
332
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
+ msgstr "Išsiųsti atnaujinimus Twitter per nuotolinę publikaciją (Žinutė per email arba XMLRPC klientą)"
334
+
335
+ #: wp-to-twitter-manager.php:432
336
+ msgid "Update Twitter when a post is published using QuickPress"
337
+ msgstr "Atnaujinti Twitter, kai žinutė atnaujinta naudojant QuickPress"
338
+
339
+ #: wp-to-twitter-manager.php:436
340
+ msgid "Special Fields"
341
+ msgstr "Specialūs laukai"
342
+
343
+ #: wp-to-twitter-manager.php:439
344
+ msgid "Use Google Analytics with WP-to-Twitter"
345
+ msgstr "Naudoti Google Analytics su WP-to-Twitter"
346
+
347
+ #: wp-to-twitter-manager.php:440
348
+ msgid "Campaign identifier for Google Analytics:"
349
+ msgstr "Google Analytics identifikatorius:"
350
+
351
+ #: wp-to-twitter-manager.php:441
352
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
+ msgstr "Jūs galite stebėti atsakymus Twitter'e, naudojant Google Analytics kompanijos identifikatoriaus apibrėžimą čia."
354
+
355
+ #: wp-to-twitter-manager.php:446
356
+ msgid "Authors have individual Twitter accounts"
357
+ msgstr "Autoriai turi individualias Twitter paskyras"
358
+
359
+ #: wp-to-twitter-manager.php:446
360
+ msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
+ msgstr "Kiekvienas autorius gali nustatyti nuosavą Twitter vardą ir slaptažodį vartotojo paskyroje. Jų žinutės bus nusiųstos į jūsų paskyras Twitter."
362
+
363
+ #: wp-to-twitter-manager.php:450
364
+ msgid "Set your preferred URL Shortener"
365
+ msgstr "Nustatyti jums patinkantį URL sutrumpinimo serverį"
366
+
367
+ #: wp-to-twitter-manager.php:453
368
+ msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
+ msgstr "Naudoti <strong>Cli.gs</strong> kaip mano URL trumpinimo serverį."
370
+
371
+ #: wp-to-twitter-manager.php:454
372
+ msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
+ msgstr "Naudoti <strong>Bit.ly</strong> kaip mano URL trumpinimo serverį."
374
+
375
+ #: wp-to-twitter-manager.php:455
376
+ msgid "Use <strong>WordPress</strong> as a URL shortener."
377
+ msgstr "Naudoti <strong>WordPress</strong> URL trumpinimui."
378
+
379
+ #: wp-to-twitter-manager.php:456
380
+ msgid "Don't shorten URLs."
381
+ msgstr "Netrumpinti URL."
382
+
383
+ #: wp-to-twitter-manager.php:457
384
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
+ msgstr "Naudoti WordPress kaip URL trumpintoją ir siųs URLs į Twitter pagrindiniu URL WordPress formatu: <code>http://domain.com/subdir/?p=123</code>. Google Analytics nepasiekiamas, kai naudojamas WordPress trumpintojas URLs."
386
+
387
+ #: wp-to-twitter-manager.php:462
388
+ msgid "Save WP->Twitter Options"
389
+ msgstr "Išsaugoti WP->Twitter parinktys"
390
+
391
+ #: wp-to-twitter-manager.php:468
392
+ msgid "Your Twitter account details"
393
+ msgstr "Jūsų Twitter paskyros detalės"
394
+
395
+ #: wp-to-twitter-manager.php:475
396
+ msgid "Your Twitter username:"
397
+ msgstr "Jūsų Twitter prisijungimo vardas:"
398
+
399
+ #: wp-to-twitter-manager.php:479
400
+ msgid "Your Twitter password:"
401
+ msgstr "Jūsų Twitter slaptažodis: "
402
+
403
+ #: wp-to-twitter-manager.php:479
404
+ msgid "(<em>Saved</em>)"
405
+ msgstr "(<em>Išsaugota</em>)"
406
+
407
+ #: wp-to-twitter-manager.php:483
408
+ msgid "Save Twitter Login Info"
409
+ msgstr "Išsaugoti Twitter login informaciją"
410
+
411
+ #: wp-to-twitter-manager.php:483
412
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
+ msgstr "&raquo; <small>Nėra Twitter paskyros? <a href='http://www.twitter.com'>Gaukite ją nemokamai čia</a>"
414
+
415
+ #: wp-to-twitter-manager.php:487
416
+ msgid "Your Cli.gs account details"
417
+ msgstr "Jūsų Cli.gs paskyros detalės"
418
+
419
+ #: wp-to-twitter-manager.php:494
420
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
+ msgstr "Jūsų Cli.gs <abbr title='application programming interface'>API</abbr> Raktas:"
422
+
423
+ #: wp-to-twitter-manager.php:500
424
+ msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
+ msgstr "Nėra Cli.gs paskyros arba Cligs API Rakto? <a href='http://cli.gs/user/api/'>Gaukite nemokamai čia</a>!<br />Jums reikalingas API Raktas, kad sujungti Cligs, sukūrtus jūsų Cligs paskyros pagalba."
426
+
427
+ #: wp-to-twitter-manager.php:505
428
+ msgid "Your Bit.ly account details"
429
+ msgstr "Jūsų Bit.ly paskyros detalės"
430
+
431
+ #: wp-to-twitter-manager.php:510
432
+ msgid "Your Bit.ly username:"
433
+ msgstr "Jūsų Bit.ly prisijungimo vardas:"
434
+
435
+ #: wp-to-twitter-manager.php:514
436
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
+ msgstr "Jūsų Bit.ly <abbr title='application programming interface'>API</abbr> Raktas:"
438
+
439
+ #: wp-to-twitter-manager.php:521
440
+ msgid "Save Bit.ly API Key"
441
+ msgstr "Išsaugoti Bit.ly API Raktą"
442
+
443
+ #: wp-to-twitter-manager.php:521
444
+ msgid "Clear Bit.ly API Key"
445
+ msgstr "Išvalyti Bit.ly API Raktą"
446
+
447
+ #: wp-to-twitter-manager.php:521
448
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
+ msgstr "Bit.ly API raktas ir prisijungimo vardas reikalingas URL trumpinimui per Bit.ly API ir WP į Twitter."
450
+
451
+ #: wp-to-twitter-manager.php:530
452
+ msgid "Check Support"
453
+ msgstr "Patikrinti palaikymą"
454
+
455
+ #: wp-to-twitter-manager.php:530
456
+ msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
+ msgstr "Patikrinti, ar jūsų serveris palaiko WP to Twitter užklausas į Twitter ir URL trumpinimo serverius."
458
+
459
+ #: wp-to-twitter-manager.php:538
460
+ msgid "Need help?"
461
+ msgstr "Reikalinga pagalba?"
462
+
463
+ #: wp-to-twitter-manager.php:539
464
+ msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
+ msgstr "Apsilankykite <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter įskiepio puslapyje</a>."
466
+
467
+ #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
+ #. Plugin Name of an extension
469
+ #: wp-to-twitter.php:761
470
+ msgid "WP to Twitter"
471
+ msgstr "WP to Twitter"
472
+
473
+ #: wp-to-twitter.php:806
474
+ msgid "Twitter Post"
475
+ msgstr "Twitter žinutė"
476
+
477
+ #: wp-to-twitter.php:811
478
+ msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
+ msgstr " simboliai.<br />Twitter žinutės neturi viršyti 140 simbolių; Jūsų Cli.gs nuoroda talpinama į dokumento pabaigą, jūs turite 119 simbolių. Jūs galite naudoti <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code> arba <code>#blog#</code>, kad įdėti sutrumpintą URL, žinutės pavadinimą, pirmą pasirinktą kategoriją, žinutės datą, žinutės ištrauką arba blogo pavadinimą į žinutę."
480
+
481
+ #: wp-to-twitter.php:811
482
+ msgid "Make a Donation"
483
+ msgstr "Paremti"
484
+
485
+ #: wp-to-twitter.php:814
486
+ msgid "Don't Tweet this post."
487
+ msgstr "Netalpinti šios žinutės."
488
+
489
+ #: wp-to-twitter.php:863
490
+ msgid "WP to Twitter User Settings"
491
+ msgstr "WP to Twitter vartotojo nustatymai"
492
+
493
+ #: wp-to-twitter.php:867
494
+ msgid "Use My Twitter Account"
495
+ msgstr "Naudoti mano Twitter paskyrą"
496
+
497
+ #: wp-to-twitter.php:868
498
+ msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
+ msgstr "Pasirinkite šį parametrą, jei norite, kad jūsų žinutės būtų nusiųstos į jūsų Twitter paskyrą be @ nuorodų."
500
+
501
+ #: wp-to-twitter.php:869
502
+ msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
+ msgstr "Rašyti mano žinutes į mano Twitter paskyrą su @ nuoroda į pagrindinį Twitter puslapį."
504
+
505
+ #: wp-to-twitter.php:870
506
+ msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
+ msgstr "Rašyti mano žinutes mano paskyros pradiniame Twitter puslapyje su @ nuoroda į mano vartotojo vardą. (Šiam parametrui slaptažodis nėra reikalingas.)"
508
+
509
+ #: wp-to-twitter.php:873
510
+ msgid "Your Twitter Username"
511
+ msgstr "JūsųTwitter prisijungimo vardas"
512
+
513
+ #: wp-to-twitter.php:874
514
+ msgid "Enter your own Twitter username."
515
+ msgstr "Įveskite savo Twitter prisijungimo vardą."
516
+
517
+ #: wp-to-twitter.php:877
518
+ msgid "Your Twitter Password"
519
+ msgstr "Jūsų Twitter slaptažodis"
520
+
521
+ #: wp-to-twitter.php:878
522
+ msgid "Enter your own Twitter password."
523
+ msgstr "Įveskite savo Twitter slaptažodį."
524
+
525
+ #: wp-to-twitter.php:997
526
+ msgid "<p>Couldn't locate the settings page.</p>"
527
+ msgstr "<p>Nerastas nustatymų puslapis.</p>"
528
+
529
+ #: wp-to-twitter.php:1002
530
+ msgid "Settings"
531
+ msgstr "Nustatymai"
532
+
533
+ #. Plugin URI of an extension
534
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
+
537
+ #. Description of an extension
538
+ msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
+ msgstr "Atnaujinti Twitter, kai jūs parašysite naują žinutę bloge arba pridėsite į jūsų blogroll Cli.gs naudojimą. Cli.gs API rakto pagalba, sukūrkite clig jūsų Cli.gs paskyroje su jūsų žinutės pavadinimu kaip antrašte."
540
+
541
+ #. Author of an extension
542
+ msgid "Joseph Dolson"
543
+ msgstr "Joseph Dolson"
544
+
545
+ #. Author URI of an extension
546
+ msgid "http://www.joedolson.com/"
547
+ msgstr "http://www.joedolson.com/"
548
+
lang/wp-to-twitter-nl_NL.mo ADDED
Binary file
wp-to-twitter-nl_NL.po → lang/wp-to-twitter-nl_NL.po RENAMED
@@ -1,1095 +1,1144 @@
1
- # Translation of WP to Twitter in Dutch
2
- # This file is distributed under the same license as the WP to Twitter package.
3
- msgid ""
4
- msgstr ""
5
- "PO-Revision-Date: 2012-08-30 22:09:56+0000\n"
6
- "MIME-Version: 1.0\n"
7
- "Content-Type: text/plain; charset=UTF-8\n"
8
- "Content-Transfer-Encoding: 8bit\n"
9
- "Plural-Forms: nplurals=2; plural=n != 1;\n"
10
- "X-Generator: GlotPress/0.1\n"
11
- "Project-Id-Version: WP to Twitter\n"
12
-
13
- #: wp-to-twitter-manager.php:860
14
- msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
15
- msgstr ""
16
-
17
- #: wp-to-twitter-manager.php:889
18
- msgid "<code>#reference#</code>: Used only in co-tweeting. @reference to main account when posted to author account, @reference to author account in post to main account."
19
- msgstr ""
20
-
21
- #: wp-to-twitter-oauth.php:168
22
- msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>.<br />"
23
- msgstr ""
24
-
25
- #: wp-to-twitter-oauth.php:260
26
- msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
27
- msgstr ""
28
-
29
- #: wp-to-twitter.php:251
30
- msgid "This account is not authorized to post to Twitter."
31
- msgstr ""
32
-
33
- #: wp-to-twitter.php:259
34
- msgid "This tweet is identical to another Tweet recently sent to this account."
35
- msgstr ""
36
-
37
- #: wp-to-twitter.php:1215
38
- msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
39
- msgstr ""
40
-
41
- #: wp-to-twitter-manager.php:502
42
- msgid "In addition to the above short tags, comment templates can use <code>#commenter#</code> to post the commenter's provided name in the Tweet. <em>Use this feature at your own risk</em>, as it will let anybody who can post a comment on your site post a phrase in your Twitter stream."
43
- msgstr "In aanvulling op bovenstaande verkorte tags, comment templates kunnen <code>#commenter#</code> bevatten om de opgegeven naam van de commentator in de Tweet op te nemen. <em>Het gebruik van deze mogelijkheid is op eigen risico!</em>, omdat het iedereen die op uw blog kan reageren, de mogelijkheid biedt teksten via uw Twitterfeed te verspreiden."
44
-
45
- #: wp-to-twitter-manager.php:540
46
- msgid "(optional)"
47
- msgstr "(optioneel)"
48
-
49
- #: wp-to-twitter-manager.php:689
50
- msgid "Do not post Tweets by default (editing only)"
51
- msgstr "Post tweets niet als default waarde (alleen bij editing)"
52
-
53
- #: wp-to-twitter-manager.php:883
54
- msgid "<code>#modified#</code>: the post modified date"
55
- msgstr "<code>#modified#</code>: tijdstip waarop post is aangepast"
56
-
57
- #: wp-to-twitter-oauth.php:258
58
- msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
59
- msgstr "Er zit meer dan 5 minuten verschil tussen uw server en Twitter. Uw server connectie met Twitter kan hierdoor verbroken worden."
60
-
61
- #: wp-to-twitter.php:1269
62
- msgid "Twitter posts are a maximum of 140 characters; Twitter counts URLs as 19 characters. Template tags: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, or <code>#blog#</code>."
63
- msgstr "Twitter posts zijn max. 140 karakters; Twitter telt URLs als 19 karakters. Template tags: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, or <code>#blog#</code>."
64
-
65
- #: wp-to-twitter-manager.php:733
66
- msgid "Individual Authors"
67
- msgstr "Individuele Auteurs"
68
-
69
- #: wp-to-twitter-manager.php:736
70
- msgid "Authors have individual Twitter accounts"
71
- msgstr ""
72
- "Auteurs hebben individuele Twitter accounts\n"
73
- "-alternatief-\n"
74
- "Auteurs hebben afzonderlijkse Twitter accounts"
75
-
76
- #: wp-to-twitter-manager.php:736
77
- msgid "Authors can add their username in their user profile. This feature can only add an @reference to the author. The @reference is placed using the <code>#account#</code> shortcode, which will pick up the main account if user accounts are not enabled."
78
- msgstr ""
79
- "Auteurs kunnen hun gebruikersnaam aan hun gebruikersprofiel toevoegen. Deze functie voegt\n"
80
- "alleen een @verwijzing naar de auteur toe. De @verwijzing wordt toegepast met behulp van\n"
81
- "de <code>#account#</code> shortcode, die voor het hoofdaccount kiest als er geen\n"
82
- "gebruikersaccounts zijn ingeschakeld."
83
-
84
- #: wp-to-twitter-manager.php:751
85
- msgid "Choose the lowest user group that can add their Twitter information"
86
- msgstr ""
87
- "\n"
88
- "Kies de laagste /usergroup/gebruikersgroep die hun Twitter informatie kunnen toevoegen"
89
-
90
- #: wp-to-twitter-manager.php:756
91
- msgid "Choose the lowest user group that can see the Custom Tweet options when posting"
92
- msgstr "Kies de laagste gebruikersgroep die de Custom Tweet opties kunnen zijn tijdens het posten"
93
-
94
- #: wp-to-twitter-manager.php:761
95
- msgid "User groups above this can toggle the Tweet/Don't Tweet option, but not see other custom tweet options."
96
- msgstr "Gebruikersgroepen boven deze kunt kiezen voor de Tweet / Tweet Niet optie, maar zien niet de andere tweet opties"
97
-
98
- #: wp-to-twitter-manager.php:767
99
- msgid "Disable Error Messages"
100
- msgstr "Uitschakelen Foutmeldingen"
101
-
102
- #: wp-to-twitter-manager.php:769
103
- msgid "Disable global URL shortener error messages."
104
- msgstr "Uitschakelen globale URL verkorter foutmeldingen."
105
-
106
- #: wp-to-twitter-manager.php:770
107
- msgid "Disable global Twitter API error messages."
108
- msgstr "Uitschakelen globale Twitter API foutmeldingen."
109
-
110
- #: wp-to-twitter-manager.php:771
111
- msgid "Disable notification to implement OAuth"
112
- msgstr "Uitschakelen melding om OAuth te implementeren"
113
-
114
- #: wp-to-twitter-manager.php:773
115
- msgid "Get Debugging Data for OAuth Connection"
116
- msgstr "Verkrijg debugging data voor OAuth connectie"
117
-
118
- #: wp-to-twitter-manager.php:775
119
- msgid "Switch to <code>http</code> connection. (Default is https)"
120
- msgstr "kies voor <code>http</code> connectie (Default is https) "
121
-
122
- #: wp-to-twitter-manager.php:777
123
- msgid "I made a donation, so stop whinging at me, please."
124
- msgstr "Ik heb al een donatie gemaakt, dus stop a.u.b. met zeuren."
125
-
126
- #: wp-to-twitter-manager.php:791
127
- msgid "Limit Updating Categories"
128
- msgstr "Limiteer Updaten Categorieën"
129
-
130
- #: wp-to-twitter-manager.php:794
131
- msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
132
- msgstr "Als er geen categorieën worden gekozen, werkt limiteren per categorie niet zullen alle categorieën getweet worden"
133
-
134
- #: wp-to-twitter-manager.php:795
135
- msgid "<em>Category limits are disabled.</em>"
136
- msgstr "<em>Categorie limieten zijn uitgeschakeld.</em>"
137
-
138
- #: wp-to-twitter-manager.php:804
139
- msgid "Get Plug-in Support"
140
- msgstr "Vraag Plug-in Support "
141
-
142
- #: wp-to-twitter-manager.php:807
143
- msgid "Support requests without a donation will not be answered, but will be treated as bug reports."
144
- msgstr "Verzoeken voor support zonder donatie worden niet beantwoord, maar beschouwd als een bug rapport"
145
-
146
- #: wp-to-twitter-manager.php:818
147
- msgid "Check Support"
148
- msgstr "Ondersteuning Raadplegen"
149
-
150
- #: wp-to-twitter-manager.php:818
151
- msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
152
- msgstr "Selecteer of je server <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries ondersteund naar de Twitter en URL verkorter API's. Deze test zal een status update sturen naar Twitter en een URL verkorten met gebruik van jouw geselecteerde methodes."
153
-
154
- #: wp-to-twitter-manager.php:829
155
- msgid "Support WP to Twitter"
156
- msgstr "Support WP to Twitter "
157
-
158
- #: wp-to-twitter-manager.php:831
159
- msgid "WP to Twitter Support"
160
- msgstr "WP to Twitter Support "
161
-
162
- #: wp-to-twitter-manager.php:835
163
- msgid "View Settings"
164
- msgstr "bekijk instellingen"
165
-
166
- #: wp-to-twitter-manager.php:837 wp-to-twitter.php:1273 wp-to-twitter.php:1275
167
- msgid "Get Support"
168
- msgstr "Verkrijg Ondersteuning"
169
-
170
- #: wp-to-twitter-manager.php:841
171
- msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a> Every donation counts - donate $2, $10, or $100 and help me keep this plug-in running!"
172
- msgstr "<a href=\"http://www.joedolson.com/donate.php\">Maak vandaag nog een donatie!!</a> Elke donatie telt - geef $2, $10, of $100 en help me deze plug-in te onderhouden"
173
-
174
- #: wp-to-twitter-manager.php:858
175
- msgid "Upgrade Now!"
176
- msgstr "Upgrade nu!"
177
-
178
- #: wp-to-twitter-manager.php:861
179
- msgid "Extra features with the PRO upgrade:"
180
- msgstr "Extra features van de PRO upgrade: "
181
-
182
- #: wp-to-twitter-manager.php:863
183
- msgid "Users can post to their own Twitter accounts"
184
- msgstr "Users kunnen posten via hun eigen Twitter accounts "
185
-
186
- #: wp-to-twitter-manager.php:864
187
- msgid "Set a timer to send your Tweet minutes or hours after you publish the post"
188
- msgstr "Stel de timer in om uw Tweet minuten of uren te versturen na publicatie van de post"
189
-
190
- #: wp-to-twitter-manager.php:865
191
- msgid "Automatically re-send Tweets at an assigned time after publishing"
192
- msgstr "Verzend Tweets automatisch opnieuw op een zelfgekozen tijdstip na publicatie"
193
-
194
- #: wp-to-twitter-manager.php:874
195
- msgid "Shortcodes"
196
- msgstr "Shortcodes"
197
-
198
- #: wp-to-twitter-manager.php:876
199
- msgid "Available in post update templates:"
200
- msgstr "Beschikbaar in post update templates"
201
-
202
- #: wp-to-twitter-manager.php:878
203
- msgid "<code>#title#</code>: the title of your blog post"
204
- msgstr "<code>#title#</code>: de titel van je blog bericht"
205
-
206
- #: wp-to-twitter-manager.php:879
207
- msgid "<code>#blog#</code>: the title of your blog"
208
- msgstr "<code>#blog#</code>: de titel van je blog"
209
-
210
- #: wp-to-twitter-manager.php:880
211
- msgid "<code>#post#</code>: a short excerpt of the post content"
212
- msgstr "<code>#post#</code>: een korte samenvatting van het bericht"
213
-
214
- #: wp-to-twitter-manager.php:881
215
- msgid "<code>#category#</code>: the first selected category for the post"
216
- msgstr "<code>#category#</code>: de eerste geselecteerde categorie voor het bericht"
217
-
218
- #: wp-to-twitter-manager.php:882
219
- msgid "<code>#date#</code>: the post date"
220
- msgstr "<code>#date#</code>: de bericht datum"
221
-
222
- #: wp-to-twitter-manager.php:884
223
- msgid "<code>#url#</code>: the post URL"
224
- msgstr "<code>#url#</code>: de bericht URL"
225
-
226
- #: wp-to-twitter-manager.php:885
227
- msgid "<code>#author#</code>: the post author"
228
- msgstr "<code>#author#</code>: de bericht auteur"
229
-
230
- #: wp-to-twitter-manager.php:886
231
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
232
- msgstr "<code>#account#</ code>: de twitter @referentie voor het account (of auteur, als auteurs-settings aanstaan en zijn ingesteld"
233
-
234
- #: wp-to-twitter-manager.php:887
235
- msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
236
- msgstr "Gebruikersgroepen boven deze kunt kiezen voor de Tweet / Tweet Niet optie, maar zien niet de andere tweet opties"
237
-
238
- #: wp-to-twitter-manager.php:892
239
- msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
240
- msgstr "Je kan ook aangepaste shortcodes creëeren voor toegang tot aangepaste WordPress velden. Gebruik dubbele [ ] om de naam van je aangepast veld om de waarde hiervan toe te voegen aan je status update. Voorbeeld: <code>[[custom_field]]</code></p>"
241
-
242
- #: wp-to-twitter-oauth.php:99
243
- msgid "WP to Twitter was unable to establish a connection to Twitter."
244
- msgstr "WP to Twitter kon geen verbinding maken met Twitter. "
245
-
246
- #: wp-to-twitter-oauth.php:169
247
- msgid "There was an error querying Twitter's servers"
248
- msgstr "Er trad een fout op tijdens het bevragen van de Twitter servers"
249
-
250
- #: wp-to-twitter-oauth.php:185 wp-to-twitter-oauth.php:187
251
- msgid "Connect to Twitter"
252
- msgstr "Verbinding maken met Twitter"
253
-
254
- #: wp-to-twitter-oauth.php:190
255
- msgid "WP to Twitter Set-up"
256
- msgstr "WP to Twitter Set-up "
257
-
258
- #: wp-to-twitter-oauth.php:191 wp-to-twitter-oauth.php:282
259
- msgid "Your server time:"
260
- msgstr "code> # account # </ code>: de twitter @referentie voor het account (of auteur, als auteurs-settings aanstaan en zijn ingesteld"
261
-
262
- #: wp-to-twitter-oauth.php:191
263
- msgid "Twitter's time:"
264
- msgstr "Twitter's time: "
265
-
266
- #: wp-to-twitter-oauth.php:191
267
- msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
268
- msgstr "Als deze timestamps niet binnen 5 minuten op elkaar volgen, zal uw server niet kunnen connecten met Twitter."
269
-
270
- #: wp-to-twitter-oauth.php:193
271
- msgid "<em>Note</em>: you will not add your Twitter user information to WP to Twitter; it is not used in this authentication method."
272
- msgstr "<em>Opmerking</em>: Je zult je Twitter gebruikers informatie niet gebruiken voor WP to Twitter; het wordt niet gebruikt voor deze authenticatie methode."
273
-
274
- #: wp-to-twitter-oauth.php:197
275
- msgid "1. Register this site as an application on "
276
- msgstr "1. Registreer deze site als een applicatie op "
277
-
278
- #: wp-to-twitter-oauth.php:197
279
- msgid "Twitter's application registration page"
280
- msgstr "Twitter's applicatie registratie pagina"
281
-
282
- #: wp-to-twitter-oauth.php:199
283
- msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
284
- msgstr "Als u nog niet bent momenteel aangemeld bij Twitter, log dan in met het account dat u voor deze site wilt gebruiken"
285
-
286
- #: wp-to-twitter-oauth.php:200
287
- msgid "Your Application's Name will show up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\""
288
- msgstr "De naam van uw Application verschijnt na \"via\" in je twitter stream. De naam van de Application mag niet het woord 'Twitter' bevatten."
289
-
290
- #: wp-to-twitter-oauth.php:201
291
- msgid "Your Application Description can be anything."
292
- msgstr "De beschrijving van de Application kan van alles zijn."
293
-
294
- #: wp-to-twitter-oauth.php:202
295
- msgid "The WebSite and Callback URL should be "
296
- msgstr "De WebSite en Callback URL moeten zijn:"
297
-
298
- #: wp-to-twitter-oauth.php:204
299
- msgid "Agree to the Developer Rules of the Road and continue."
300
- msgstr ""
301
- "Agree to the Developer Rules of the Road and continue ( to nice to translate)\n"
302
- "Kies voor Akoord met de verkeersregels van de develop en ga door"
303
-
304
- #: wp-to-twitter-oauth.php:205
305
- msgid "2. Switch to the \"Settings\" tab in Twitter apps"
306
- msgstr "2. Kies \"Settings\" tabblad in Twitter apps"
307
-
308
- #: wp-to-twitter-oauth.php:207
309
- msgid "Select \"Read and Write\" for the Application Type"
310
- msgstr ""
311
- "Kies \"Read and Write\" als Application Type \n"
312
- "-OF- kies voor\"Lezen en Schrijven\" als applicatie type"
313
-
314
- #: wp-to-twitter-oauth.php:208
315
- msgid "Update the application settings"
316
- msgstr "Update de application settings "
317
-
318
- #: wp-to-twitter-oauth.php:209
319
- msgid "Return to the Details tab and create your access token. Refresh page to view your access tokens."
320
- msgstr "Keer terug naar het tabblad Details en creëer je toegang token (\"access token\"). Herlaad de pagina om uw toegang tokens te bekijken."
321
-
322
- #: wp-to-twitter-oauth.php:211
323
- msgid "Once you have registered your site as an application, you will be provided with four keys."
324
- msgstr "Als u de website heeft geregistreerd als een application, zullen er 4 sleutels worden verstrekt"
325
-
326
- #: wp-to-twitter-oauth.php:212
327
- msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
328
- msgstr "3. Copy and paste (kopieer en plak) je sleutel (\"consumer key\") en geheim (\"consumer secret\") in de onderstaande velden ->Note to JD: CK and CR are in English on twitter pages so no translation needed"
329
-
330
- #: wp-to-twitter-oauth.php:215
331
- msgid "Twitter Consumer Key"
332
- msgstr "Twitter Gebruiker Sleutel"
333
-
334
- #: wp-to-twitter-oauth.php:219
335
- msgid "Twitter Consumer Secret"
336
- msgstr "Twitter Gebruiker Geheim"
337
-
338
- #: wp-to-twitter-oauth.php:223
339
- msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
340
- msgstr "4. Copy and paste het Access Token en Access Token Secret in onderstaande velden"
341
-
342
- #: wp-to-twitter-oauth.php:224
343
- msgid "If the Access level for your Access Token is not \"<em>Read and write</em>\", you must return to step 2 and generate a new Access Token."
344
- msgstr "Als het Access level (\"Access niveau\") voor uw Access Token is niet \"<em>Read and Write </em>\" (\"Lezen en Schrijven\"), moet u terug naar stap 2 en een nieuwe Access Token genereren."
345
-
346
- #: wp-to-twitter-oauth.php:227
347
- msgid "Access Token"
348
- msgstr "Toegangsbewijs"
349
-
350
- #: wp-to-twitter-oauth.php:231
351
- msgid "Access Token Secret"
352
- msgstr "Toegangsbewijs Geheim"
353
-
354
- #: wp-to-twitter-oauth.php:250
355
- msgid "Disconnect Your WordPress and Twitter Account"
356
- msgstr "Verbreek de verbinding met WordPress en Twitter"
357
-
358
- #: wp-to-twitter-oauth.php:254
359
- msgid "Disconnect your WordPress and Twitter Account"
360
- msgstr "Log uit bij WordPress en van het Twitter Account "
361
-
362
- #: wp-to-twitter-oauth.php:256
363
- msgid "<strong>Troubleshooting tip:</strong> Connected, but getting a notice that your Authentication credentials are missing or incorrect? Check whether your Access token has read and write permission. If not, you'll need to create a new token."
364
- msgstr "Troubleshooting tip: Verbinding, maar u krijgt het bericht dat login-gegevens ontbreken of onjuist? Controleer of uw Access token lees-en schrijfrechten heeft. Zo niet, dan moet u een nieuw token te creëren."
365
-
366
- #: wp-to-twitter-oauth.php:264
367
- msgid "Disconnect from Twitter"
368
- msgstr "Twitter verbinding verbreken"
369
-
370
- #: wp-to-twitter-oauth.php:270
371
- msgid "Twitter Username "
372
- msgstr "Twitter Gebruikersnaam"
373
-
374
- #: wp-to-twitter-oauth.php:271
375
- msgid "Consumer Key "
376
- msgstr "Gebruikerssleutel"
377
-
378
- #: wp-to-twitter-oauth.php:272
379
- msgid "Consumer Secret "
380
- msgstr "Gebruikersgeheim"
381
-
382
- #: wp-to-twitter-oauth.php:273
383
- msgid "Access Token "
384
- msgstr "Toegangsbewijs"
385
-
386
- #: wp-to-twitter-oauth.php:274
387
- msgid "Access Token Secret "
388
- msgstr "Toegangsbewijs Geheim"
389
-
390
- #: wp-to-twitter-oauth.php:282
391
- msgid "Twitter's current server time: "
392
- msgstr "Twitter's huidige server tijd "
393
-
394
- #: wp-to-twitter.php:51
395
- msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
396
- msgstr "WP to Twitter vereist PHP versie 5 of hoger. Upgrade a.u.b. PHP om WP to Twitter te kunnen gebruiken"
397
-
398
- #: wp-to-twitter.php:72
399
- msgid "WP to Twitter requires WordPress 2.9.2 or a more recent version, but some features will not work below 3.0.6. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update WordPress to continue using WP to Twitter with all features!</a>"
400
- msgstr "WP to Twitter vereist WordPress 2.9.2 of een recentere versie, maar sommige functies werken niet onder 3.0.6. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Upgrade WordPress om gebruik te blijven maken van WP naar Twitter met alle functies! </a>"
401
-
402
- #: wp-to-twitter.php:90
403
- msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
404
- msgstr "Twitter vereist OAuth authentificatie. U dient uw <a href='%s'> instellingen te updaten</a> om de installatie van WP to Twitter te kunnen voltooien."
405
-
406
- #: wp-to-twitter.php:275
407
- msgid "200 OK: Success!"
408
- msgstr "200 OK: Success!"
409
-
410
- #: wp-to-twitter.php:280
411
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
412
- msgstr "400 Bad Request: De aanvraag was onjuist. Dit is de status code welke wordt teruggegeven met waardebeperking."
413
-
414
- #: wp-to-twitter.php:284
415
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
416
- msgstr "401 Unauthorized: Authenticatie login gegevens zijn onvolledig of onjuist."
417
-
418
- #: wp-to-twitter.php:289
419
- msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons can include: Too many Tweets created in a short time or the same Tweet was submitted twice in a row, among others. This is not an error by WP to Twitter."
420
- msgstr "403 Forbidden: Het verzoek is begrepen, maar geweigerd. Deze melding wordt gebruikt als het verzoek bekend is, maar door Twitter wordt geblokkeerd. Redenen hiervoor zijn onder andere: te veel tweets in een te korte tijd of te vaak dezelfde tweet verzonden. Deze foutmelding is niet afkomstig van WP to Twitter. "
421
-
422
- #: wp-to-twitter.php:293
423
- msgid "500 Internal Server Error: Something is broken at Twitter."
424
- msgstr "500 Internal Server Error: Er is iets kapot bij Twitter."
425
-
426
- #: wp-to-twitter.php:297
427
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
428
- msgstr "503 Service Unavailable: De Twitter servers zijn beschikbaar, maar overloaded met verzoeken - probeer het later nog eens"
429
-
430
- #: wp-to-twitter.php:301
431
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
432
- msgstr "502 Bad Gateway: Twitter is buiten werking of wordt bijgewerkt."
433
-
434
- #: wp-to-twitter.php:330
435
- msgid "No Twitter OAuth connection found."
436
- msgstr "Geen Twitter OAuth verbinding of connectie gevonden"
437
-
438
- #: wp-to-twitter.php:1155
439
- msgid "WP Tweets"
440
- msgstr "WP Tweets "
441
-
442
- #: wp-to-twitter.php:1202
443
- msgid "Previous Tweets"
444
- msgstr "Vorige tweets"
445
-
446
- #: wp-to-twitter.php:1218
447
- msgid "Custom Twitter Post"
448
- msgstr "Pas Twitter Post aan (custom as in to customize?)"
449
-
450
- #: wp-to-twitter.php:1220
451
- msgid "Your template:"
452
- msgstr "Uw template: "
453
-
454
- #: wp-to-twitter.php:1224
455
- msgid "YOURLS Custom Keyword"
456
- msgstr "YOURLS Aangepaste trefwoord (trefwoorden if n= >1)"
457
-
458
- #: wp-to-twitter.php:1273
459
- msgid "Upgrade to WP Tweets Pro"
460
- msgstr "Upgrade naar WP Tweets Pro "
461
-
462
- #: wp-to-twitter.php:1234
463
- msgid "Don't Tweet this post."
464
- msgstr "Dit bericht niet twitteren."
465
-
466
- #: wp-to-twitter.php:1234
467
- msgid "Tweet this post."
468
- msgstr "Tweet deze posting"
469
-
470
- #: wp-to-twitter.php:1244
471
- msgid "Access to customizing WP to Twitter values is not allowed for your user role."
472
- msgstr "Aanpassen van WP naar Twitter instellingen is niet toegestaan ​​voor uw gebruikersrol."
473
-
474
- #: wp-to-twitter.php:1263
475
- msgid "This URL is direct and has not been shortened: "
476
- msgstr "Deze URL is direct en is niet verkort:"
477
-
478
- #: wp-to-twitter.php:1319
479
- msgid "Characters left: "
480
- msgstr "Aantal karakters over:"
481
-
482
- #: wp-to-twitter.php:1380
483
- msgid "WP Tweets User Settings"
484
- msgstr "WP Tweets Gebruikers instellingen "
485
-
486
- #: wp-to-twitter.php:1384
487
- msgid "Use My Twitter Username"
488
- msgstr "Gebruik je Twitter gebruikersnaam"
489
-
490
- #: wp-to-twitter.php:1385
491
- msgid "Tweet my posts with an @ reference to my username."
492
- msgstr "Tweet mijn berichten met een @ referentie naar mijn gebruikersnaam."
493
-
494
- #: wp-to-twitter.php:1386
495
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
496
- msgstr "Tweet mijn berichten met een @ referentie naar mijn gebruikersnaam en de algemene site gebruikersnaam."
497
-
498
- #: wp-to-twitter.php:1390
499
- msgid "Your Twitter Username"
500
- msgstr "Uw Twitter Username (gebruikersnaam)"
501
-
502
- #: wp-to-twitter.php:1391
503
- msgid "Enter your own Twitter username."
504
- msgstr "Geef je eigen Twitter gebruikersnaam in."
505
-
506
- #: wp-to-twitter.php:1396
507
- msgid "Note: if all site administrators have set-up their own Twitter accounts, the primary site account (as set on the settings page) is not required, and won't be used."
508
- msgstr "Als alle beheerders van de website hun eigen Twitter account hebben ingesteld, is het primaire site account (zoals vermeld op de pagina met instellingen) niet nodig en wordt het ook niet gebruikt."
509
-
510
- #: wp-to-twitter.php:1439
511
- msgid "Check off categories to tweet"
512
- msgstr "Vink de te tweeten categoriën UIT"
513
-
514
- #: wp-to-twitter.php:1443
515
- msgid "Do not tweet posts in checked categories (Reverses default behavior)"
516
- msgstr "Tweet geen posts uit de aangegeven categoriën (keert standaard gedrag om) "
517
-
518
- #: wp-to-twitter.php:1460
519
- msgid "Limits are exclusive. If a post is in one category which should be posted and one category that should not, it will not be posted."
520
- msgstr "De limiteringen zijn exclusief. Dus als een post behoort tot een categorie die gepost wordt en tot een categorie die niet gepost wordt, dan wordt deze post niet gepost. "
521
-
522
- #: wp-to-twitter.php:1463
523
- msgid "Set Categories"
524
- msgstr "Categorieen Instellen"
525
-
526
- #: wp-to-twitter.php:1487
527
- msgid "Settings"
528
- msgstr "Instellingen"
529
-
530
- #: wp-to-twitter.php:1522
531
- msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
532
- msgstr "<br /><strong>Opmerking:</strong>Controleer SVP de <a class=\"thickbox\" href=\"%1$s\">changelog</a> voor het upgraden."
533
-
534
- msgid "WP to Twitter"
535
- msgstr "WP to Twitter"
536
-
537
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
538
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
539
-
540
- msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
541
- msgstr "Posts een Tweet wanneer een WordPress blogof post naar uw blogroll wordt geupdate , gebruikmakend van de door U gekozen URL verkorter. Veel mogelijkheden tot het aanpassen en promoten van Uw Tweets. "
542
-
543
- msgid "Joseph Dolson"
544
- msgstr "Joseph Dolson"
545
-
546
- msgid "http://www.joedolson.com/"
547
- msgstr "http://www.joedolson.com/"
548
-
549
- #: functions.php:329
550
- msgid "Thank you for supporting the continuing development of this plug-in! I'll get back to you as soon as I can."
551
- msgstr "Dank U voor het steunen van de peramente ontwikkeling van deze plug-in! Ik neem zo speodig mogelijk contact met U op."
552
-
553
- #: functions.php:323
554
- msgid "Please read the FAQ and other Help documents before making a support request."
555
- msgstr "Lees SVP de FAQ en andere Help bestanden door voor het stellen van een support vraag."
556
-
557
- #: functions.php:200
558
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
559
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Verberg</a>] Wanneer je problemen hebt kopieer deze instellingen in je bericht om verzoek tot hulp."
560
-
561
- #: functions.php:345
562
- msgid "Please include your license key in your support request."
563
- msgstr "Vermeld SVP de licentie code in het verzoek om support."
564
-
565
- #: functions.php:331
566
- msgid "I cannot provide free support, but will treat your request as a bug report, and will incorporate any permanent solutions I discover into the plug-in."
567
- msgstr "Ik kan U geen gratis support verlenen, maar zal het verzoek behandelen als een gerapporteerde bug en permanente verbeteringen die ik ontdek in de plug-in verwerken."
568
-
569
- #: functions.php:325
570
- msgid "Please describe your problem. I'm not psychic."
571
- msgstr "Beschrijf SVP Uw probleem, ik ben geen helderziende. "
572
-
573
- #: functions.php:350
574
- msgid "<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message."
575
- msgstr "<strong>Opmerking</strong>: Ik hou bij wie allemaal een donatie hebben gemaakt, maar als de donatie afkomstig is van iemand anders dan het account op deze website, vermeld dat dan SVP in uw bericht."
576
-
577
- #: functions.php:355
578
- msgid "From:"
579
- msgstr "Van"
580
-
581
- #: functions.php:358
582
- msgid "I have read <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/\">the FAQ for this plug-in</a>."
583
- msgstr "Ik heb de <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/\">FAQ voor deze plug-in</a> gelezen. "
584
-
585
- #: functions.php:361
586
- msgid "I have <a href=\"http://www.joedolson.com/donate.php\">made a donation to help support this plug-in</a>."
587
- msgstr "Ik heb <a href=\"http://www.joedolson.com/donate.php\">gedoneerd ter ondersteuning van deze plug-in</a>. "
588
-
589
- #: functions.php:367
590
- msgid "Send Support Request"
591
- msgstr "Verstuur verzoek om support"
592
-
593
- #: functions.php:370
594
- msgid "The following additional information will be sent with your support request:"
595
- msgstr "De volgende additionele informatie wordt meegestuurd met Uw support aanvraag: "
596
-
597
- #: wp-to-twitter-manager.php:41
598
- msgid "No error information is available for your shortener."
599
- msgstr "Er is geen informatie beschikbaar over je URL verkorter."
600
-
601
- #: wp-to-twitter-manager.php:43
602
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
603
- msgstr "<li class=\"error\"><strong>WP to Twitter kon geen contact maken met je geselecteerde URL verkorter.</strong></li>"
604
-
605
- #: wp-to-twitter-manager.php:46
606
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
607
- msgstr "<li><strong>WP to Twitter heeft succesvol contact gemaakt met je geselecteerde URL verkorter.</strong> De volgende link moet naar je blog homepage wijzen:"
608
-
609
- #: wp-to-twitter-manager.php:54
610
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
611
- msgstr "<li><strong>WP to Twitter heeft succesvol een status update geplaatst op Twitter.</strong></li>"
612
-
613
- #: wp-to-twitter-manager.php:57
614
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
615
- msgstr "<li class=\"error\"><strong>Het is WP to Twitter niet gelukt om een update naar Twitter te sturen.</strong></li>"
616
-
617
- #: wp-to-twitter-manager.php:61
618
- msgid "You have not connected WordPress to Twitter."
619
- msgstr "Je hebt geen connectie met WordPress to Twitter."
620
-
621
- #: wp-to-twitter-manager.php:65
622
- msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
623
- msgstr "<li class=\"error\"><strong>Je server lijkt niet de benodigde methodes te ondersteunen om WP to Twitter te laten functioneren.</strong> Je kunt het altijd proberen - deze tests zijn niet perfect</li>"
624
-
625
- #: wp-to-twitter-manager.php:69
626
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
627
- msgstr "<li><strong>WP to Twitter zou probleemloos op je server moeten werken.</strong></li>"
628
-
629
- #: wp-to-twitter-manager.php:87
630
- msgid "WP to Twitter Errors Cleared"
631
- msgstr "WP to Twitter Foutmeldingen Verwijderd"
632
-
633
- #: wp-to-twitter-manager.php:163
634
- msgid "WP to Twitter is now connected with Twitter."
635
- msgstr "WP to Twitter is nu verbonden met Twitter."
636
-
637
- #: wp-to-twitter-manager.php:170
638
- msgid "WP to Twitter failed to connect with Twitter. Try enabling OAuth debugging."
639
- msgstr "WP to Twitter kon geen verbinding krijgen met Twitter. Probeer OAuth debugging aan te zetten."
640
-
641
- #: wp-to-twitter-manager.php:177
642
- msgid "OAuth Authentication Data Cleared."
643
- msgstr "OAuth authenticatie data gewist."
644
-
645
- #: wp-to-twitter-manager.php:184
646
- msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
647
- msgstr "OAuth Authentication mislukt. Uw servertijd loopt niet gelijk aan die van de Twitterservers. Neem contact op met Uw hoster en vraag wat zijn hieraan kunnen doen."
648
-
649
- #: wp-to-twitter-manager.php:191
650
- msgid "OAuth Authentication response not understood."
651
- msgstr "OAuth Authentificatie respons is niet begrepen."
652
-
653
- #: wp-to-twitter-manager.php:285
654
- msgid "WP to Twitter Advanced Options Updated"
655
- msgstr "WP to Twitter Geavanceerde Opties Bijgewerkt"
656
-
657
- #: wp-to-twitter-manager.php:307
658
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
659
- msgstr "Je moet je Bit.ly login en API sleutel ingeven om URL's te verkorten met Bit.ly."
660
-
661
- #: wp-to-twitter-manager.php:311
662
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
663
- msgstr "Je moet je YOURLS remote URL, login en wachtwoord toevoegen om URL's te verkorten met een installatie op afstand van YOURLS."
664
-
665
- #: wp-to-twitter-manager.php:315
666
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
667
- msgstr "Je moet je YOURLS server pad ingeven om URL's te verkorten met een installatie op afstand van YOURLS."
668
-
669
- #: wp-to-twitter-manager.php:318
670
- msgid "WP to Twitter Options Updated"
671
- msgstr "WP to Twitter Opties Bijgewerkt"
672
-
673
- #: wp-to-twitter-manager.php:327
674
- msgid "Category limits updated."
675
- msgstr "Categorie limieten bijgewerkt."
676
-
677
- #: wp-to-twitter-manager.php:331
678
- msgid "Category limits unset."
679
- msgstr "Categorie limieten uitgezet"
680
-
681
- #: wp-to-twitter-manager.php:338
682
- msgid "YOURLS password updated. "
683
- msgstr "YOURLS wachtwoord bijgewerkt. "
684
-
685
- #: wp-to-twitter-manager.php:341
686
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
687
- msgstr "YOURLS wachtwoord verwijderd. Je kunt je remote YOURLS account niet gebruiken om verkorte URL's te creëeren."
688
-
689
- #: wp-to-twitter-manager.php:343
690
- msgid "Failed to save your YOURLS password! "
691
- msgstr "YOURLS wachtwoord opslaan is mislukt! "
692
-
693
- #: wp-to-twitter-manager.php:347
694
- msgid "YOURLS username added. "
695
- msgstr "YOURLS gebruikersnaam toegevoegd. "
696
-
697
- #: wp-to-twitter-manager.php:351
698
- msgid "YOURLS API url added. "
699
- msgstr "YOURLS API url toegevoegd. "
700
-
701
- #: wp-to-twitter-manager.php:354
702
- msgid "YOURLS API url removed. "
703
- msgstr "YOURLS API url verwijderd. "
704
-
705
- #: wp-to-twitter-manager.php:359
706
- msgid "YOURLS local server path added. "
707
- msgstr "YOURLS lokaal server pad toegevoegd. "
708
-
709
- #: wp-to-twitter-manager.php:361
710
- msgid "The path to your YOURLS installation is not correct. "
711
- msgstr "Het pad naar je YOURLS installatie is niet correct."
712
-
713
- #: wp-to-twitter-manager.php:365
714
- msgid "YOURLS local server path removed. "
715
- msgstr "YOURLS lokaal server pad verwijderd. "
716
-
717
- #: wp-to-twitter-manager.php:370
718
- msgid "YOURLS will use Post ID for short URL slug."
719
- msgstr "YOURLS zal een bericht ID gebruiken voor een korte URL slug."
720
-
721
- #: wp-to-twitter-manager.php:372
722
- msgid "YOURLS will use your custom keyword for short URL slug."
723
- msgstr "YOURLS gebruikt Uw aangepaste trefwoord voor de short URL slug. "
724
-
725
- #: wp-to-twitter-manager.php:376
726
- msgid "YOURLS will not use Post ID for the short URL slug."
727
- msgstr "YOURLS zal geen bericht ID gebruiken voor een korte URL slug."
728
-
729
- #: wp-to-twitter-manager.php:384
730
- msgid "Su.pr API Key and Username Updated"
731
- msgstr "Su.pr API Key en gebruikersnaam (\"Username\") zijn geupdate "
732
-
733
- #: wp-to-twitter-manager.php:388
734
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
735
- msgstr "Su.pr API Key en gebruikersnaam (\"username\") zijn verwijderd. Su.pr URLs aangemaakt door WP to Twitter zullen niet langer geassocieerd worden met Uw account."
736
-
737
- #: wp-to-twitter-manager.php:390
738
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
739
- msgstr "Su.pr API Key niet toegevoegd - <a href='http://su.pr/'>Hier verkrijgbaar</a>! "
740
-
741
- #: wp-to-twitter-manager.php:396
742
- msgid "Bit.ly API Key Updated."
743
- msgstr "Bit.ly API sleutel bijgewerkt."
744
-
745
- #: wp-to-twitter-manager.php:399
746
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
747
- msgstr "Bit.ly API sleutel verwijderd. Je kan de Bit.ly API niet geberuiken zonder API sleutel. "
748
-
749
- #: wp-to-twitter-manager.php:401
750
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
751
- msgstr "Bit.ly API sleutel niet toegevoegd - <a href='http://bit.ly/account/'>HIER aanvragen</a>! Een API sleutel is nodig om de Bit.ly URL verkorter te gebruiken."
752
-
753
- #: wp-to-twitter-manager.php:405
754
- msgid " Bit.ly User Login Updated."
755
- msgstr " Bit.ly gebruikerslogin bijgewerkt."
756
-
757
- #: wp-to-twitter-manager.php:408
758
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
759
- msgstr "Bit.ly gebruikerslogin verwijderd. Je kan niet de Bit.ly API gebruiken zonder je gebruikersnaam in te voeren. "
760
-
761
- #: wp-to-twitter-manager.php:410
762
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
763
- msgstr "Bit.ly Login niet toegevoegd - maak <a href='http://bit.ly/account/'>HIER</a> een account aan!"
764
-
765
- #: wp-to-twitter-manager.php:426
766
- msgid "<p>One or more of your last posts has failed to send a status update to Twitter. The Tweet has been saved, and you can re-Tweet it at your leisure.</p>"
767
- msgstr "<p>Een of meer van Uw laatste postings konden geen status update naar Twitter sturen. De Tweet is opgeslagen en U kunt deze desgewenst re-Tweeten.</p>"
768
-
769
- #: wp-to-twitter-manager.php:432
770
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
771
- msgstr "Sorry! Ik kon de Twitter servers niet bereiken om je <strong>nieuwe link</strong> te plaatsen! Ik ben bang dat je het zelf manueel moet plaatsen. "
772
-
773
- #: wp-to-twitter-manager.php:435
774
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues.</p>"
775
- msgstr "<p>De query van de URL verkorter API is mislukt, en Uw URL is niet ingekort. De volledige URL van de post was toegevoegd aan Uw tweet. Controleer bij aanbieder van Uw URL verkorter of er storingen zijn.</p> "
776
-
777
- #: wp-to-twitter-manager.php:441
778
- msgid "Clear 'WP to Twitter' Error Messages"
779
- msgstr "Verwijderden 'WP to Twitter' Foutmeldingen"
780
-
781
- #: wp-to-twitter-manager.php:448
782
- msgid "WP to Twitter Options"
783
- msgstr "WP to Twitter Opties"
784
-
785
- #: wp-to-twitter-manager.php:461
786
- msgid "Basic Settings"
787
- msgstr "Basis Instellingen"
788
-
789
- #: wp-to-twitter-manager.php:466 wp-to-twitter-manager.php:529
790
- msgid "Save WP->Twitter Options"
791
- msgstr "WP->Twitter Instellingen opslaan"
792
-
793
- #: wp-to-twitter-manager.php:496
794
- msgid "Settings for Comments"
795
- msgstr "Settings voor reacties"
796
-
797
- #: wp-to-twitter-manager.php:499
798
- msgid "Update Twitter when new comments are posted"
799
- msgstr "Update Twitter als nieuwe reacties zijn gepost"
800
-
801
- #: wp-to-twitter-manager.php:500
802
- msgid "Text for new comments:"
803
- msgstr "Tekst voor nieuwe reacties: "
804
-
805
- #: wp-to-twitter-manager.php:505
806
- msgid "Settings for Links"
807
- msgstr "Instellingen voor Links "
808
-
809
- #: wp-to-twitter-manager.php:508
810
- msgid "Update Twitter when you post a Blogroll link"
811
- msgstr "Bijwerken Twitter wanneer je een blogrol link plaatst"
812
-
813
- #: wp-to-twitter-manager.php:509
814
- msgid "Text for new link updates:"
815
- msgstr "Tekst voor nieuwe link updates:"
816
-
817
- #: wp-to-twitter-manager.php:509
818
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
819
- msgstr "Beschikbare shortcodes: <code>#url#</code>, <code>#title#</code> en <code>#description#</code>."
820
-
821
- #: wp-to-twitter-manager.php:513
822
- msgid "Choose your short URL service (account settings below)"
823
- msgstr "Kies je verkorte URL service (account instelllingen onder)"
824
-
825
- #: wp-to-twitter-manager.php:516
826
- msgid "Don't shorten URLs."
827
- msgstr "URL's niet verkorten."
828
-
829
- #: wp-to-twitter-manager.php:517
830
- msgid "Use Su.pr for my URL shortener."
831
- msgstr "Gebruik Su.pr als mijn URL verkorter. "
832
-
833
- #: wp-to-twitter-manager.php:518
834
- msgid "Use Bit.ly for my URL shortener."
835
- msgstr "Gebruik Bit.ly voor mijn URL verkorter."
836
-
837
- #: wp-to-twitter-manager.php:519
838
- msgid "Use Goo.gl as a URL shortener."
839
- msgstr "Gebruik Goo.gl als URL verkorter"
840
-
841
- #: wp-to-twitter-manager.php:520
842
- msgid "YOURLS (installed on this server)"
843
- msgstr "YOURLS (geïnstalleerd op deze server)"
844
-
845
- #: wp-to-twitter-manager.php:521
846
- msgid "YOURLS (installed on a remote server)"
847
- msgstr "YOURLS (geïnstalleerd op een remote server)"
848
-
849
- #: wp-to-twitter-manager.php:522
850
- msgid "Use WordPress as a URL shortener."
851
- msgstr "Gebruik WordPress voor mijn URL verkorter."
852
-
853
- #: wp-to-twitter-manager.php:537
854
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
855
- msgstr "<abbr title=\"Uniform Resource Locator\">URL</abbr> Verkorter Account Instellingen"
856
-
857
- #: wp-to-twitter-manager.php:540
858
- msgid "Your Su.pr account details"
859
- msgstr "Uw Su.pr account details "
860
-
861
- #: wp-to-twitter-manager.php:544
862
- msgid "Your Su.pr Username:"
863
- msgstr "Uw Su.pr gebruikersnaam (\"Username\"): "
864
-
865
- #: wp-to-twitter-manager.php:548
866
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
867
- msgstr "Uw Su.pr <abbr title='application programming interface'>API</abbr> Key: "
868
-
869
- #: wp-to-twitter-manager.php:555
870
- msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
871
- msgstr "Geen Su.pr account of API key? <a href='http://su.pr/'>Die zijn hier verkrijgbaar</a>!<br />U heeft ook een API key nodig om de URLs die U maakt te kunnen koppelen aan het Su.pr account. "
872
-
873
- #: wp-to-twitter-manager.php:560
874
- msgid "Your Bit.ly account details"
875
- msgstr "Je Biy.ly account informatie"
876
-
877
- #: wp-to-twitter-manager.php:564
878
- msgid "Your Bit.ly username:"
879
- msgstr "Je Bit.ly gebruikersnaam:"
880
-
881
- #: wp-to-twitter-manager.php:566
882
- msgid "This must be a standard Bit.ly account. Your Twitter or Facebook log-in will not work."
883
- msgstr "Dit moet een standaard Bit.ly account zijn, Uw Twitter of Facebook log-in werken hier niet."
884
-
885
- #: wp-to-twitter-manager.php:568
886
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
887
- msgstr "Je Bit.ly <abbr title='application programming interface'>API</abbr> sleutel:"
888
-
889
- #: wp-to-twitter-manager.php:576
890
- msgid "Save Bit.ly API Key"
891
- msgstr "Opslaan Bit.ly API sleutel"
892
-
893
- #: wp-to-twitter-manager.php:576
894
- msgid "Clear Bit.ly API Key"
895
- msgstr "Verwijderen Bit.ly API sleutel"
896
-
897
- #: wp-to-twitter-manager.php:576
898
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
899
- msgstr "Een Bit.ly API en gebruikersnaam is nodig om URL's te verkorten met de Bit.ly API en WP to Twitter."
900
-
901
- #: wp-to-twitter-manager.php:581
902
- msgid "Your YOURLS account details"
903
- msgstr "Jouw YOURLS account informatie"
904
-
905
- #: wp-to-twitter-manager.php:585
906
- msgid "Path to your YOURLS config file (Local installations)"
907
- msgstr "Pad van Uw YOURLS config file (Local installations) "
908
-
909
- #: wp-to-twitter-manager.php:586 wp-to-twitter-manager.php:590
910
- msgid "Example:"
911
- msgstr "Voorbeeld:"
912
-
913
- #: wp-to-twitter-manager.php:589
914
- msgid "URI to the YOURLS API (Remote installations)"
915
- msgstr "URI naar de YOURLS API (Remote installaties)"
916
-
917
- #: wp-to-twitter-manager.php:593
918
- msgid "Your YOURLS username:"
919
- msgstr "Je YOURLS gebruikersnaam:"
920
-
921
- #: wp-to-twitter-manager.php:597
922
- msgid "Your YOURLS password:"
923
- msgstr "Jouw YOURLS wachtwoord:"
924
-
925
- #: wp-to-twitter-manager.php:597
926
- msgid "<em>Saved</em>"
927
- msgstr "<em>Opgeslagen</em>"
928
-
929
- #: wp-to-twitter-manager.php:601
930
- msgid "Post ID for YOURLS url slug."
931
- msgstr "Post ID voor YOURLS url slug. "
932
-
933
- #: wp-to-twitter-manager.php:602
934
- msgid "Custom keyword for YOURLS url slug."
935
- msgstr "Aangepast trefwoord voor YOURLS url slug. "
936
-
937
- #: wp-to-twitter-manager.php:603
938
- msgid "Default: sequential URL numbering."
939
- msgstr "Standaard: sequentiële URL nummering. "
940
-
941
- #: wp-to-twitter-manager.php:609
942
- msgid "Save YOURLS Account Info"
943
- msgstr "Opslaan YOURLS Account Info"
944
-
945
- #: wp-to-twitter-manager.php:609
946
- msgid "Clear YOURLS password"
947
- msgstr "Wissen YOURLS wachtwoord"
948
-
949
- #: wp-to-twitter-manager.php:609
950
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
951
- msgstr "Een YOURLS wachtwoord en gebruikersnaam is nodig om URL's te verkorten met de YOURLS API en WP to Twitter."
952
-
953
- #: wp-to-twitter-manager.php:620
954
- msgid "Advanced Settings"
955
- msgstr "Geavanceerde Instellingen"
956
-
957
- #: wp-to-twitter-manager.php:625 wp-to-twitter-manager.php:783
958
- msgid "Save Advanced WP->Twitter Options"
959
- msgstr "WP->Twitter Geavanceerde Instellingen Opslaan"
960
-
961
- #: wp-to-twitter-manager.php:627
962
- msgid "Advanced Tweet settings"
963
- msgstr "Geavanceerde Tweet instellingen"
964
-
965
- #: wp-to-twitter-manager.php:629
966
- msgid "Strip nonalphanumeric characters from tags"
967
- msgstr "Verwijder nonalphanumerieke karakters uit tags "
968
-
969
- #: wp-to-twitter-manager.php:630
970
- msgid "Spaces in tags replaced with:"
971
- msgstr "Vervang spaties in tags voor: "
972
-
973
- #: wp-to-twitter-manager.php:632
974
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
975
- msgstr "Standaard vervanging is een underscore (<code>_</code>). Gebruik <code>[ ]</code> om spaties geheel te verwijderen."
976
-
977
- #: wp-to-twitter-manager.php:635
978
- msgid "Maximum number of tags to include:"
979
- msgstr "Maximaal aantal tags om in te voegen:"
980
-
981
- #: wp-to-twitter-manager.php:636
982
- msgid "Maximum length in characters for included tags:"
983
- msgstr "Maximale lengte in karakters voor ingevoegde tags:"
984
-
985
- #: wp-to-twitter-manager.php:637
986
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
987
- msgstr "Deze opties maken het mogelijk om de lengte en het aantal tags te beperken welke naar Twitter verzonden worden als hashtags. Ingesteld op <code>0</code> of laat leeg om alle tags toe te staan."
988
-
989
- #: wp-to-twitter-manager.php:640
990
- msgid "Length of post excerpt (in characters):"
991
- msgstr "Lengte van de bericht samenvatting (in karakters):"
992
-
993
- #: wp-to-twitter-manager.php:640
994
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
995
- msgstr "Standaard, verkregen van het bericht zelf. Wanneer je het 'Excerpt' veld gebruikt zal dit hiervoor gebruikt worden."
996
-
997
- #: wp-to-twitter-manager.php:643
998
- msgid "WP to Twitter Date Formatting:"
999
- msgstr "WP to Twitter Datum Opmaak:"
1000
-
1001
- #: wp-to-twitter-manager.php:644
1002
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1003
- msgstr "Standaard is van je algemene instellingen. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Documentatie Datum Opmaak (Eng)</a>."
1004
-
1005
- #: wp-to-twitter-manager.php:648
1006
- msgid "Custom text before all Tweets:"
1007
- msgstr "Aangepaste tekst vóór alle Tweets:"
1008
-
1009
- #: wp-to-twitter-manager.php:649
1010
- msgid "Custom text after all Tweets:"
1011
- msgstr "Aangepaste tekst ná alle Tweets:"
1012
-
1013
- #: wp-to-twitter-manager.php:652
1014
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1015
- msgstr "Aangepast veld voor een alternatieve URL om te verkorten en tweeten:"
1016
-
1017
- #: wp-to-twitter-manager.php:653
1018
- msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
1019
- msgstr "Je kan een aangepast veld gebruiken om een alternatieve URL te sturen voor je bericht. De waarde is de naam van het aangepast veld met de externe URL."
1020
-
1021
- #: wp-to-twitter-manager.php:676
1022
- msgid "Preferred status update truncation sequence"
1023
- msgstr "Gewenste status update truncation volgorde"
1024
-
1025
- #: wp-to-twitter-manager.php:679
1026
- msgid "This is the order in which items will be abbreviated or removed from your status update if it is too long to send to Twitter."
1027
- msgstr "In deze volgorde zullen items worden afgekort of verwijderd uit je status update als ze te lang zijn om naarTwitter gestuurd te worden ."
1028
-
1029
- #: wp-to-twitter-manager.php:684
1030
- msgid "Special Cases when WordPress should send a Tweet"
1031
- msgstr "Speciale gevallen wanneer WordPress een Tweet moet versturen"
1032
-
1033
- #: wp-to-twitter-manager.php:687
1034
- msgid "Do not post Tweets by default"
1035
- msgstr "Post geen Tweets als standaard instelling"
1036
-
1037
- #: wp-to-twitter-manager.php:690
1038
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
1039
- msgstr "Standaard zullen alle berichten welke voldoen aan andere eisen verstuurd worden naar Twitter. Selecteer dit om de instelling te veranderen."
1040
-
1041
- #: wp-to-twitter-manager.php:694
1042
- msgid "Allow status updates from Quick Edit"
1043
- msgstr "Sta status updates toe via Quick Edit "
1044
-
1045
- #: wp-to-twitter-manager.php:695
1046
- msgid "If checked, all posts edited individually or in bulk through the Quick Edit feature will be Tweeted."
1047
- msgstr "Indien aangevinkt, worden alle posts die individueel of in bulk via de Quick Edit optie zijn ge-edit , ge-Tweet. "
1048
-
1049
- #: wp-to-twitter-manager.php:700
1050
- msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
1051
- msgstr "Vertraagd Tweeten met WP Tweets PRO maakt van Tweeting een van het publishen onafhanklijke activiteit."
1052
-
1053
- #: wp-to-twitter-manager.php:707
1054
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1055
- msgstr "Twitter updates verzenden met publicatie op afstand (per email of XMLRPC Client)"
1056
-
1057
- #: wp-to-twitter-manager.php:712
1058
- msgid "Google Analytics Settings"
1059
- msgstr "Google Analytics Instellingen"
1060
-
1061
- #: wp-to-twitter-manager.php:713
1062
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
1063
- msgstr "Je kunt de respons van Twitter bijhouden met gebruik van Google Analytics door een campagne ID te definiëren. Je kan zowel een statische als een dynamische ID definiëren. Statische ID's wijzigen niet van bericht tot bericht; dynamische ID's worden afgeleid van informatie relevant aan het specifieke bericht. Dynamische ID's stellen je in staat om statistieken onder te verdelen met een extra variabele."
1064
-
1065
- #: wp-to-twitter-manager.php:717
1066
- msgid "Use a Static Identifier with WP-to-Twitter"
1067
- msgstr "Gebruik statische identifier met WP-to-Twitter"
1068
-
1069
- #: wp-to-twitter-manager.php:718
1070
- msgid "Static Campaign identifier for Google Analytics:"
1071
- msgstr "Statische Campagne Identifier voor Google Analytics:"
1072
-
1073
- #: wp-to-twitter-manager.php:722
1074
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1075
- msgstr "Gebruik een dynamische identifier met Google Analytics en WP-to-Twitter"
1076
-
1077
- #: wp-to-twitter-manager.php:723
1078
- msgid "What dynamic identifier would you like to use?"
1079
- msgstr "Welke dynamische ID wil je gebruiken?"
1080
-
1081
- #: wp-to-twitter-manager.php:725
1082
- msgid "Category"
1083
- msgstr "Categorie"
1084
-
1085
- #: wp-to-twitter-manager.php:726
1086
- msgid "Post ID"
1087
- msgstr "Bericht ID"
1088
-
1089
- #: wp-to-twitter-manager.php:727
1090
- msgid "Post Title"
1091
- msgstr "Bericht Titel"
1092
-
1093
- #: wp-to-twitter-manager.php:728
1094
- msgid "Author"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1095
  msgstr "Auteur"
1
+ # Translation of WP to Twitter in Dutch
2
+ # This file is distributed under the same license as the WP to Twitter package.
3
+ msgid ""
4
+ msgstr ""
5
+ "PO-Revision-Date: 2013-04-11 17:06:02+0000\n"
6
+ "MIME-Version: 1.0\n"
7
+ "Content-Type: text/plain; charset=UTF-8\n"
8
+ "Content-Transfer-Encoding: 8bit\n"
9
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
10
+ "X-Generator: GlotPress/0.1\n"
11
+ "Project-Id-Version: WP to Twitter\n"
12
+
13
+ #: wp-to-twitter-manager.php:526
14
+ msgid "Tags"
15
+ msgstr "Tags"
16
+
17
+ #: wp-to-twitter-manager.php:542
18
+ msgid "Template Tag Settings"
19
+ msgstr "Template Tag Instellingen"
20
+
21
+ #: wp-to-twitter-manager.php:544
22
+ msgid "Extracted from the post. If you use the 'Excerpt' field, it will be used instead."
23
+ msgstr "Uittreksel van het bericht. Als je het 'Excerpt' veld gebruikt wordt dat gebruikt."
24
+
25
+ #: wp-to-twitter-manager.php:587
26
+ msgid "Template tag priority order"
27
+ msgstr "Template tag prioriteitsvolgorde"
28
+
29
+ #: wp-to-twitter-manager.php:588
30
+ msgid "The order in which items will be abbreviated or removed from your Tweet if the Tweet is too long to send to Twitter."
31
+ msgstr ""
32
+ "De volgorde waarin onderdelen worden afgekort of verwijderd van je Tweet als je Tweet te lang is om naar Twitter te sturen.\n"
33
+ "The order in which items will be abbreviated or removed from your Tweet if the Tweet is too long to send to Twitter."
34
+
35
+ #: wp-to-twitter-manager.php:641
36
+ msgid "Author Settings"
37
+ msgstr "Auteur instellingen"
38
+
39
+ #: wp-to-twitter-manager.php:646
40
+ msgid "Authors can add their username in their user profile. With the free edition of WP to Twitter, it adds an @reference to the author. The @reference is placed using the <code>#account#</code> shortcode, which will pick up the main account if the user account isn't configured."
41
+ msgstr ""
42
+
43
+ #: wp-to-twitter-manager.php:650
44
+ msgid "Permissions"
45
+ msgstr "Rechten"
46
+
47
+ #: wp-to-twitter-manager.php:687
48
+ msgid "Error Messages and Debugging"
49
+ msgstr ""
50
+
51
+ #: wp-to-twitter-manager.php:807
52
+ msgid "<code>#cat_desc#</code>: custom value from the category description field"
53
+ msgstr ""
54
+
55
+ #: wp-to-twitter-manager.php:814
56
+ msgid "<code>#@#</code>: the twitter @reference for the author or blank, if not set"
57
+ msgstr ""
58
+
59
+ #: wp-to-twitter-oauth.php:176
60
+ msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>."
61
+ msgstr ""
62
+
63
+ #: wp-to-twitter-oauth.php:272
64
+ msgid "<strong>Troubleshooting tip:</strong> Connected, but getting a error that your Authentication credentials are missing or incorrect? Check that your Access token has read and write permission. If not, you'll need to create a new token. <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/#q1\">Read the FAQ</a>"
65
+ msgstr ""
66
+
67
+ #: wp-to-twitter-oauth.php:298 wp-to-twitter-oauth.php:304
68
+ msgid "Twitter's server time: "
69
+ msgstr "Twitter's servertijd:"
70
+
71
+ #: wp-to-twitter.php:69
72
+ msgid "WP to Twitter requires WordPress 3.1.4 or a more recent version <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update WordPress to continue using WP to Twitter with all features!</a>"
73
+ msgstr ""
74
+
75
+ #: wp-to-twitter.php:304
76
+ msgid "403 Forbidden: The request is understood, but it has been refused by Twitter. Reasons: Too many Tweets in a short time or the same Tweet was submitted twice, among others. Not an error from WP to Twitter."
77
+ msgstr ""
78
+
79
+ #: wp-to-twitter.php:1279
80
+ msgid "Upgrade"
81
+ msgstr ""
82
+
83
+ #: wp-to-twitter-manager.php:531
84
+ msgid "Use tag slug as hashtag value"
85
+ msgstr ""
86
+
87
+ #: wp-to-twitter.php:1024
88
+ msgid "Tweets are no more than 140 characters; Twitter counts URLs as 20 or 21 characters. Template tags: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, or <code>#blog#</code>."
89
+ msgstr ""
90
+
91
+ #: wp-to-twitter-manager.php:176
92
+ msgid "WP to Twitter failed to connect with Twitter. Try <a href=\"#wpt_http\">switching to an HTTP connection</a>."
93
+ msgstr ""
94
+
95
+ #: wp-to-twitter-shorteners.php:445
96
+ msgid "Choose a short URL service (account settings below)"
97
+ msgstr ""
98
+
99
+ #: wp-to-twitter-shorteners.php:451
100
+ msgid "YOURLS (on this server)"
101
+ msgstr ""
102
+
103
+ #: wp-to-twitter-shorteners.php:452
104
+ msgid "YOURLS (on a remote server)"
105
+ msgstr "YOURLS (op een remote server)"
106
+
107
+ #: wp-to-twitter-manager.php:493
108
+ msgid "In addition to standard template tags, comments can use <code>#commenter#</code> to post the commenter's name in the Tweet. <em>Use this at your own risk</em>, as it lets anybody who can post a comment on your site post a phrase in your Twitter stream."
109
+ msgstr ""
110
+
111
+ #: wp-to-twitter.php:60
112
+ msgid "The current version of WP Tweets PRO is <strong>%s</strong>. Upgrade for best compatibility!"
113
+ msgstr ""
114
+
115
+ #: wpt-functions.php:231
116
+ msgid "Thank you for supporting the continuing development of this plug-in! I'll get back to you as soon as I can. Please ensure that you can receive email at <code>%s</code>."
117
+ msgstr ""
118
+
119
+ #: wpt-functions.php:233
120
+ msgid "Thanks for using WP to Twitter. Please ensure that you can receive email at <code>%s</code>."
121
+ msgstr ""
122
+
123
+ #: wpt-functions.php:253
124
+ msgid "Reply to:"
125
+ msgstr "Antwoord naar:"
126
+
127
+ #: wp-to-twitter-manager.php:668
128
+ msgid "The lowest user group that can add their Twitter information"
129
+ msgstr ""
130
+
131
+ #: wp-to-twitter-manager.php:673
132
+ msgid "The lowest user group that can see the Custom Tweet options when posting"
133
+ msgstr ""
134
+
135
+ #: wp-to-twitter-manager.php:678
136
+ msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
137
+ msgstr "De laagste user groep dat Tweet / Geen Tweet opties aan en uit kan zetten"
138
+
139
+ #: wp-to-twitter-manager.php:683
140
+ msgid "The lowest user group that can send Twitter updates"
141
+ msgstr "De laagste user groep dat Twitter updates kan sturen"
142
+
143
+ #: wp-to-twitter-manager.php:811
144
+ msgid "<code>#author#</code>: the post author (@reference if available, otherwise display name)"
145
+ msgstr ""
146
+
147
+ #: wp-to-twitter-manager.php:812
148
+ msgid "<code>#displayname#</code>: post author's display name"
149
+ msgstr ""
150
+
151
+ #: wp-to-twitter.php:274
152
+ msgid "This tweet was blank and could not be sent to Twitter."
153
+ msgstr ""
154
+
155
+ #: wp-to-twitter.php:307
156
+ msgid "404 Not Found: The URI requested is invalid or the resource requested does not exist."
157
+ msgstr ""
158
+
159
+ #: wp-to-twitter.php:310
160
+ msgid "406 Not Acceptable: Invalid Format Specified."
161
+ msgstr ""
162
+
163
+ #: wp-to-twitter.php:313
164
+ msgid "429 Too Many Requests: You have exceeded your rate limits."
165
+ msgstr ""
166
+
167
+ #: wp-to-twitter.php:325
168
+ msgid "504 Gateway Timeout: The Twitter servers are up, but the request couldn't be serviced due to some failure within our stack. Try again later."
169
+ msgstr ""
170
+
171
+ #: wp-to-twitter.php:967
172
+ msgid "Your prepended Tweet text; not part of your template."
173
+ msgstr ""
174
+
175
+ #: wp-to-twitter.php:970
176
+ msgid "Your appended Tweet text; not part of your template."
177
+ msgstr ""
178
+
179
+ #: wp-to-twitter.php:1072
180
+ msgid "Your role does not have the ability to Post Tweets from this site."
181
+ msgstr ""
182
+
183
+ #: wp-to-twitter.php:1178
184
+ msgid "Hide account name in Tweets"
185
+ msgstr "Verberg accountnaam in Tweets"
186
+
187
+ #: wp-to-twitter.php:1179
188
+ msgid "Do not display my account in the #account# template tag."
189
+ msgstr ""
190
+
191
+ #: wpt-functions.php:256
192
+ msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
193
+ msgstr ""
194
+
195
+ #: wpt-functions.php:259
196
+ msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
197
+ msgstr ""
198
+
199
+ #: wpt-functions.php:262
200
+ msgid "Support Request:"
201
+ msgstr ""
202
+
203
+ #: wp-to-twitter-manager.php:472
204
+ msgid "Settings for type \"%1$s\""
205
+ msgstr ""
206
+
207
+ #: wp-to-twitter-manager.php:475
208
+ msgid "Update when %1$s %2$s is published"
209
+ msgstr ""
210
+
211
+ #: wp-to-twitter-manager.php:475
212
+ msgid "Text for new %1$s updates"
213
+ msgstr ""
214
+
215
+ #: wp-to-twitter-manager.php:479
216
+ msgid "Update when %1$s %2$s is edited"
217
+ msgstr ""
218
+
219
+ #: wp-to-twitter-manager.php:479
220
+ msgid "Text for %1$s editing updates"
221
+ msgstr ""
222
+
223
+ #: wp-to-twitter-oauth.php:209
224
+ msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
225
+ msgstr ""
226
+
227
+ #: wp-to-twitter-shorteners.php:454
228
+ msgid "Use Twitter Friendly Links."
229
+ msgstr ""
230
+
231
+ #: wp-to-twitter-shorteners.php:288
232
+ msgid "View your Bit.ly username and API key"
233
+ msgstr ""
234
+
235
+ #: wp-to-twitter-shorteners.php:333
236
+ msgid "Your shortener does not require any account settings."
237
+ msgstr ""
238
+
239
+ #: wp-to-twitter.php:288
240
+ msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
241
+ msgstr ""
242
+
243
+ #: wp-to-twitter.php:1044
244
+ msgid "Failed Tweets"
245
+ msgstr ""
246
+
247
+ #: wp-to-twitter.php:1059
248
+ msgid "No failed tweets on this post."
249
+ msgstr "Geen mislukte tweets voor dit bericht."
250
+
251
+ #: wp-to-twitter-manager.php:785
252
+ msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
253
+ msgstr ""
254
+
255
+ #: wp-to-twitter-manager.php:817
256
+ msgid "<code>#reference#</code>: Used only in co-tweeting. @reference to main account when posted to author account, @reference to author account in post to main account."
257
+ msgstr ""
258
+
259
+ #: wp-to-twitter-oauth.php:276
260
+ msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
261
+ msgstr ""
262
+
263
+ #: wp-to-twitter.php:259
264
+ msgid "This account is not authorized to post to Twitter."
265
+ msgstr ""
266
+
267
+ #: wp-to-twitter.php:268
268
+ msgid "This tweet is identical to another Tweet recently sent to this account."
269
+ msgstr ""
270
+
271
+ #: wp-to-twitter.php:959
272
+ msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
273
+ msgstr ""
274
+
275
+ #: wp-to-twitter-shorteners.php:254
276
+ msgid "(optional)"
277
+ msgstr "(optioneel)"
278
+
279
+ #: wp-to-twitter-manager.php:599
280
+ msgid "Do not post Tweets by default (editing only)"
281
+ msgstr "Post tweets niet als default waarde (alleen bij editing)"
282
+
283
+ #: wp-to-twitter-manager.php:809
284
+ msgid "<code>#modified#</code>: the post modified date"
285
+ msgstr "<code>#modified#</code>: tijdstip waarop post is aangepast"
286
+
287
+ #: wp-to-twitter-oauth.php:274
288
+ msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
289
+ msgstr "Er zit meer dan 5 minuten verschil tussen uw server en Twitter. Uw server connectie met Twitter kan hierdoor verbroken worden."
290
+
291
+ #: wp-to-twitter-manager.php:644
292
+ msgid "Authors have individual Twitter accounts"
293
+ msgstr ""
294
+ "Auteurs hebben individuele Twitter accounts\n"
295
+ "-alternatief-\n"
296
+ "Auteurs hebben afzonderlijkse Twitter accounts"
297
+
298
+ #: wp-to-twitter-manager.php:689
299
+ msgid "Disable global URL shortener error messages."
300
+ msgstr "Uitschakelen globale URL verkorter foutmeldingen."
301
+
302
+ #: wp-to-twitter-manager.php:690
303
+ msgid "Disable global Twitter API error messages."
304
+ msgstr "Uitschakelen globale Twitter API foutmeldingen."
305
+
306
+ #: wp-to-twitter-manager.php:692
307
+ msgid "Get Debugging Data for OAuth Connection"
308
+ msgstr "Verkrijg debugging data voor OAuth connectie"
309
+
310
+ #: wp-to-twitter-manager.php:694
311
+ msgid "Switch to <code>http</code> connection. (Default is https)"
312
+ msgstr "kies voor <code>http</code> connectie (Default is https) "
313
+
314
+ #: wp-to-twitter-manager.php:696
315
+ msgid "I made a donation, so stop whinging at me, please."
316
+ msgstr "Ik heb al een donatie gemaakt, dus stop a.u.b. met zeuren."
317
+
318
+ #: wp-to-twitter-manager.php:710
319
+ msgid "Limit Updating Categories"
320
+ msgstr "Limiteer Updaten Categorieën"
321
+
322
+ #: wp-to-twitter-manager.php:713
323
+ msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
324
+ msgstr "Als er geen categorieën worden gekozen, werkt limiteren per categorie niet zullen alle categorieën getweet worden"
325
+
326
+ #: wp-to-twitter-manager.php:714
327
+ msgid "<em>Category limits are disabled.</em>"
328
+ msgstr "<em>Categorie limieten zijn uitgeschakeld.</em>"
329
+
330
+ #: wp-to-twitter-manager.php:723
331
+ msgid "Get Plug-in Support"
332
+ msgstr "Vraag Plug-in Support "
333
+
334
+ #: wp-to-twitter-manager.php:734
335
+ msgid "Check Support"
336
+ msgstr "Ondersteuning Raadplegen"
337
+
338
+ #: wp-to-twitter-manager.php:734
339
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
340
+ msgstr "Selecteer of je server <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries ondersteund naar de Twitter en URL verkorter API's. Deze test zal een status update sturen naar Twitter en een URL verkorten met gebruik van jouw geselecteerde methodes."
341
+
342
+ #: wp-to-twitter-manager.php:752
343
+ msgid "Support WP to Twitter"
344
+ msgstr "Support WP to Twitter "
345
+
346
+ #: wp-to-twitter-manager.php:754
347
+ msgid "WP to Twitter Support"
348
+ msgstr "WP to Twitter Support "
349
+
350
+ #: wp-to-twitter-manager.php:762 wp-to-twitter.php:1065 wp-to-twitter.php:1067
351
+ msgid "Get Support"
352
+ msgstr "Verkrijg Ondersteuning"
353
+
354
+ #: wp-to-twitter-manager.php:765
355
+ msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a> Every donation counts - donate $2, $10, or $100 and help me keep this plug-in running!"
356
+ msgstr "<a href=\"http://www.joedolson.com/donate.php\">Maak vandaag nog een donatie!!</a> Elke donatie telt - geef $2, $10, of $100 en help me deze plug-in te onderhouden"
357
+
358
+ #: wp-to-twitter-manager.php:783
359
+ msgid "Upgrade Now!"
360
+ msgstr "Upgrade nu!"
361
+
362
+ #: wp-to-twitter-manager.php:786
363
+ msgid "Extra features with the PRO upgrade:"
364
+ msgstr "Extra features van de PRO upgrade: "
365
+
366
+ #: wp-to-twitter-manager.php:788
367
+ msgid "Users can post to their own Twitter accounts"
368
+ msgstr "Users kunnen posten via hun eigen Twitter accounts "
369
+
370
+ #: wp-to-twitter-manager.php:789
371
+ msgid "Set a timer to send your Tweet minutes or hours after you publish the post"
372
+ msgstr "Stel de timer in om uw Tweet minuten of uren te versturen na publicatie van de post"
373
+
374
+ #: wp-to-twitter-manager.php:790
375
+ msgid "Automatically re-send Tweets at an assigned time after publishing"
376
+ msgstr "Verzend Tweets automatisch opnieuw op een zelfgekozen tijdstip na publicatie"
377
+
378
+ #: wp-to-twitter-manager.php:799
379
+ msgid "Shortcodes"
380
+ msgstr "Shortcodes"
381
+
382
+ #: wp-to-twitter-manager.php:801
383
+ msgid "Available in post update templates:"
384
+ msgstr "Beschikbaar in post update templates"
385
+
386
+ #: wp-to-twitter-manager.php:803
387
+ msgid "<code>#title#</code>: the title of your blog post"
388
+ msgstr "<code>#title#</code>: de titel van je blog bericht"
389
+
390
+ #: wp-to-twitter-manager.php:804
391
+ msgid "<code>#blog#</code>: the title of your blog"
392
+ msgstr "<code>#blog#</code>: de titel van je blog"
393
+
394
+ #: wp-to-twitter-manager.php:805
395
+ msgid "<code>#post#</code>: a short excerpt of the post content"
396
+ msgstr "<code>#post#</code>: een korte samenvatting van het bericht"
397
+
398
+ #: wp-to-twitter-manager.php:806
399
+ msgid "<code>#category#</code>: the first selected category for the post"
400
+ msgstr "<code>#category#</code>: de eerste geselecteerde categorie voor het bericht"
401
+
402
+ #: wp-to-twitter-manager.php:808
403
+ msgid "<code>#date#</code>: the post date"
404
+ msgstr "<code>#date#</code>: de bericht datum"
405
+
406
+ #: wp-to-twitter-manager.php:810
407
+ msgid "<code>#url#</code>: the post URL"
408
+ msgstr "<code>#url#</code>: de bericht URL"
409
+
410
+ #: wp-to-twitter-manager.php:813
411
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
412
+ msgstr "<code>#account#</ code>: de twitter @referentie voor het account (of auteur, als auteurs-settings aanstaan en zijn ingesteld"
413
+
414
+ #: wp-to-twitter-manager.php:815
415
+ msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
416
+ msgstr "Gebruikersgroepen boven deze kunt kiezen voor de Tweet / Tweet Niet optie, maar zien niet de andere tweet opties"
417
+
418
+ #: wp-to-twitter-manager.php:820
419
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
420
+ msgstr "Je kan ook aangepaste shortcodes creëeren voor toegang tot aangepaste WordPress velden. Gebruik dubbele [ ] om de naam van je aangepast veld om de waarde hiervan toe te voegen aan je status update. Voorbeeld: <code>[[custom_field]]</code></p>"
421
+
422
+ #: wp-to-twitter-oauth.php:107
423
+ msgid "WP to Twitter was unable to establish a connection to Twitter."
424
+ msgstr "WP to Twitter kon geen verbinding maken met Twitter. "
425
+
426
+ #: wp-to-twitter-oauth.php:177
427
+ msgid "There was an error querying Twitter's servers"
428
+ msgstr "Er trad een fout op tijdens het bevragen van de Twitter servers"
429
+
430
+ #: wp-to-twitter-oauth.php:201 wp-to-twitter-oauth.php:203
431
+ msgid "Connect to Twitter"
432
+ msgstr "Verbinding maken met Twitter"
433
+
434
+ #: wp-to-twitter-oauth.php:206
435
+ msgid "WP to Twitter Set-up"
436
+ msgstr "WP to Twitter Set-up "
437
+
438
+ #: wp-to-twitter-oauth.php:207 wp-to-twitter-oauth.php:298
439
+ #: wp-to-twitter-oauth.php:303
440
+ msgid "Your server time:"
441
+ msgstr "code> # account # </ code>: de twitter @referentie voor het account (of auteur, als auteurs-settings aanstaan en zijn ingesteld"
442
+
443
+ #: wp-to-twitter-oauth.php:207
444
+ msgid "Twitter's time:"
445
+ msgstr "Twitter's time: "
446
+
447
+ #: wp-to-twitter-oauth.php:207
448
+ msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
449
+ msgstr "Als deze timestamps niet binnen 5 minuten op elkaar volgen, zal uw server niet kunnen connecten met Twitter."
450
+
451
+ #: wp-to-twitter-oauth.php:213
452
+ msgid "1. Register this site as an application on "
453
+ msgstr "1. Registreer deze site als een applicatie op "
454
+
455
+ #: wp-to-twitter-oauth.php:213
456
+ msgid "Twitter's application registration page"
457
+ msgstr "Twitter's applicatie registratie pagina"
458
+
459
+ #: wp-to-twitter-oauth.php:215
460
+ msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
461
+ msgstr "Als u nog niet bent momenteel aangemeld bij Twitter, log dan in met het account dat u voor deze site wilt gebruiken"
462
+
463
+ #: wp-to-twitter-oauth.php:216
464
+ msgid "Your Application's Name will show up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\""
465
+ msgstr "De naam van uw Application verschijnt na \"via\" in je twitter stream. De naam van de Application mag niet het woord 'Twitter' bevatten."
466
+
467
+ #: wp-to-twitter-oauth.php:217
468
+ msgid "Your Application Description can be anything."
469
+ msgstr "De beschrijving van de Application kan van alles zijn."
470
+
471
+ #: wp-to-twitter-oauth.php:218
472
+ msgid "The WebSite and Callback URL should be "
473
+ msgstr "De WebSite en Callback URL moeten zijn:"
474
+
475
+ #: wp-to-twitter-oauth.php:220
476
+ msgid "Agree to the Developer Rules of the Road and continue."
477
+ msgstr ""
478
+ "Agree to the Developer Rules of the Road and continue ( to nice to translate)\n"
479
+ "Kies voor Akoord met de verkeersregels van de develop en ga door"
480
+
481
+ #: wp-to-twitter-oauth.php:221
482
+ msgid "2. Switch to the \"Settings\" tab in Twitter apps"
483
+ msgstr "2. Kies \"Settings\" tabblad in Twitter apps"
484
+
485
+ #: wp-to-twitter-oauth.php:223
486
+ msgid "Select \"Read and Write\" for the Application Type"
487
+ msgstr ""
488
+ "Kies \"Read and Write\" als Application Type \n"
489
+ "-OF- kies voor\"Lezen en Schrijven\" als applicatie type"
490
+
491
+ #: wp-to-twitter-oauth.php:224
492
+ msgid "Update the application settings"
493
+ msgstr "Update de application settings "
494
+
495
+ #: wp-to-twitter-oauth.php:225
496
+ msgid "Return to the Details tab and create your access token. Refresh page to view your access tokens."
497
+ msgstr "Keer terug naar het tabblad Details en creëer je toegang token (\"access token\"). Herlaad de pagina om uw toegang tokens te bekijken."
498
+
499
+ #: wp-to-twitter-oauth.php:227
500
+ msgid "Once you have registered your site as an application, you will be provided with four keys."
501
+ msgstr "Als u de website heeft geregistreerd als een application, zullen er 4 sleutels worden verstrekt"
502
+
503
+ #: wp-to-twitter-oauth.php:228
504
+ msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
505
+ msgstr "3. Copy and paste (kopieer en plak) je sleutel (\"consumer key\") en geheim (\"consumer secret\") in de onderstaande velden ->Note to JD: CK and CR are in English on twitter pages so no translation needed"
506
+
507
+ #: wp-to-twitter-oauth.php:231
508
+ msgid "Twitter Consumer Key"
509
+ msgstr "Twitter Gebruiker Sleutel"
510
+
511
+ #: wp-to-twitter-oauth.php:235
512
+ msgid "Twitter Consumer Secret"
513
+ msgstr "Twitter Gebruiker Geheim"
514
+
515
+ #: wp-to-twitter-oauth.php:239
516
+ msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
517
+ msgstr "4. Copy and paste het Access Token en Access Token Secret in onderstaande velden"
518
+
519
+ #: wp-to-twitter-oauth.php:240
520
+ msgid "If the Access level for your Access Token is not \"<em>Read and write</em>\", you must return to step 2 and generate a new Access Token."
521
+ msgstr "Als het Access level (\"Access niveau\") voor uw Access Token is niet \"<em>Read and Write </em>\" (\"Lezen en Schrijven\"), moet u terug naar stap 2 en een nieuwe Access Token genereren."
522
+
523
+ #: wp-to-twitter-oauth.php:243
524
+ msgid "Access Token"
525
+ msgstr "Toegangsbewijs"
526
+
527
+ #: wp-to-twitter-oauth.php:247
528
+ msgid "Access Token Secret"
529
+ msgstr "Toegangsbewijs Geheim"
530
+
531
+ #: wp-to-twitter-oauth.php:266
532
+ msgid "Disconnect Your WordPress and Twitter Account"
533
+ msgstr "Verbreek de verbinding met WordPress en Twitter"
534
+
535
+ #: wp-to-twitter-oauth.php:270
536
+ msgid "Disconnect your WordPress and Twitter Account"
537
+ msgstr "Log uit bij WordPress en van het Twitter Account "
538
+
539
+ #: wp-to-twitter-oauth.php:280
540
+ msgid "Disconnect from Twitter"
541
+ msgstr "Twitter verbinding verbreken"
542
+
543
+ #: wp-to-twitter-oauth.php:286
544
+ msgid "Twitter Username "
545
+ msgstr "Twitter Gebruikersnaam"
546
+
547
+ #: wp-to-twitter-oauth.php:287
548
+ msgid "Consumer Key "
549
+ msgstr "Gebruikerssleutel"
550
+
551
+ #: wp-to-twitter-oauth.php:288
552
+ msgid "Consumer Secret "
553
+ msgstr "Gebruikersgeheim"
554
+
555
+ #: wp-to-twitter-oauth.php:289
556
+ msgid "Access Token "
557
+ msgstr "Toegangsbewijs"
558
+
559
+ #: wp-to-twitter-oauth.php:290
560
+ msgid "Access Token Secret "
561
+ msgstr "Toegangsbewijs Geheim"
562
+
563
+ #: wp-to-twitter.php:42
564
+ msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
565
+ msgstr "WP to Twitter vereist PHP versie 5 of hoger. Upgrade a.u.b. PHP om WP to Twitter te kunnen gebruiken"
566
+
567
+ #: wp-to-twitter-oauth.php:192
568
+ msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
569
+ msgstr "Twitter vereist OAuth authentificatie. U dient uw <a href='%s'> instellingen te updaten</a> om de installatie van WP to Twitter te kunnen voltooien."
570
+
571
+ #: wp-to-twitter.php:293
572
+ msgid "200 OK: Success!"
573
+ msgstr "200 OK: Success!"
574
+
575
+ #: wp-to-twitter.php:297
576
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
577
+ msgstr "400 Bad Request: De aanvraag was onjuist. Dit is de status code welke wordt teruggegeven met waardebeperking."
578
+
579
+ #: wp-to-twitter.php:300
580
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
581
+ msgstr "401 Unauthorized: Authenticatie login gegevens zijn onvolledig of onjuist."
582
+
583
+ #: wp-to-twitter.php:316
584
+ msgid "500 Internal Server Error: Something is broken at Twitter."
585
+ msgstr "500 Internal Server Error: Er is iets kapot bij Twitter."
586
+
587
+ #: wp-to-twitter.php:322
588
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
589
+ msgstr "503 Service Unavailable: De Twitter servers zijn beschikbaar, maar overloaded met verzoeken - probeer het later nog eens"
590
+
591
+ #: wp-to-twitter.php:319
592
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
593
+ msgstr "502 Bad Gateway: Twitter is buiten werking of wordt bijgewerkt."
594
+
595
+ #: wp-to-twitter.php:354
596
+ msgid "No Twitter OAuth connection found."
597
+ msgstr "Geen Twitter OAuth verbinding of connectie gevonden"
598
+
599
+ #: wp-to-twitter.php:1030
600
+ msgid "Previous Tweets"
601
+ msgstr "Vorige tweets"
602
+
603
+ #: wp-to-twitter.php:962
604
+ msgid "Custom Twitter Post"
605
+ msgstr "Pas Twitter Post aan (custom as in to customize?)"
606
+
607
+ #: wp-to-twitter.php:986
608
+ msgid "Your template:"
609
+ msgstr "Uw template: "
610
+
611
+ #: wp-to-twitter.php:991
612
+ msgid "YOURLS Custom Keyword"
613
+ msgstr "YOURLS Aangepaste trefwoord (trefwoorden if n= >1)"
614
+
615
+ #: wp-to-twitter.php:1065
616
+ msgid "Upgrade to WP Tweets Pro"
617
+ msgstr "Upgrade naar WP Tweets Pro "
618
+
619
+ #: wp-to-twitter.php:1003
620
+ msgid "Don't Tweet this post."
621
+ msgstr "Dit bericht niet twitteren."
622
+
623
+ #: wp-to-twitter.php:1003
624
+ msgid "Tweet this post."
625
+ msgstr "Tweet deze posting"
626
+
627
+ #: wp-to-twitter.php:1015
628
+ msgid "Access to customizing WP to Twitter values is not allowed for your user role."
629
+ msgstr "Aanpassen van WP naar Twitter instellingen is niet toegestaan ​​voor uw gebruikersrol."
630
+
631
+ #: wp-to-twitter.php:1104
632
+ msgid "Characters left: "
633
+ msgstr "Aantal karakters over:"
634
+
635
+ #: wp-to-twitter.php:1164
636
+ msgid "WP Tweets User Settings"
637
+ msgstr "WP Tweets Gebruikers instellingen "
638
+
639
+ #: wp-to-twitter.php:1168
640
+ msgid "Use My Twitter Username"
641
+ msgstr "Gebruik je Twitter gebruikersnaam"
642
+
643
+ #: wp-to-twitter.php:1169
644
+ msgid "Tweet my posts with an @ reference to my username."
645
+ msgstr "Tweet mijn berichten met een @ referentie naar mijn gebruikersnaam."
646
+
647
+ #: wp-to-twitter.php:1170
648
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
649
+ msgstr "Tweet mijn berichten met een @ referentie naar mijn gebruikersnaam en de algemene site gebruikersnaam."
650
+
651
+ #: wp-to-twitter.php:1174
652
+ msgid "Your Twitter Username"
653
+ msgstr "Uw Twitter Username (gebruikersnaam)"
654
+
655
+ #: wp-to-twitter.php:1175
656
+ msgid "Enter your own Twitter username."
657
+ msgstr "Geef je eigen Twitter gebruikersnaam in."
658
+
659
+ #: wp-to-twitter.php:1231
660
+ msgid "Check off categories to tweet"
661
+ msgstr "Vink de te tweeten categoriën UIT"
662
+
663
+ #: wp-to-twitter.php:1235
664
+ msgid "Do not tweet posts in checked categories (Reverses default behavior)"
665
+ msgstr "Tweet geen posts uit de aangegeven categoriën (keert standaard gedrag om) "
666
+
667
+ #: wp-to-twitter.php:1252
668
+ msgid "Limits are exclusive. If a post is in one category which should be posted and one category that should not, it will not be posted."
669
+ msgstr "De limiteringen zijn exclusief. Dus als een post behoort tot een categorie die gepost wordt en tot een categorie die niet gepost wordt, dan wordt deze post niet gepost. "
670
+
671
+ #: wp-to-twitter.php:1255
672
+ msgid "Set Categories"
673
+ msgstr "Categorieen Instellen"
674
+
675
+ #: wp-to-twitter.php:1278
676
+ msgid "Settings"
677
+ msgstr "Instellingen"
678
+
679
+ #: wp-to-twitter.php:1316
680
+ msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
681
+ msgstr "<br /><strong>Opmerking:</strong>Controleer SVP de <a class=\"thickbox\" href=\"%1$s\">changelog</a> voor het upgraden."
682
+
683
+ msgid "WP to Twitter"
684
+ msgstr "WP to Twitter"
685
+
686
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
687
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
688
+
689
+ msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
690
+ msgstr "Posts een Tweet wanneer een WordPress blogof post naar uw blogroll wordt geupdate , gebruikmakend van de door U gekozen URL verkorter. Veel mogelijkheden tot het aanpassen en promoten van Uw Tweets. "
691
+
692
+ msgid "Joseph Dolson"
693
+ msgstr "Joseph Dolson"
694
+
695
+ msgid "http://www.joedolson.com/"
696
+ msgstr "http://www.joedolson.com/"
697
+
698
+ #: wpt-functions.php:225
699
+ msgid "Please read the FAQ and other Help documents before making a support request."
700
+ msgstr "Lees SVP de FAQ en andere Help bestanden door voor het stellen van een support vraag."
701
+
702
+ #: wpt-functions.php:227
703
+ msgid "Please describe your problem. I'm not psychic."
704
+ msgstr "Beschrijf SVP Uw probleem, ik ben geen helderziende. "
705
+
706
+ #: wpt-functions.php:248
707
+ msgid "<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message."
708
+ msgstr "<strong>Opmerking</strong>: Ik hou bij wie allemaal een donatie hebben gemaakt, maar als de donatie afkomstig is van iemand anders dan het account op deze website, vermeld dat dan SVP in uw bericht."
709
+
710
+ #: wpt-functions.php:265
711
+ msgid "Send Support Request"
712
+ msgstr "Verstuur verzoek om support"
713
+
714
+ #: wpt-functions.php:268
715
+ msgid "The following additional information will be sent with your support request:"
716
+ msgstr "De volgende additionele informatie wordt meegestuurd met Uw support aanvraag: "
717
+
718
+ #: wp-to-twitter-manager.php:39
719
+ msgid "No error information is available for your shortener."
720
+ msgstr "Er is geen informatie beschikbaar over je URL verkorter."
721
+
722
+ #: wp-to-twitter-manager.php:41
723
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
724
+ msgstr "<li class=\"error\"><strong>WP to Twitter kon geen contact maken met je geselecteerde URL verkorter.</strong></li>"
725
+
726
+ #: wp-to-twitter-manager.php:44
727
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
728
+ msgstr "<li><strong>WP to Twitter heeft succesvol contact gemaakt met je geselecteerde URL verkorter.</strong> De volgende link moet naar je blog homepage wijzen:"
729
+
730
+ #: wp-to-twitter-manager.php:52
731
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
732
+ msgstr "<li><strong>WP to Twitter heeft succesvol een status update geplaatst op Twitter.</strong></li>"
733
+
734
+ #: wp-to-twitter-manager.php:55
735
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
736
+ msgstr "<li class=\"error\"><strong>Het is WP to Twitter niet gelukt om een update naar Twitter te sturen.</strong></li>"
737
+
738
+ #: wp-to-twitter-manager.php:59
739
+ msgid "You have not connected WordPress to Twitter."
740
+ msgstr "Je hebt geen connectie met WordPress to Twitter."
741
+
742
+ #: wp-to-twitter-manager.php:63
743
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
744
+ msgstr "<li class=\"error\"><strong>Je server lijkt niet de benodigde methodes te ondersteunen om WP to Twitter te laten functioneren.</strong> Je kunt het altijd proberen - deze tests zijn niet perfect</li>"
745
+
746
+ #: wp-to-twitter-manager.php:67
747
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
748
+ msgstr "<li><strong>WP to Twitter zou probleemloos op je server moeten werken.</strong></li>"
749
+
750
+ #: wp-to-twitter-manager.php:85
751
+ msgid "WP to Twitter Errors Cleared"
752
+ msgstr "WP to Twitter Foutmeldingen Verwijderd"
753
+
754
+ #: wp-to-twitter-manager.php:169
755
+ msgid "WP to Twitter is now connected with Twitter."
756
+ msgstr "WP to Twitter is nu verbonden met Twitter."
757
+
758
+ #: wp-to-twitter-manager.php:183
759
+ msgid "OAuth Authentication Data Cleared."
760
+ msgstr "OAuth authenticatie data gewist."
761
+
762
+ #: wp-to-twitter-manager.php:190
763
+ msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
764
+ msgstr "OAuth Authentication mislukt. Uw servertijd loopt niet gelijk aan die van de Twitterservers. Neem contact op met Uw hoster en vraag wat zijn hieraan kunnen doen."
765
+
766
+ #: wp-to-twitter-manager.php:197
767
+ msgid "OAuth Authentication response not understood."
768
+ msgstr "OAuth Authentificatie respons is niet begrepen."
769
+
770
+ #: wp-to-twitter-manager.php:360
771
+ msgid "WP to Twitter Advanced Options Updated"
772
+ msgstr "WP to Twitter Geavanceerde Opties Bijgewerkt"
773
+
774
+ #: wp-to-twitter-shorteners.php:427
775
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
776
+ msgstr "Je moet je Bit.ly login en API sleutel ingeven om URL's te verkorten met Bit.ly."
777
+
778
+ #: wp-to-twitter-shorteners.php:431
779
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
780
+ msgstr "Je moet je YOURLS remote URL, login en wachtwoord toevoegen om URL's te verkorten met een installatie op afstand van YOURLS."
781
+
782
+ #: wp-to-twitter-shorteners.php:435
783
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
784
+ msgstr "Je moet je YOURLS server pad ingeven om URL's te verkorten met een installatie op afstand van YOURLS."
785
+
786
+ #: wp-to-twitter-manager.php:382
787
+ msgid "WP to Twitter Options Updated"
788
+ msgstr "WP to Twitter Opties Bijgewerkt"
789
+
790
+ #: wp-to-twitter-manager.php:391
791
+ msgid "Category limits updated."
792
+ msgstr "Categorie limieten bijgewerkt."
793
+
794
+ #: wp-to-twitter-manager.php:395
795
+ msgid "Category limits unset."
796
+ msgstr "Categorie limieten uitgezet"
797
+
798
+ #: wp-to-twitter-shorteners.php:345
799
+ msgid "YOURLS password updated. "
800
+ msgstr "YOURLS wachtwoord bijgewerkt. "
801
+
802
+ #: wp-to-twitter-shorteners.php:348
803
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
804
+ msgstr "YOURLS wachtwoord verwijderd. Je kunt je remote YOURLS account niet gebruiken om verkorte URL's te creëeren."
805
+
806
+ #: wp-to-twitter-shorteners.php:350
807
+ msgid "Failed to save your YOURLS password! "
808
+ msgstr "YOURLS wachtwoord opslaan is mislukt! "
809
+
810
+ #: wp-to-twitter-shorteners.php:354
811
+ msgid "YOURLS username added. "
812
+ msgstr "YOURLS gebruikersnaam toegevoegd. "
813
+
814
+ #: wp-to-twitter-shorteners.php:358
815
+ msgid "YOURLS API url added. "
816
+ msgstr "YOURLS API url toegevoegd. "
817
+
818
+ #: wp-to-twitter-shorteners.php:361
819
+ msgid "YOURLS API url removed. "
820
+ msgstr "YOURLS API url verwijderd. "
821
+
822
+ #: wp-to-twitter-shorteners.php:366
823
+ msgid "YOURLS local server path added. "
824
+ msgstr "YOURLS lokaal server pad toegevoegd. "
825
+
826
+ #: wp-to-twitter-shorteners.php:368
827
+ msgid "The path to your YOURLS installation is not correct. "
828
+ msgstr "Het pad naar je YOURLS installatie is niet correct."
829
+
830
+ #: wp-to-twitter-shorteners.php:372
831
+ msgid "YOURLS local server path removed. "
832
+ msgstr "YOURLS lokaal server pad verwijderd. "
833
+
834
+ #: wp-to-twitter-shorteners.php:377
835
+ msgid "YOURLS will use Post ID for short URL slug."
836
+ msgstr "YOURLS zal een bericht ID gebruiken voor een korte URL slug."
837
+
838
+ #: wp-to-twitter-shorteners.php:379
839
+ msgid "YOURLS will use your custom keyword for short URL slug."
840
+ msgstr "YOURLS gebruikt Uw aangepaste trefwoord voor de short URL slug. "
841
+
842
+ #: wp-to-twitter-shorteners.php:383
843
+ msgid "YOURLS will not use Post ID for the short URL slug."
844
+ msgstr "YOURLS zal geen bericht ID gebruiken voor een korte URL slug."
845
+
846
+ #: wp-to-twitter-shorteners.php:391
847
+ msgid "Su.pr API Key and Username Updated"
848
+ msgstr "Su.pr API Key en gebruikersnaam (\"Username\") zijn geupdate "
849
+
850
+ #: wp-to-twitter-shorteners.php:395
851
+ msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
852
+ msgstr "Su.pr API Key en gebruikersnaam (\"username\") zijn verwijderd. Su.pr URLs aangemaakt door WP to Twitter zullen niet langer geassocieerd worden met Uw account."
853
+
854
+ #: wp-to-twitter-shorteners.php:397
855
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
856
+ msgstr "Su.pr API Key niet toegevoegd - <a href='http://su.pr/'>Hier verkrijgbaar</a>! "
857
+
858
+ #: wp-to-twitter-shorteners.php:403
859
+ msgid "Bit.ly API Key Updated."
860
+ msgstr "Bit.ly API sleutel bijgewerkt."
861
+
862
+ #: wp-to-twitter-shorteners.php:406
863
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
864
+ msgstr "Bit.ly API sleutel verwijderd. Je kan de Bit.ly API niet geberuiken zonder API sleutel. "
865
+
866
+ #: wp-to-twitter-shorteners.php:408
867
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
868
+ msgstr "Bit.ly API sleutel niet toegevoegd - <a href='http://bit.ly/account/'>HIER aanvragen</a>! Een API sleutel is nodig om de Bit.ly URL verkorter te gebruiken."
869
+
870
+ #: wp-to-twitter-shorteners.php:412
871
+ msgid " Bit.ly User Login Updated."
872
+ msgstr " Bit.ly gebruikerslogin bijgewerkt."
873
+
874
+ #: wp-to-twitter-shorteners.php:415
875
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
876
+ msgstr "Bit.ly gebruikerslogin verwijderd. Je kan niet de Bit.ly API gebruiken zonder je gebruikersnaam in te voeren. "
877
+
878
+ #: wp-to-twitter-shorteners.php:417
879
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
880
+ msgstr "Bit.ly Login niet toegevoegd - maak <a href='http://bit.ly/account/'>HIER</a> een account aan!"
881
+
882
+ #: wp-to-twitter-manager.php:414
883
+ msgid "<p>One or more of your last posts has failed to send a status update to Twitter. The Tweet has been saved, and you can re-Tweet it at your leisure.</p>"
884
+ msgstr "<p>Een of meer van Uw laatste postings konden geen status update naar Twitter sturen. De Tweet is opgeslagen en U kunt deze desgewenst re-Tweeten.</p>"
885
+
886
+ #: wp-to-twitter-manager.php:420
887
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
888
+ msgstr "Sorry! Ik kon de Twitter servers niet bereiken om je <strong>nieuwe link</strong> te plaatsen! Ik ben bang dat je het zelf manueel moet plaatsen. "
889
+
890
+ #: wp-to-twitter-manager.php:423
891
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues.</p>"
892
+ msgstr "<p>De query van de URL verkorter API is mislukt, en Uw URL is niet ingekort. De volledige URL van de post was toegevoegd aan Uw tweet. Controleer bij aanbieder van Uw URL verkorter of er storingen zijn.</p> "
893
+
894
+ #: wp-to-twitter-manager.php:429
895
+ msgid "Clear 'WP to Twitter' Error Messages"
896
+ msgstr "Verwijderden 'WP to Twitter' Foutmeldingen"
897
+
898
+ #: wp-to-twitter-manager.php:435
899
+ msgid "WP to Twitter Options"
900
+ msgstr "WP to Twitter Opties"
901
+
902
+ #: wp-to-twitter-manager.php:448
903
+ msgid "Basic Settings"
904
+ msgstr "Basis Instellingen"
905
+
906
+ #: wp-to-twitter-manager.php:454 wp-to-twitter-manager.php:507
907
+ msgid "Save WP->Twitter Options"
908
+ msgstr "WP->Twitter Instellingen opslaan"
909
+
910
+ #: wp-to-twitter-manager.php:487
911
+ msgid "Settings for Comments"
912
+ msgstr "Settings voor reacties"
913
+
914
+ #: wp-to-twitter-manager.php:490
915
+ msgid "Update Twitter when new comments are posted"
916
+ msgstr "Update Twitter als nieuwe reacties zijn gepost"
917
+
918
+ #: wp-to-twitter-manager.php:491
919
+ msgid "Text for new comments:"
920
+ msgstr "Tekst voor nieuwe reacties: "
921
+
922
+ #: wp-to-twitter-manager.php:496
923
+ msgid "Settings for Links"
924
+ msgstr "Instellingen voor Links "
925
+
926
+ #: wp-to-twitter-manager.php:499
927
+ msgid "Update Twitter when you post a Blogroll link"
928
+ msgstr "Bijwerken Twitter wanneer je een blogrol link plaatst"
929
+
930
+ #: wp-to-twitter-manager.php:500
931
+ msgid "Text for new link updates:"
932
+ msgstr "Tekst voor nieuwe link updates:"
933
+
934
+ #: wp-to-twitter-manager.php:500
935
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
936
+ msgstr "Beschikbare shortcodes: <code>#url#</code>, <code>#title#</code> en <code>#description#</code>."
937
+
938
+ #: wp-to-twitter-shorteners.php:447
939
+ msgid "Don't shorten URLs."
940
+ msgstr "URL's niet verkorten."
941
+
942
+ #: wp-to-twitter-shorteners.php:250
943
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
944
+ msgstr "<abbr title=\"Uniform Resource Locator\">URL</abbr> Verkorter Account Instellingen"
945
+
946
+ #: wp-to-twitter-shorteners.php:254
947
+ msgid "Your Su.pr account details"
948
+ msgstr "Uw Su.pr account details "
949
+
950
+ #: wp-to-twitter-shorteners.php:259
951
+ msgid "Your Su.pr Username:"
952
+ msgstr "Uw Su.pr gebruikersnaam (\"Username\"): "
953
+
954
+ #: wp-to-twitter-shorteners.php:263
955
+ msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
956
+ msgstr "Uw Su.pr <abbr title='application programming interface'>API</abbr> Key: "
957
+
958
+ #: wp-to-twitter-shorteners.php:270
959
+ msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
960
+ msgstr "Geen Su.pr account of API key? <a href='http://su.pr/'>Die zijn hier verkrijgbaar</a>!<br />U heeft ook een API key nodig om de URLs die U maakt te kunnen koppelen aan het Su.pr account. "
961
+
962
+ #: wp-to-twitter-shorteners.php:276
963
+ msgid "Your Bit.ly account details"
964
+ msgstr "Je Biy.ly account informatie"
965
+
966
+ #: wp-to-twitter-shorteners.php:281
967
+ msgid "Your Bit.ly username:"
968
+ msgstr "Je Bit.ly gebruikersnaam:"
969
+
970
+ #: wp-to-twitter-shorteners.php:285
971
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
972
+ msgstr "Je Bit.ly <abbr title='application programming interface'>API</abbr> sleutel:"
973
+
974
+ #: wp-to-twitter-shorteners.php:293
975
+ msgid "Save Bit.ly API Key"
976
+ msgstr "Opslaan Bit.ly API sleutel"
977
+
978
+ #: wp-to-twitter-shorteners.php:293
979
+ msgid "Clear Bit.ly API Key"
980
+ msgstr "Verwijderen Bit.ly API sleutel"
981
+
982
+ #: wp-to-twitter-shorteners.php:293
983
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
984
+ msgstr "Een Bit.ly API en gebruikersnaam is nodig om URL's te verkorten met de Bit.ly API en WP to Twitter."
985
+
986
+ #: wp-to-twitter-shorteners.php:299
987
+ msgid "Your YOURLS account details"
988
+ msgstr "Jouw YOURLS account informatie"
989
+
990
+ #: wp-to-twitter-shorteners.php:304
991
+ msgid "Path to your YOURLS config file (Local installations)"
992
+ msgstr "Pad van Uw YOURLS config file (Local installations) "
993
+
994
+ #: wp-to-twitter-shorteners.php:305 wp-to-twitter-shorteners.php:309
995
+ msgid "Example:"
996
+ msgstr "Voorbeeld:"
997
+
998
+ #: wp-to-twitter-shorteners.php:308
999
+ msgid "URI to the YOURLS API (Remote installations)"
1000
+ msgstr "URI naar de YOURLS API (Remote installaties)"
1001
+
1002
+ #: wp-to-twitter-shorteners.php:312
1003
+ msgid "Your YOURLS username:"
1004
+ msgstr "Je YOURLS gebruikersnaam:"
1005
+
1006
+ #: wp-to-twitter-shorteners.php:316
1007
+ msgid "Your YOURLS password:"
1008
+ msgstr "Jouw YOURLS wachtwoord:"
1009
+
1010
+ #: wp-to-twitter-shorteners.php:316
1011
+ msgid "<em>Saved</em>"
1012
+ msgstr "<em>Opgeslagen</em>"
1013
+
1014
+ #: wp-to-twitter-shorteners.php:320
1015
+ msgid "Post ID for YOURLS url slug."
1016
+ msgstr "Post ID voor YOURLS url slug. "
1017
+
1018
+ #: wp-to-twitter-shorteners.php:321
1019
+ msgid "Custom keyword for YOURLS url slug."
1020
+ msgstr "Aangepast trefwoord voor YOURLS url slug. "
1021
+
1022
+ #: wp-to-twitter-shorteners.php:322
1023
+ msgid "Default: sequential URL numbering."
1024
+ msgstr "Standaard: sequentiële URL nummering. "
1025
+
1026
+ #: wp-to-twitter-shorteners.php:328
1027
+ msgid "Save YOURLS Account Info"
1028
+ msgstr "Opslaan YOURLS Account Info"
1029
+
1030
+ #: wp-to-twitter-shorteners.php:328
1031
+ msgid "Clear YOURLS password"
1032
+ msgstr "Wissen YOURLS wachtwoord"
1033
+
1034
+ #: wp-to-twitter-shorteners.php:328
1035
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
1036
+ msgstr "Een YOURLS wachtwoord en gebruikersnaam is nodig om URL's te verkorten met de YOURLS API en WP to Twitter."
1037
+
1038
+ #: wp-to-twitter-manager.php:518
1039
+ msgid "Advanced Settings"
1040
+ msgstr "Geavanceerde Instellingen"
1041
+
1042
+ #: wp-to-twitter-manager.php:523 wp-to-twitter-manager.php:702
1043
+ msgid "Save Advanced WP->Twitter Options"
1044
+ msgstr "WP->Twitter Geavanceerde Instellingen Opslaan"
1045
+
1046
+ #: wp-to-twitter-manager.php:528
1047
+ msgid "Strip nonalphanumeric characters from tags"
1048
+ msgstr "Verwijder nonalphanumerieke karakters uit tags "
1049
+
1050
+ #: wp-to-twitter-manager.php:534
1051
+ msgid "Spaces in tags replaced with:"
1052
+ msgstr "Vervang spaties in tags voor: "
1053
+
1054
+ #: wp-to-twitter-manager.php:537
1055
+ msgid "Maximum number of tags to include:"
1056
+ msgstr "Maximaal aantal tags om in te voegen:"
1057
+
1058
+ #: wp-to-twitter-manager.php:538
1059
+ msgid "Maximum length in characters for included tags:"
1060
+ msgstr "Maximale lengte in karakters voor ingevoegde tags:"
1061
+
1062
+ #: wp-to-twitter-manager.php:544
1063
+ msgid "Length of post excerpt (in characters):"
1064
+ msgstr "Lengte van de bericht samenvatting (in karakters):"
1065
+
1066
+ #: wp-to-twitter-manager.php:547
1067
+ msgid "WP to Twitter Date Formatting:"
1068
+ msgstr "WP to Twitter Datum Opmaak:"
1069
+
1070
+ #: wp-to-twitter-manager.php:547
1071
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1072
+ msgstr "Standaard is van je algemene instellingen. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Documentatie Datum Opmaak (Eng)</a>."
1073
+
1074
+ #: wp-to-twitter-manager.php:551
1075
+ msgid "Custom text before all Tweets:"
1076
+ msgstr "Aangepaste tekst vóór alle Tweets:"
1077
+
1078
+ #: wp-to-twitter-manager.php:554
1079
+ msgid "Custom text after all Tweets:"
1080
+ msgstr "Aangepaste tekst ná alle Tweets:"
1081
+
1082
+ #: wp-to-twitter-manager.php:557
1083
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1084
+ msgstr "Aangepast veld voor een alternatieve URL om te verkorten en tweeten:"
1085
+
1086
+ #: wp-to-twitter-manager.php:594
1087
+ msgid "Special Cases when WordPress should send a Tweet"
1088
+ msgstr "Speciale gevallen wanneer WordPress een Tweet moet versturen"
1089
+
1090
+ #: wp-to-twitter-manager.php:597
1091
+ msgid "Do not post Tweets by default"
1092
+ msgstr "Post geen Tweets als standaard instelling"
1093
+
1094
+ #: wp-to-twitter-manager.php:603
1095
+ msgid "Allow status updates from Quick Edit"
1096
+ msgstr "Sta status updates toe via Quick Edit "
1097
+
1098
+ #: wp-to-twitter-manager.php:608
1099
+ msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
1100
+ msgstr "Vertraagd Tweeten met WP Tweets PRO maakt van Tweeting een van het publishen onafhanklijke activiteit."
1101
+
1102
+ #: wp-to-twitter-manager.php:615
1103
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1104
+ msgstr "Twitter updates verzenden met publicatie op afstand (per email of XMLRPC Client)"
1105
+
1106
+ #: wp-to-twitter-manager.php:620
1107
+ msgid "Google Analytics Settings"
1108
+ msgstr "Google Analytics Instellingen"
1109
+
1110
+ #: wp-to-twitter-manager.php:621
1111
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
1112
+ msgstr "Je kunt de respons van Twitter bijhouden met gebruik van Google Analytics door een campagne ID te definiëren. Je kan zowel een statische als een dynamische ID definiëren. Statische ID's wijzigen niet van bericht tot bericht; dynamische ID's worden afgeleid van informatie relevant aan het specifieke bericht. Dynamische ID's stellen je in staat om statistieken onder te verdelen met een extra variabele."
1113
+
1114
+ #: wp-to-twitter-manager.php:625
1115
+ msgid "Use a Static Identifier with WP-to-Twitter"
1116
+ msgstr "Gebruik statische identifier met WP-to-Twitter"
1117
+
1118
+ #: wp-to-twitter-manager.php:626
1119
+ msgid "Static Campaign identifier for Google Analytics:"
1120
+ msgstr "Statische Campagne Identifier voor Google Analytics:"
1121
+
1122
+ #: wp-to-twitter-manager.php:630
1123
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1124
+ msgstr "Gebruik een dynamische identifier met Google Analytics en WP-to-Twitter"
1125
+
1126
+ #: wp-to-twitter-manager.php:631
1127
+ msgid "What dynamic identifier would you like to use?"
1128
+ msgstr "Welke dynamische ID wil je gebruiken?"
1129
+
1130
+ #: wp-to-twitter-manager.php:633
1131
+ msgid "Category"
1132
+ msgstr "Categorie"
1133
+
1134
+ #: wp-to-twitter-manager.php:634
1135
+ msgid "Post ID"
1136
+ msgstr "Bericht ID"
1137
+
1138
+ #: wp-to-twitter-manager.php:635
1139
+ msgid "Post Title"
1140
+ msgstr "Bericht Titel"
1141
+
1142
+ #: wp-to-twitter-manager.php:636
1143
+ msgid "Author"
1144
  msgstr "Auteur"
wp-to-twitter-pt_BR.mo → lang/wp-to-twitter-pt_BR.mo RENAMED
File without changes
wp-to-twitter-pt_BR.po → lang/wp-to-twitter-pt_BR.po RENAMED
@@ -1,881 +1,881 @@
1
- msgid ""
2
- msgstr ""
3
- "Project-Id-Version: \n"
4
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
5
- "POT-Creation-Date: 2011-04-12 22:29:25+00:00\n"
6
- "PO-Revision-Date: \n"
7
- "Last-Translator: Miriam de Paula <miriamdepaula@wpmidia.com.br>\n"
8
- "Language-Team: \n"
9
- "Language: \n"
10
- "MIME-Version: 1.0\n"
11
- "Content-Type: text/plain; charset=UTF-8\n"
12
- "Content-Transfer-Encoding: 8bit\n"
13
- "X-Poedit-Language: Portuguese\n"
14
- "X-Poedit-Country: BRAZIL\n"
15
- "X-Poedit-Bookmarks: 1,-1,-1,-1,-1,-1,-1,-1,-1,-1\n"
16
-
17
- #: functions.php:193
18
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
19
- msgstr "[<a href='options-general.php?page=wp-totwitter/wp-to-twitter.php'>Esconder</a>] Se você está com problemas, por favor copie estas configurações ao requisitar suporte."
20
-
21
- #: wp-to-twitter-oauth.php:105
22
- #: wp-to-twitter-oauth.php:144
23
- msgid "Connect to Twitter"
24
- msgstr "Conectar ao Twitter"
25
-
26
- #: wp-to-twitter-oauth.php:109
27
- msgid "The process to set up OAuth authentication for your web site is needlessly laborious. It is also confusing. However, this is the only method available from Twitter. Note that you will not add your Twitter username or password to WP to Twitter; they are not used in OAuth authentication."
28
- msgstr "O processo para configurar a autenticação (OAuth) é necessária. Também é confuso. Entretanto, este é o unico método disponivel. Note que você não adicionará seu usuário e senha do Twitter; Eles não são usados na autenticação OAuth."
29
-
30
- #: wp-to-twitter-oauth.php:112
31
- msgid "1. Register this site as an application on "
32
- msgstr "1. Registre este site como um aplicativo no"
33
-
34
- #: wp-to-twitter-oauth.php:112
35
- msgid "Twitter's application registration page"
36
- msgstr "Página de registro de aplicação do Twitter"
37
-
38
- #: wp-to-twitter-oauth.php:114
39
- msgid "If you're not currently logged in, use the Twitter username and password which you want associated with this site"
40
- msgstr "Se você não está logado, use seu usuário e senha que você quer associar com esse site."
41
-
42
- #: wp-to-twitter-oauth.php:115
43
- msgid "Your Application's Name will be what shows up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\" Use the name of your web site."
44
- msgstr "O nome da sua aplicação será o que é mostrado depois do \"via\" no seu twitter. Sua aplicação não pode ter o nome \"Twitter.\" Use o nome do seu site."
45
-
46
- #: wp-to-twitter-oauth.php:116
47
- msgid "Your Application Description can be whatever you want."
48
- msgstr "A descrição da sua aplicação pode ser o que você quizer."
49
-
50
- #: wp-to-twitter-oauth.php:117
51
- msgid "Application Type should be set on "
52
- msgstr "Tipo de aplicação deve ser definida"
53
-
54
- #: wp-to-twitter-oauth.php:117
55
- msgid "Browser"
56
- msgstr "Navegador"
57
-
58
- #: wp-to-twitter-oauth.php:118
59
- msgid "The Callback URL should be "
60
- msgstr "A url de \"CallBack\" deve ser"
61
-
62
- #: wp-to-twitter-oauth.php:119
63
- msgid "Default Access type must be set to "
64
- msgstr "Tipo de acesso padrão deve ser definido como"
65
-
66
- #: wp-to-twitter-oauth.php:119
67
- msgid "Read &amp; Write"
68
- msgstr "Ler &amp; Escrever"
69
-
70
- #: wp-to-twitter-oauth.php:119
71
- msgid "(this is NOT the default)"
72
- msgstr "(este NÃO é o padrão)"
73
-
74
- #: wp-to-twitter-oauth.php:121
75
- msgid "Once you have registered your site as an application, you will be provided with a consumer key and a consumer secret."
76
- msgstr "Quando você registrar seu site como uma aplicação, você receberá uma \"consumer key\" e \"consumer secret\"."
77
-
78
- #: wp-to-twitter-oauth.php:122
79
- msgid "2. Copy and paste your consumer key and consumer secret into the fields below"
80
- msgstr "2. Copie e cole sua \"consumer key\" e \"consumer secret\" nos campos abaixo"
81
-
82
- #: wp-to-twitter-oauth.php:125
83
- msgid "Twitter Consumer Key"
84
- msgstr "Twitter Consumer Key"
85
-
86
- #: wp-to-twitter-oauth.php:129
87
- msgid "Twitter Consumer Secret"
88
- msgstr "Twitter Consumer Secret"
89
-
90
- #: wp-to-twitter-oauth.php:132
91
- msgid "3. Copy and paste your Access Token and Access Token Secret into the fields below"
92
- msgstr "3. Copie e cole seu \"Access Token\" e \"Access Token Secret\" nos campos abaixo"
93
-
94
- #: wp-to-twitter-oauth.php:133
95
- msgid "On the right hand side of your new application page at Twitter, click on 'My Access Token'."
96
- msgstr "No lado direito, da sua nova aplicação no Twitter, pressione 'My Access Token'."
97
-
98
- #: wp-to-twitter-oauth.php:135
99
- msgid "Access Token"
100
- msgstr "Access Token"
101
-
102
- #: wp-to-twitter-oauth.php:139
103
- msgid "Access Token Secret"
104
- msgstr "Access Token Secret"
105
-
106
- #: wp-to-twitter-oauth.php:154
107
- msgid "Disconnect from Twitter"
108
- msgstr "Desconectar do Twitter"
109
-
110
- #: wp-to-twitter-oauth.php:161
111
- msgid "Twitter Username "
112
- msgstr "Usuário Twitter"
113
-
114
- #: wp-to-twitter-oauth.php:162
115
- msgid "Consumer Key "
116
- msgstr "Consumer Key"
117
-
118
- #: wp-to-twitter-oauth.php:163
119
- msgid "Consumer Secret "
120
- msgstr "Consumer Secret"
121
-
122
- #: wp-to-twitter-oauth.php:164
123
- msgid "Access Token "
124
- msgstr "Access Token"
125
-
126
- #: wp-to-twitter-oauth.php:165
127
- msgid "Access Token Secret "
128
- msgstr "Access Token Secret"
129
-
130
- #: wp-to-twitter-oauth.php:168
131
- msgid "Disconnect Your WordPress and Twitter Account"
132
- msgstr "Desconectar seu Wordpress e conta do Twitter"
133
-
134
- #: wp-to-twitter.php:49
135
- msgid "WP to Twitter requires PHP version 5 or above with cURL support. Please upgrade PHP or install cURL to run WP to Twitter."
136
- msgstr "WP to Twitter requer PHP versão 5 ou mais com suporte a cURL. Por favor atualize seu PHP ou instale cURL para rodar WP to Twitter."
137
-
138
- #: wp-to-twitter.php:70
139
- msgid "WP to Twitter requires WordPress 2.9.2 or a more recent version. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update your WordPress version!</a>"
140
- msgstr "WP to Twitter requer Wordpress versão 2.9.2 ou mais recente. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Por favor atualize seu Wordpress!</a>"
141
-
142
- #: wp-to-twitter.php:84
143
- msgid "Twitter now requires authentication by OAuth. You will need you to update your <a href=\"%s\">settings</a> in order to continue to use WP to Twitter."
144
- msgstr "Twitter requer autenticação via OAuth. Você precisará atualizar suas <a href=\"%s\">configurações</a> para continuar a usar o WP to Twitter."
145
-
146
- #: wp-to-twitter.php:150
147
- msgid "200 OK: Success!"
148
- msgstr "200: OK: Sucesso!"
149
-
150
- #: wp-to-twitter.php:154
151
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
152
- msgstr "400 Bad Request: A requisição foi inválida. Este é o código de status retornado."
153
-
154
- #: wp-to-twitter.php:158
155
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
156
- msgstr "401 Unauthorized: Credenciais de autenticação faltando ou incorretas."
157
-
158
- #: wp-to-twitter.php:162
159
- msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons include exceeding the 140 character limit or the API update limit."
160
- msgstr "403 Forbidden: A requisição foi entendida, mas foi negada. Este código é usado quando requisições são entendidas, mas são negadas pelo Twitter. Razões incluem execeder os 140 caracteres ou limite de upload na API."
161
-
162
- #: wp-to-twitter.php:166
163
- msgid "500 Internal Server Error: Something is broken at Twitter."
164
- msgstr "500 Internal Server Error: Algo está quebrado no Twitter."
165
-
166
- #: wp-to-twitter.php:170
167
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests Please try again later."
168
- msgstr "503 Services Unavailable: Os servidores do Twitter estão funcionando, mas estão sobrecarregados, tente mais tarde."
169
-
170
- #: wp-to-twitter.php:174
171
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
172
- msgstr "502 Bad Gateway: Twitter está fora ou sendo atualizado."
173
-
174
- #. #-#-#-#-# plugin.pot (WP to Twitter 2.2.9) #-#-#-#-#
175
- #. Plugin Name of the plugin/theme
176
- #: wp-to-twitter.php:803
177
- msgid "WP to Twitter"
178
- msgstr "WP to Twitter"
179
-
180
- #: wp-to-twitter.php:865
181
- msgid "Custom Twitter Post"
182
- msgstr "Publicação Personalizada no Twitter"
183
-
184
- #: wp-to-twitter.php:874
185
- #: wp-to-twitter-manager.php:360
186
- msgid "Make a Donation"
187
- msgstr "Faça uma doação"
188
-
189
- #: wp-to-twitter.php:874
190
- #: wp-to-twitter-manager.php:363
191
- msgid "Get Support"
192
- msgstr "Receba suporte"
193
-
194
- #: wp-to-twitter.php:877
195
- msgid "Don't Tweet this post."
196
- msgstr "Não Tweete esta publicação"
197
-
198
- #: wp-to-twitter.php:887
199
- msgid "This URL is direct and has not been shortened: "
200
- msgstr "Esta URL é direta e não foi encurtada."
201
-
202
- #: wp-to-twitter.php:946
203
- msgid "WP to Twitter User Settings"
204
- msgstr "WP to Twitter Configuração do usuário"
205
-
206
- #: wp-to-twitter.php:950
207
- msgid "Use My Twitter Username"
208
- msgstr "Use meu usuário do Twitter"
209
-
210
- #: wp-to-twitter.php:951
211
- msgid "Tweet my posts with an @ reference to my username."
212
- msgstr "Publique meus Posts com um @ referenciando meu usuário."
213
-
214
- #: wp-to-twitter.php:952
215
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
216
- msgstr "Publique meus Posts com um @ referenciando ambos meu usuário e usuário principal do site."
217
-
218
- #: wp-to-twitter.php:956
219
- msgid "Your Twitter Username"
220
- msgstr "Seu usuário do Twitter"
221
-
222
- #: wp-to-twitter.php:957
223
- msgid "Enter your own Twitter username."
224
- msgstr "Insira seu próprio usuário do Twitter"
225
-
226
- #: wp-to-twitter.php:996
227
- msgid "Check the categories you want to tweet:"
228
- msgstr "Selecione as categorias que você quer Tweetar:"
229
-
230
- #: wp-to-twitter.php:1013
231
- msgid "Set Categories"
232
- msgstr "Defina categorias"
233
-
234
- #: wp-to-twitter.php:1037
235
- msgid "<p>Couldn't locate the settings page.</p>"
236
- msgstr "<p>Não pode localizar página de configurações.</p>"
237
-
238
- #: wp-to-twitter.php:1042
239
- msgid "Settings"
240
- msgstr "Configurações"
241
-
242
- #: wp-to-twitter-manager.php:76
243
- msgid "WP to Twitter is now connected with Twitter."
244
- msgstr "WP to Twitter está agora conectado com o Twitter."
245
-
246
- #: wp-to-twitter-manager.php:86
247
- msgid "OAuth Authentication Data Cleared."
248
- msgstr "Dados de autenticação OAuth limpos."
249
-
250
- #: wp-to-twitter-manager.php:93
251
- msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
252
- msgstr "Autenticação OAuth falhou. O horário do seu servidor não está sincronizado com o do Twitter. Converse com seu host para ver o que pode ser feito."
253
-
254
- #: wp-to-twitter-manager.php:100
255
- msgid "OAuth Authentication response not understood."
256
- msgstr "Resposta de autenticação OAuth não compreendida."
257
-
258
- #: wp-to-twitter-manager.php:109
259
- msgid "WP to Twitter Errors Cleared"
260
- msgstr "WP to Twitter erros limpos"
261
-
262
- #: wp-to-twitter-manager.php:116
263
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
264
- msgstr "Desculpe! Não foi possivel se comunicar com os servidores do Twitter para publicar sua publicação. Seu Tweet foi gravado em um campo anexado a publicação, para você Tweetar manualmente."
265
-
266
- #: wp-to-twitter-manager.php:118
267
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
268
- msgstr "Desculpe! Não foi possivel se comunicar com os servidores do Twitter para publicar <strong>new link</strong>! Você terá que postar ele manualmente."
269
-
270
- #: wp-to-twitter-manager.php:156
271
- msgid "WP to Twitter Advanced Options Updated"
272
- msgstr "WP to Twitter Opções Avançadas de Atualização"
273
-
274
- #: wp-to-twitter-manager.php:173
275
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
276
- msgstr "Você deve adicionar seu usuário Bit.ly e API key para encurtar URLs com Bit.ly"
277
-
278
- #: wp-to-twitter-manager.php:177
279
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
280
- msgstr "Você deve adicionar sua URL remota do YOURLS, usuário e senha para encurtar URLs com uma instalação remota do YOURLS."
281
-
282
- #: wp-to-twitter-manager.php:181
283
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
284
- msgstr "Você deve adicionar o caminho do servidor para encurtar suas URLs com uma instalação remota do YOURLS."
285
-
286
- #: wp-to-twitter-manager.php:185
287
- msgid "WP to Twitter Options Updated"
288
- msgstr "WP to Twitter Opções atualizadas"
289
-
290
- #: wp-to-twitter-manager.php:195
291
- msgid "Category limits updated."
292
- msgstr "Limites de categorias atualizados."
293
-
294
- #: wp-to-twitter-manager.php:199
295
- msgid "Category limits unset."
296
- msgstr "Limite de categorias indefinido."
297
-
298
- #: wp-to-twitter-manager.php:207
299
- msgid "YOURLS password updated. "
300
- msgstr "YOURLS senha atualizada"
301
-
302
- #: wp-to-twitter-manager.php:210
303
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
304
- msgstr "YOURLS senha deletada. Você será incapaz de usar seu YOURLS remote para encurtar URLS."
305
-
306
- #: wp-to-twitter-manager.php:212
307
- msgid "Failed to save your YOURLS password! "
308
- msgstr "Falha ao salvar sua senha YOURLS!"
309
-
310
- #: wp-to-twitter-manager.php:216
311
- msgid "YOURLS username added. "
312
- msgstr "YOURS usuário adicionado"
313
-
314
- #: wp-to-twitter-manager.php:220
315
- msgid "YOURLS API url added. "
316
- msgstr "YOURLS API url adicionada."
317
-
318
- #: wp-to-twitter-manager.php:223
319
- msgid "YOURLS API url removed. "
320
- msgstr "YOURLS API url removida."
321
-
322
- #: wp-to-twitter-manager.php:228
323
- msgid "YOURLS local server path added. "
324
- msgstr "YOURLS caminho local do servidor adicionado."
325
-
326
- #: wp-to-twitter-manager.php:230
327
- msgid "The path to your YOURLS installation is not correct. "
328
- msgstr "O caminho para a instalação do seu YOURLS está incorreto."
329
-
330
- #: wp-to-twitter-manager.php:234
331
- msgid "YOURLS local server path removed. "
332
- msgstr "YOURLS caminho local do servidor removido."
333
-
334
- #: wp-to-twitter-manager.php:238
335
- msgid "YOURLS will use Post ID for short URL slug."
336
- msgstr "YOURLS utilizará ID do Post para chave da sua URL encurtada."
337
-
338
- #: wp-to-twitter-manager.php:241
339
- msgid "YOURLS will not use Post ID for the short URL slug."
340
- msgstr "YOURLS não utilizará ID do Post para chave da sua URL encurtada."
341
-
342
- #: wp-to-twitter-manager.php:249
343
- msgid "Su.pr API Key and Username Updated"
344
- msgstr "Su.pr API Key e usuários atualizados"
345
-
346
- #: wp-to-twitter-manager.php:253
347
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
348
- msgstr "Su.pr API Key e usuário deletados. Su.pr URLs criados pelo WP to Twitter não estarão mais associados a sua conta."
349
-
350
- #: wp-to-twitter-manager.php:255
351
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
352
- msgstr "Su.pr API Key não adicionada - <a href='http://su.pr/'>pegue uma aqui</a>! "
353
-
354
- #: wp-to-twitter-manager.php:261
355
- msgid "Bit.ly API Key Updated."
356
- msgstr "Bit.ly API Key atualizada."
357
-
358
- #: wp-to-twitter-manager.php:264
359
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
360
- msgstr "Bit.ly API Key deletada. Você não pode usar API do Bit.ly sem uma API key."
361
-
362
- #: wp-to-twitter-manager.php:266
363
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
364
- msgstr "Bit.ly API Key não adicionada - <a href='http://bit.ly/account/'>pegue uma aqui</a>! Uma API Key é necessária para utilizar o encurtador Bit.ly"
365
-
366
- #: wp-to-twitter-manager.php:270
367
- msgid " Bit.ly User Login Updated."
368
- msgstr "Bit.ly usuário atualizado."
369
-
370
- #: wp-to-twitter-manager.php:273
371
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
372
- msgstr "Bit.ly usuário deletado. Você não pode utilizar a API do Bit.ly sem um usuário."
373
-
374
- #: wp-to-twitter-manager.php:275
375
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
376
- msgstr "Bit.ly Usuário não adicionado - - <a href='http://bit.ly/account/'>pegue um aqui</a>! "
377
-
378
- #: wp-to-twitter-manager.php:304
379
- msgid "No error information is available for your shortener."
380
- msgstr "Nenhuma informação de erro está disponivel para seu encurtador."
381
-
382
- #: wp-to-twitter-manager.php:306
383
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
384
- msgstr "<li class=\"error\"><strong>WP to Twitter foi incapaz de conectar com o seu serviço de encurtar URL.</strong></li>"
385
-
386
- #: wp-to-twitter-manager.php:309
387
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
388
- msgstr "<li><strong>WP to Twitter conectou com sucesso ao seu serviço de encurtar URLs.</strong> Este link deve apontar para página inicial do seu blog:"
389
-
390
- #: wp-to-twitter-manager.php:318
391
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
392
- msgstr "<li><strong>WP to Twitter enviou com sucesso atualização de status para o Twitter.</strong></li>"
393
-
394
- #: wp-to-twitter-manager.php:321
395
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
396
- msgstr "<li class=\"error\"><strong>WP to Twitter falhou ao enviar atualização parao Twitter</strong></li>"
397
-
398
- #: wp-to-twitter-manager.php:325
399
- msgid "You have not connected WordPress to Twitter."
400
- msgstr "Você não tem o Wordpress conectado ao Twitter."
401
-
402
- #: wp-to-twitter-manager.php:329
403
- msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
404
- msgstr "<li class=\"error\"><strong>Seu servidor parece não suportar os métodos necessários para suportar o WP to Twitter.</strong> Você pode testa-lo de qualquer maneira - os testes não são perfeitos</li>"
405
-
406
- #: wp-to-twitter-manager.php:333
407
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
408
- msgstr "<li><strong>Seu servidor deve rodar WP to Twitter com sucesso.</strong></li>"
409
-
410
- #: wp-to-twitter-manager.php:350
411
- msgid "WP to Twitter Options"
412
- msgstr "WP to Twitter Opções"
413
-
414
- #: wp-to-twitter-manager.php:360
415
- msgid "Pledge to new features"
416
- msgstr "Peça novas Funcionalidades"
417
-
418
- #: wp-to-twitter-manager.php:363
419
- msgid "View Settings"
420
- msgstr "Veja configurações"
421
-
422
- #: wp-to-twitter-manager.php:378
423
- msgid "Shortcodes available in post update templates:"
424
- msgstr "Shortcodes disponiveis no template de atualização do post:"
425
-
426
- #: wp-to-twitter-manager.php:380
427
- msgid "<code>#title#</code>: the title of your blog post"
428
- msgstr "<code>#title#</code>: Título do seu post."
429
-
430
- #: wp-to-twitter-manager.php:381
431
- msgid "<code>#blog#</code>: the title of your blog"
432
- msgstr "<code>#blog#</code>: Título do seu Blog"
433
-
434
- #: wp-to-twitter-manager.php:382
435
- msgid "<code>#post#</code>: a short excerpt of the post content"
436
- msgstr "<code>#post#</code>: uma pequena parte do conteúdo do post="
437
-
438
- #: wp-to-twitter-manager.php:383
439
- msgid "<code>#category#</code>: the first selected category for the post"
440
- msgstr "<code>#category#</code>: a primeira categoria selecionada para o post"
441
-
442
- #: wp-to-twitter-manager.php:384
443
- msgid "<code>#date#</code>: the post date"
444
- msgstr "<code>#date#</code>: data do post"
445
-
446
- #: wp-to-twitter-manager.php:385
447
- msgid "<code>#url#</code>: the post URL"
448
- msgstr "<code>#url#</code>: endereço do post"
449
-
450
- #: wp-to-twitter-manager.php:386
451
- msgid "<code>#author#</code>: the post author"
452
- msgstr "<code>#author#</code>: autor do post"
453
-
454
- #: wp-to-twitter-manager.php:387
455
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
456
- msgstr "<code>#account#</code>: uma @referencia para a conta do Twitter (ou ao autor, se as configurações estiverem habilitadas e configuradas.)"
457
-
458
- #: wp-to-twitter-manager.php:389
459
- msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
460
- msgstr "Você também pode criar shortcodes personalizados para acessar campos personalizados do Wordpress. Utilize colchetes duplos ao redor do nome do campo personalizado para adicionar valor a aquele campo personalizado para sua atualização de status. Exemplo: <code>[[custom_field]]</code></p>"
461
-
462
- #: wp-to-twitter-manager.php:394
463
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
464
- msgstr "<p>Uma ou mais das suas ultimas requisições falhou ao enviar atualização ao Twitter. Seu tweet foi salvo em campos personalizados, e você pode publica-lo</p>"
465
-
466
- #: wp-to-twitter-manager.php:398
467
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr Help</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
468
- msgstr "<p>A requisição para a API do encurtador de URL falhou, e o endereço não foi encurtado. A URL completa foi adicionada ao seu Tweet. Verifique com seu serviço de encurtar URL se existe algum problema conhecido. [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr Help</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
469
-
470
- #: wp-to-twitter-manager.php:405
471
- msgid "Clear 'WP to Twitter' Error Messages"
472
- msgstr "Limpar mensagens de erro do 'WP to Twitter' "
473
-
474
- #: wp-to-twitter-manager.php:418
475
- msgid "Basic Settings"
476
- msgstr "Configurações Básicas"
477
-
478
- #: wp-to-twitter-manager.php:424
479
- msgid "Tweet Templates"
480
- msgstr "Templates de Tweet"
481
-
482
- #: wp-to-twitter-manager.php:427
483
- msgid "Update when a post is published"
484
- msgstr "Atualize quando um post é publicado"
485
-
486
- #: wp-to-twitter-manager.php:427
487
- msgid "Text for new post updates:"
488
- msgstr "Texto para uma nova publicação:"
489
-
490
- #: wp-to-twitter-manager.php:433
491
- #: wp-to-twitter-manager.php:436
492
- msgid "Update when a post is edited"
493
- msgstr "Atualize quando uma publicação é editada"
494
-
495
- #: wp-to-twitter-manager.php:433
496
- #: wp-to-twitter-manager.php:436
497
- msgid "Text for editing updates:"
498
- msgstr "Texto para uma edição em uma publicação:"
499
-
500
- #: wp-to-twitter-manager.php:437
501
- msgid "You can not disable updates on edits when using Postie or similar plugins."
502
- msgstr "Você não pode desabilitar atualizações ao editar quando utilizar Postie ou plugins similares."
503
-
504
- #: wp-to-twitter-manager.php:441
505
- msgid "Update Twitter when new Wordpress Pages are published"
506
- msgstr "Atualize Twitter quando nova página do Wordpress for publicada"
507
-
508
- #: wp-to-twitter-manager.php:441
509
- msgid "Text for new page updates:"
510
- msgstr "Texto para publicação de nova página:"
511
-
512
- #: wp-to-twitter-manager.php:445
513
- msgid "Update Twitter when WordPress Pages are edited"
514
- msgstr "Atualize o Twitter quando páginas do wordpress forem editadas"
515
-
516
- #: wp-to-twitter-manager.php:445
517
- msgid "Text for page edit updates:"
518
- msgstr "Texto para edição de página:"
519
-
520
- #: wp-to-twitter-manager.php:449
521
- msgid "Update Twitter when you post a Blogroll link"
522
- msgstr "Atualize o Twitter quando postar um link Blogroll"
523
-
524
- #: wp-to-twitter-manager.php:450
525
- msgid "Text for new link updates:"
526
- msgstr "Texto para atualização de novos links:"
527
-
528
- #: wp-to-twitter-manager.php:450
529
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
530
- msgstr "Shortcodes disponiveis: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
531
-
532
- #: wp-to-twitter-manager.php:454
533
- msgid "Choose your short URL service (account settings below)"
534
- msgstr "Escolhe seu serviço de encurtar URL (configurações abaixo)"
535
-
536
- #: wp-to-twitter-manager.php:457
537
- msgid "Don't shorten URLs."
538
- msgstr "Não encurte URLs."
539
-
540
- #: wp-to-twitter-manager.php:458
541
- msgid "Use Su.pr for my URL shortener."
542
- msgstr "Utilize Su.pr para meu encurtador de URL"
543
-
544
- #: wp-to-twitter-manager.php:459
545
- msgid "Use Bit.ly for my URL shortener."
546
- msgstr "Utilize Bit.ly para meu encurtador de URL"
547
-
548
- #: wp-to-twitter-manager.php:460
549
- msgid "YOURLS (installed on this server)"
550
- msgstr "YOURLS (instalado neste servidor)"
551
-
552
- #: wp-to-twitter-manager.php:461
553
- msgid "YOURLS (installed on a remote server)"
554
- msgstr "YOURLS (instalado em um servidor remoto)"
555
-
556
- #: wp-to-twitter-manager.php:462
557
- msgid "Use WordPress as a URL shortener."
558
- msgstr "Utilize Wordpress como um encurtador de URL."
559
-
560
- #: wp-to-twitter-manager.php:464
561
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
562
- msgstr "Usando WordPress como encurtador de URL enviará para o Twitter o formato padrão de URL do Wordpress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics não está disponivel quando utilizar URLS encurtadas pelo WordPress."
563
-
564
- #: wp-to-twitter-manager.php:470
565
- msgid "Save WP->Twitter Options"
566
- msgstr "Salvar opções do WP->Twitter "
567
-
568
- #: wp-to-twitter-manager.php:479
569
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
570
- msgstr "Configurações da Conta do Encurtador de <abbr title=\"Uniform Resource Locator\">URL</abbr>"
571
-
572
- #: wp-to-twitter-manager.php:483
573
- msgid "Your Su.pr account details"
574
- msgstr "Seus detalhes de conta do Su.pr"
575
-
576
- #: wp-to-twitter-manager.php:488
577
- msgid "Your Su.pr Username:"
578
- msgstr "Seu usuário Su.pr:"
579
-
580
- #: wp-to-twitter-manager.php:492
581
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
582
- msgstr "Sua <abbr title='application programming interface'>API</abbr> Key para Su.pr"
583
-
584
- #: wp-to-twitter-manager.php:498
585
- msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
586
- msgstr "Não tem conta Su.pr ou API Key? <a href='http://su.pr/'>Get one here</a>!<br /> Você precisará uma API Key para associar as URLs que você criar com sua conta Su.pr."
587
-
588
- #: wp-to-twitter-manager.php:504
589
- msgid "Your Bit.ly account details"
590
- msgstr "Seus detalhes de conta Bit.ly"
591
-
592
- #: wp-to-twitter-manager.php:509
593
- msgid "Your Bit.ly username:"
594
- msgstr "Seu usuário Bit.ly:"
595
-
596
- #: wp-to-twitter-manager.php:513
597
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
598
- msgstr "Sua <abbr title='application programming interface'>API</abbr> Key para Bit.ly"
599
-
600
- #: wp-to-twitter-manager.php:520
601
- msgid "Save Bit.ly API Key"
602
- msgstr "Salvar API Key do Bit.ly"
603
-
604
- #: wp-to-twitter-manager.php:520
605
- msgid "Clear Bit.ly API Key"
606
- msgstr "Limpar API Key do Bit.ly"
607
-
608
- #: wp-to-twitter-manager.php:520
609
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
610
- msgstr "Uma API Key e usuário do Bit.ly são necessário para encurtar URLs usando Bit.ly e WP to Twitter."
611
-
612
- #: wp-to-twitter-manager.php:525
613
- msgid "Your YOURLS account details"
614
- msgstr "Seus detalhes de conta do YOURLS"
615
-
616
- #: wp-to-twitter-manager.php:529
617
- msgid "Path to your YOURLS config file (Local installations)"
618
- msgstr "Caminho para seu arquivo de configuração do YOURLS (instalação local)"
619
-
620
- #: wp-to-twitter-manager.php:530
621
- #: wp-to-twitter-manager.php:534
622
- msgid "Example:"
623
- msgstr "Exemplo:"
624
-
625
- #: wp-to-twitter-manager.php:533
626
- msgid "URI to the YOURLS API (Remote installations)"
627
- msgstr "URI para sua API do YOURLS (instalação remota)"
628
-
629
- #: wp-to-twitter-manager.php:537
630
- msgid "Your YOURLS username:"
631
- msgstr "Seu usuário do YOURLS:"
632
-
633
- #: wp-to-twitter-manager.php:541
634
- msgid "Your YOURLS password:"
635
- msgstr "Sua senha do YOURLS:"
636
-
637
- #: wp-to-twitter-manager.php:541
638
- msgid "<em>Saved</em>"
639
- msgstr "<em>Salvo</em>"
640
-
641
- #: wp-to-twitter-manager.php:545
642
- msgid "Use Post ID for YOURLS url slug."
643
- msgstr "Usar ID do Post como chave"
644
-
645
- #: wp-to-twitter-manager.php:550
646
- msgid "Save YOURLS Account Info"
647
- msgstr "Salvar informações da conta do YOURLS"
648
-
649
- #: wp-to-twitter-manager.php:550
650
- msgid "Clear YOURLS password"
651
- msgstr "Limpar senha do YOURLS"
652
-
653
- #: wp-to-twitter-manager.php:550
654
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
655
- msgstr "Um usuário e senha do YOURLS são necessário para encurtar URLs usando API remota do YOURLS e WP to Twitter."
656
-
657
- #: wp-to-twitter-manager.php:562
658
- msgid "Advanced Settings"
659
- msgstr "Configurações avançadas"
660
-
661
- #: wp-to-twitter-manager.php:569
662
- msgid "Advanced Tweet settings"
663
- msgstr "Configurações avançadas de Tweet"
664
-
665
- #: wp-to-twitter-manager.php:571
666
- msgid "Add tags as hashtags on Tweets"
667
- msgstr "Adicionar tags como hashtags nos Tweets"
668
-
669
- #: wp-to-twitter-manager.php:571
670
- msgid "Strip nonalphanumeric characters"
671
- msgstr "Remover caracteres não alpha numéricos"
672
-
673
- #: wp-to-twitter-manager.php:572
674
- msgid "Spaces replaced with:"
675
- msgstr "Espaços substituidos com:"
676
-
677
- #: wp-to-twitter-manager.php:574
678
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
679
- msgstr "Substituidor padrão é um underscore (<code>_</code). Use <code>[]</code> para remover espaços completamente."
680
-
681
- #: wp-to-twitter-manager.php:577
682
- msgid "Maximum number of tags to include:"
683
- msgstr "Número máximo de tags para incluir:"
684
-
685
- #: wp-to-twitter-manager.php:578
686
- msgid "Maximum length in characters for included tags:"
687
- msgstr "Número máximo de caracteres para tags incluidas:"
688
-
689
- #: wp-to-twitter-manager.php:579
690
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
691
- msgstr "Estas opções permite que você restringa o tamanho e número de tags do WordPress enviadas ao Twitter como hashtags. Defina para <code>0</code> ou deixe em branco para permitir qualquer e \"infinitas\" tags."
692
-
693
- #: wp-to-twitter-manager.php:582
694
- msgid "Length of post excerpt (in characters):"
695
- msgstr "Tamanho do pedaço do texto do post (em caracteres):"
696
-
697
- #: wp-to-twitter-manager.php:582
698
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
699
- msgstr "Por padrão, extraido do próprio post. Se você usar campo 'Pedaço', este será usado."
700
-
701
- #: wp-to-twitter-manager.php:585
702
- msgid "WP to Twitter Date Formatting:"
703
- msgstr "Formato da Data do WP to Twitter:"
704
-
705
- #: wp-to-twitter-manager.php:586
706
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
707
- msgstr "Padrão é da sua configuração geral. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
708
-
709
- #: wp-to-twitter-manager.php:590
710
- msgid "Custom text before all Tweets:"
711
- msgstr "Texto padrão antes de todos os Tweets:"
712
-
713
- #: wp-to-twitter-manager.php:591
714
- msgid "Custom text after all Tweets:"
715
- msgstr "Texto padrão depois de todos os Tweets:"
716
-
717
- #: wp-to-twitter-manager.php:594
718
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
719
- msgstr "Campo personalizado para URL alternativa a ser encurtada e Tweetar:"
720
-
721
- #: wp-to-twitter-manager.php:595
722
- msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
723
- msgstr "Você pode usar um campo personalizado para enviar uma URL alternativa para seu post. O valor é o nome do campo personalizado contendo sua URL externa."
724
-
725
- #: wp-to-twitter-manager.php:599
726
- msgid "Special Cases when WordPress should send a Tweet"
727
- msgstr "Casos especiais que o WordPress deve enviar um Tweet"
728
-
729
- #: wp-to-twitter-manager.php:602
730
- msgid "Do not post status updates by default"
731
- msgstr "Por padrão não poste atualizações de status"
732
-
733
- #: wp-to-twitter-manager.php:603
734
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
735
- msgstr "Por padrão, todos os posts com os requisitos serão postados ao Twitter. Selecione para mudar suas configurações."
736
-
737
- #: wp-to-twitter-manager.php:607
738
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
739
- msgstr "Envie atualizações ao Twitter em publicações remotas (Post por e-mail ou cliente XMLRPC)"
740
-
741
- #: wp-to-twitter-manager.php:609
742
- msgid "I'm using a plugin to post by email, such as Postie. Only check this if your updates do not work."
743
- msgstr "Estou usando um plugin para postar atualizações por e-mail, como o Postie. Somente selecione isso se suas atualizações não funcionarem."
744
-
745
- #: wp-to-twitter-manager.php:613
746
- msgid "Update Twitter when a post is published using QuickPress"
747
- msgstr "Atualize o Twitter quando um post é publicado usando QuickPress"
748
-
749
- #: wp-to-twitter-manager.php:617
750
- msgid "Google Analytics Settings"
751
- msgstr "Configurações do Google Analytics "
752
-
753
- #: wp-to-twitter-manager.php:618
754
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
755
- msgstr "Você pode rastrear as respostas do seu Twitter usando Google Analytics definindo identificadores de campanha aqui. Você pode definir um identificador estatico ou dinamico. Identificadores estaticos não mudam de post a post; Identificadores dinamicos são derivados de informações relevante a um post especifico. Identificadores dinamicos permitem que você divida suas estatisticas por uma váriavel adicional."
756
-
757
- #: wp-to-twitter-manager.php:622
758
- msgid "Use a Static Identifier with WP-to-Twitter"
759
- msgstr "Utilize um identificador estatico com WP-to-Twitter"
760
-
761
- #: wp-to-twitter-manager.php:623
762
- msgid "Static Campaign identifier for Google Analytics:"
763
- msgstr "Identificador estatico para campanha com Google Analytics:"
764
-
765
- #: wp-to-twitter-manager.php:627
766
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
767
- msgstr "Utilize um identificador dinamico com Google Analytics e WP-to-Twitter"
768
-
769
- #: wp-to-twitter-manager.php:628
770
- msgid "What dynamic identifier would you like to use?"
771
- msgstr "Que identificador dinamico você gostaria de usar?"
772
-
773
- #: wp-to-twitter-manager.php:630
774
- msgid "Category"
775
- msgstr "Categoria"
776
-
777
- #: wp-to-twitter-manager.php:631
778
- msgid "Post ID"
779
- msgstr "ID do Post"
780
-
781
- #: wp-to-twitter-manager.php:632
782
- msgid "Post Title"
783
- msgstr "Titulo do Post"
784
-
785
- #: wp-to-twitter-manager.php:633
786
- #: wp-to-twitter-manager.php:647
787
- msgid "Author"
788
- msgstr "Autor"
789
-
790
- #: wp-to-twitter-manager.php:638
791
- msgid "Individual Authors"
792
- msgstr "Autores individuais"
793
-
794
- #: wp-to-twitter-manager.php:641
795
- msgid "Authors have individual Twitter accounts"
796
- msgstr "Autores possuem contas individuais no twitter"
797
-
798
- #: wp-to-twitter-manager.php:641
799
- msgid "Authors can set their username in their user profile. As of version 2.2.0, this feature no longer allows authors to post to their own Twitter accounts. It can only add an @reference to the author. This @reference is placed using the <code>#account#</code> shortcode. (It will pick up the main account if user accounts are not enabled.)"
800
- msgstr "Autores podem definir seus usuários nos seus perfils. Na versão 2.2.0, está funcionalidade não permite que autores publiquem para sua própria conta do Twitter. Só pode adicionar uma @referencia ao autor. Está @referencia é colocada utilizando o shortcode <code>#account#</code>. (Selecionara a conta principal se as contas de usuários não estiverem habilitadas.)"
801
-
802
- #: wp-to-twitter-manager.php:644
803
- msgid "Choose the lowest user group that can add their Twitter information"
804
- msgstr "Escolha o menor grupo que pode adicionar suas informações do Twitter"
805
-
806
- #: wp-to-twitter-manager.php:645
807
- msgid "Subscriber"
808
- msgstr "Assinante"
809
-
810
- #: wp-to-twitter-manager.php:646
811
- msgid "Contributor"
812
- msgstr "Contribuidor"
813
-
814
- #: wp-to-twitter-manager.php:648
815
- msgid "Editor"
816
- msgstr "Editor"
817
-
818
- #: wp-to-twitter-manager.php:649
819
- msgid "Administrator"
820
- msgstr "Administrador"
821
-
822
- #: wp-to-twitter-manager.php:654
823
- msgid "Disable Error Messages"
824
- msgstr "Desabilitar mensagens de erro."
825
-
826
- #: wp-to-twitter-manager.php:657
827
- msgid "Disable global URL shortener error messages."
828
- msgstr "Desabilitar mensagens de erros de encurtadores de URL"
829
-
830
- #: wp-to-twitter-manager.php:661
831
- msgid "Disable global Twitter API error messages."
832
- msgstr "Desabilitar mensagens de erro da API do twitter"
833
-
834
- #: wp-to-twitter-manager.php:665
835
- msgid "Disable notification to implement OAuth"
836
- msgstr "Desabilitar notificação para utilizar OAuth"
837
-
838
- #: wp-to-twitter-manager.php:669
839
- msgid "Get Debugging Data for OAuth Connection"
840
- msgstr "Pegar dados para debug para a conexão OAuth"
841
-
842
- #: wp-to-twitter-manager.php:675
843
- msgid "Save Advanced WP->Twitter Options"
844
- msgstr "Salvar opções avançadas do WP->Twitter"
845
-
846
- #: wp-to-twitter-manager.php:685
847
- msgid "Limit Updating Categories"
848
- msgstr "Limite atualizando categorias"
849
-
850
- #: wp-to-twitter-manager.php:689
851
- msgid "Select which blog categories will be Tweeted. Uncheck all categories to disable category limits."
852
- msgstr "Selecione quais categorias serão Tweetadas. Deselecione todas para desabilitar limite de categorias."
853
-
854
- #: wp-to-twitter-manager.php:692
855
- msgid "<em>Category limits are disabled.</em>"
856
- msgstr "<em>Limite de categorias estão desabilitados.</em>"
857
-
858
- #: wp-to-twitter-manager.php:706
859
- msgid "Check Support"
860
- msgstr "Verifique suporte"
861
-
862
- #: wp-to-twitter-manager.php:706
863
- msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
864
- msgstr "Verifique se seu servidor suporta as consultas do <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> ao Twitter e às APIs de encurtamento de URLs. Este teste enviará uma atualização de status ao Twitter e ao encurtador de URLs usando seus métodos selecionados. "
865
-
866
- #. Plugin URI of the plugin/theme
867
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
868
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
869
-
870
- #. Description of the plugin/theme
871
- msgid "Posts a Twitter status update when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
872
- msgstr "Publique atualização no twitter quando você atualizar seu Wordpress ou publicar ao seu blogroll, utilizando o serviço de encurtar. "
873
-
874
- #. Author of the plugin/theme
875
- msgid "Joseph Dolson"
876
- msgstr "Joseph Dolson"
877
-
878
- #. Author URI of the plugin/theme
879
- msgid "http://www.joedolson.com/"
880
- msgstr "http://www.joedolson.com/"
881
-
1
+ msgid ""
2
+ msgstr ""
3
+ "Project-Id-Version: \n"
4
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
5
+ "POT-Creation-Date: 2011-04-12 22:29:25+00:00\n"
6
+ "PO-Revision-Date: \n"
7
+ "Last-Translator: Miriam de Paula <miriamdepaula@wpmidia.com.br>\n"
8
+ "Language-Team: \n"
9
+ "Language: \n"
10
+ "MIME-Version: 1.0\n"
11
+ "Content-Type: text/plain; charset=UTF-8\n"
12
+ "Content-Transfer-Encoding: 8bit\n"
13
+ "X-Poedit-Language: Portuguese\n"
14
+ "X-Poedit-Country: BRAZIL\n"
15
+ "X-Poedit-Bookmarks: 1,-1,-1,-1,-1,-1,-1,-1,-1,-1\n"
16
+
17
+ #: functions.php:193
18
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
19
+ msgstr "[<a href='options-general.php?page=wp-totwitter/wp-to-twitter.php'>Esconder</a>] Se você está com problemas, por favor copie estas configurações ao requisitar suporte."
20
+
21
+ #: wp-to-twitter-oauth.php:105
22
+ #: wp-to-twitter-oauth.php:144
23
+ msgid "Connect to Twitter"
24
+ msgstr "Conectar ao Twitter"
25
+
26
+ #: wp-to-twitter-oauth.php:109
27
+ msgid "The process to set up OAuth authentication for your web site is needlessly laborious. It is also confusing. However, this is the only method available from Twitter. Note that you will not add your Twitter username or password to WP to Twitter; they are not used in OAuth authentication."
28
+ msgstr "O processo para configurar a autenticação (OAuth) é necessária. Também é confuso. Entretanto, este é o unico método disponivel. Note que você não adicionará seu usuário e senha do Twitter; Eles não são usados na autenticação OAuth."
29
+
30
+ #: wp-to-twitter-oauth.php:112
31
+ msgid "1. Register this site as an application on "
32
+ msgstr "1. Registre este site como um aplicativo no"
33
+
34
+ #: wp-to-twitter-oauth.php:112
35
+ msgid "Twitter's application registration page"
36
+ msgstr "Página de registro de aplicação do Twitter"
37
+
38
+ #: wp-to-twitter-oauth.php:114
39
+ msgid "If you're not currently logged in, use the Twitter username and password which you want associated with this site"
40
+ msgstr "Se você não está logado, use seu usuário e senha que você quer associar com esse site."
41
+
42
+ #: wp-to-twitter-oauth.php:115
43
+ msgid "Your Application's Name will be what shows up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\" Use the name of your web site."
44
+ msgstr "O nome da sua aplicação será o que é mostrado depois do \"via\" no seu twitter. Sua aplicação não pode ter o nome \"Twitter.\" Use o nome do seu site."
45
+
46
+ #: wp-to-twitter-oauth.php:116
47
+ msgid "Your Application Description can be whatever you want."
48
+ msgstr "A descrição da sua aplicação pode ser o que você quizer."
49
+
50
+ #: wp-to-twitter-oauth.php:117
51
+ msgid "Application Type should be set on "
52
+ msgstr "Tipo de aplicação deve ser definida"
53
+
54
+ #: wp-to-twitter-oauth.php:117
55
+ msgid "Browser"
56
+ msgstr "Navegador"
57
+
58
+ #: wp-to-twitter-oauth.php:118
59
+ msgid "The Callback URL should be "
60
+ msgstr "A url de \"CallBack\" deve ser"
61
+
62
+ #: wp-to-twitter-oauth.php:119
63
+ msgid "Default Access type must be set to "
64
+ msgstr "Tipo de acesso padrão deve ser definido como"
65
+
66
+ #: wp-to-twitter-oauth.php:119
67
+ msgid "Read &amp; Write"
68
+ msgstr "Ler &amp; Escrever"
69
+
70
+ #: wp-to-twitter-oauth.php:119
71
+ msgid "(this is NOT the default)"
72
+ msgstr "(este NÃO é o padrão)"
73
+
74
+ #: wp-to-twitter-oauth.php:121
75
+ msgid "Once you have registered your site as an application, you will be provided with a consumer key and a consumer secret."
76
+ msgstr "Quando você registrar seu site como uma aplicação, você receberá uma \"consumer key\" e \"consumer secret\"."
77
+
78
+ #: wp-to-twitter-oauth.php:122
79
+ msgid "2. Copy and paste your consumer key and consumer secret into the fields below"
80
+ msgstr "2. Copie e cole sua \"consumer key\" e \"consumer secret\" nos campos abaixo"
81
+
82
+ #: wp-to-twitter-oauth.php:125
83
+ msgid "Twitter Consumer Key"
84
+ msgstr "Twitter Consumer Key"
85
+
86
+ #: wp-to-twitter-oauth.php:129
87
+ msgid "Twitter Consumer Secret"
88
+ msgstr "Twitter Consumer Secret"
89
+
90
+ #: wp-to-twitter-oauth.php:132
91
+ msgid "3. Copy and paste your Access Token and Access Token Secret into the fields below"
92
+ msgstr "3. Copie e cole seu \"Access Token\" e \"Access Token Secret\" nos campos abaixo"
93
+
94
+ #: wp-to-twitter-oauth.php:133
95
+ msgid "On the right hand side of your new application page at Twitter, click on 'My Access Token'."
96
+ msgstr "No lado direito, da sua nova aplicação no Twitter, pressione 'My Access Token'."
97
+
98
+ #: wp-to-twitter-oauth.php:135
99
+ msgid "Access Token"
100
+ msgstr "Access Token"
101
+
102
+ #: wp-to-twitter-oauth.php:139
103
+ msgid "Access Token Secret"
104
+ msgstr "Access Token Secret"
105
+
106
+ #: wp-to-twitter-oauth.php:154
107
+ msgid "Disconnect from Twitter"
108
+ msgstr "Desconectar do Twitter"
109
+
110
+ #: wp-to-twitter-oauth.php:161
111
+ msgid "Twitter Username "
112
+ msgstr "Usuário Twitter"
113
+
114
+ #: wp-to-twitter-oauth.php:162
115
+ msgid "Consumer Key "
116
+ msgstr "Consumer Key"
117
+
118
+ #: wp-to-twitter-oauth.php:163
119
+ msgid "Consumer Secret "
120
+ msgstr "Consumer Secret"
121
+
122
+ #: wp-to-twitter-oauth.php:164
123
+ msgid "Access Token "
124
+ msgstr "Access Token"
125
+
126
+ #: wp-to-twitter-oauth.php:165
127
+ msgid "Access Token Secret "
128
+ msgstr "Access Token Secret"
129
+
130
+ #: wp-to-twitter-oauth.php:168
131
+ msgid "Disconnect Your WordPress and Twitter Account"
132
+ msgstr "Desconectar seu Wordpress e conta do Twitter"
133
+
134
+ #: wp-to-twitter.php:49
135
+ msgid "WP to Twitter requires PHP version 5 or above with cURL support. Please upgrade PHP or install cURL to run WP to Twitter."
136
+ msgstr "WP to Twitter requer PHP versão 5 ou mais com suporte a cURL. Por favor atualize seu PHP ou instale cURL para rodar WP to Twitter."
137
+
138
+ #: wp-to-twitter.php:70
139
+ msgid "WP to Twitter requires WordPress 2.9.2 or a more recent version. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update your WordPress version!</a>"
140
+ msgstr "WP to Twitter requer Wordpress versão 2.9.2 ou mais recente. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Por favor atualize seu Wordpress!</a>"
141
+
142
+ #: wp-to-twitter.php:84
143
+ msgid "Twitter now requires authentication by OAuth. You will need you to update your <a href=\"%s\">settings</a> in order to continue to use WP to Twitter."
144
+ msgstr "Twitter requer autenticação via OAuth. Você precisará atualizar suas <a href=\"%s\">configurações</a> para continuar a usar o WP to Twitter."
145
+
146
+ #: wp-to-twitter.php:150
147
+ msgid "200 OK: Success!"
148
+ msgstr "200: OK: Sucesso!"
149
+
150
+ #: wp-to-twitter.php:154
151
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
152
+ msgstr "400 Bad Request: A requisição foi inválida. Este é o código de status retornado."
153
+
154
+ #: wp-to-twitter.php:158
155
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
156
+ msgstr "401 Unauthorized: Credenciais de autenticação faltando ou incorretas."
157
+
158
+ #: wp-to-twitter.php:162
159
+ msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons include exceeding the 140 character limit or the API update limit."
160
+ msgstr "403 Forbidden: A requisição foi entendida, mas foi negada. Este código é usado quando requisições são entendidas, mas são negadas pelo Twitter. Razões incluem execeder os 140 caracteres ou limite de upload na API."
161
+
162
+ #: wp-to-twitter.php:166
163
+ msgid "500 Internal Server Error: Something is broken at Twitter."
164
+ msgstr "500 Internal Server Error: Algo está quebrado no Twitter."
165
+
166
+ #: wp-to-twitter.php:170
167
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests Please try again later."
168
+ msgstr "503 Services Unavailable: Os servidores do Twitter estão funcionando, mas estão sobrecarregados, tente mais tarde."
169
+
170
+ #: wp-to-twitter.php:174
171
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
172
+ msgstr "502 Bad Gateway: Twitter está fora ou sendo atualizado."
173
+
174
+ #. #-#-#-#-# plugin.pot (WP to Twitter 2.2.9) #-#-#-#-#
175
+ #. Plugin Name of the plugin/theme
176
+ #: wp-to-twitter.php:803
177
+ msgid "WP to Twitter"
178
+ msgstr "WP to Twitter"
179
+
180
+ #: wp-to-twitter.php:865
181
+ msgid "Custom Twitter Post"
182
+ msgstr "Publicação Personalizada no Twitter"
183
+
184
+ #: wp-to-twitter.php:874
185
+ #: wp-to-twitter-manager.php:360
186
+ msgid "Make a Donation"
187
+ msgstr "Faça uma doação"
188
+
189
+ #: wp-to-twitter.php:874
190
+ #: wp-to-twitter-manager.php:363
191
+ msgid "Get Support"
192
+ msgstr "Receba suporte"
193
+
194
+ #: wp-to-twitter.php:877
195
+ msgid "Don't Tweet this post."
196
+ msgstr "Não Tweete esta publicação"
197
+
198
+ #: wp-to-twitter.php:887
199
+ msgid "This URL is direct and has not been shortened: "
200
+ msgstr "Esta URL é direta e não foi encurtada."
201
+
202
+ #: wp-to-twitter.php:946
203
+ msgid "WP to Twitter User Settings"
204
+ msgstr "WP to Twitter Configuração do usuário"
205
+
206
+ #: wp-to-twitter.php:950
207
+ msgid "Use My Twitter Username"
208
+ msgstr "Use meu usuário do Twitter"
209
+
210
+ #: wp-to-twitter.php:951
211
+ msgid "Tweet my posts with an @ reference to my username."
212
+ msgstr "Publique meus Posts com um @ referenciando meu usuário."
213
+
214
+ #: wp-to-twitter.php:952
215
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
216
+ msgstr "Publique meus Posts com um @ referenciando ambos meu usuário e usuário principal do site."
217
+
218
+ #: wp-to-twitter.php:956
219
+ msgid "Your Twitter Username"
220
+ msgstr "Seu usuário do Twitter"
221
+
222
+ #: wp-to-twitter.php:957
223
+ msgid "Enter your own Twitter username."
224
+ msgstr "Insira seu próprio usuário do Twitter"
225
+
226
+ #: wp-to-twitter.php:996
227
+ msgid "Check the categories you want to tweet:"
228
+ msgstr "Selecione as categorias que você quer Tweetar:"
229
+
230
+ #: wp-to-twitter.php:1013
231
+ msgid "Set Categories"
232
+ msgstr "Defina categorias"
233
+
234
+ #: wp-to-twitter.php:1037
235
+ msgid "<p>Couldn't locate the settings page.</p>"
236
+ msgstr "<p>Não pode localizar página de configurações.</p>"
237
+
238
+ #: wp-to-twitter.php:1042
239
+ msgid "Settings"
240
+ msgstr "Configurações"
241
+
242
+ #: wp-to-twitter-manager.php:76
243
+ msgid "WP to Twitter is now connected with Twitter."
244
+ msgstr "WP to Twitter está agora conectado com o Twitter."
245
+
246
+ #: wp-to-twitter-manager.php:86
247
+ msgid "OAuth Authentication Data Cleared."
248
+ msgstr "Dados de autenticação OAuth limpos."
249
+
250
+ #: wp-to-twitter-manager.php:93
251
+ msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
252
+ msgstr "Autenticação OAuth falhou. O horário do seu servidor não está sincronizado com o do Twitter. Converse com seu host para ver o que pode ser feito."
253
+
254
+ #: wp-to-twitter-manager.php:100
255
+ msgid "OAuth Authentication response not understood."
256
+ msgstr "Resposta de autenticação OAuth não compreendida."
257
+
258
+ #: wp-to-twitter-manager.php:109
259
+ msgid "WP to Twitter Errors Cleared"
260
+ msgstr "WP to Twitter erros limpos"
261
+
262
+ #: wp-to-twitter-manager.php:116
263
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
264
+ msgstr "Desculpe! Não foi possivel se comunicar com os servidores do Twitter para publicar sua publicação. Seu Tweet foi gravado em um campo anexado a publicação, para você Tweetar manualmente."
265
+
266
+ #: wp-to-twitter-manager.php:118
267
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
268
+ msgstr "Desculpe! Não foi possivel se comunicar com os servidores do Twitter para publicar <strong>new link</strong>! Você terá que postar ele manualmente."
269
+
270
+ #: wp-to-twitter-manager.php:156
271
+ msgid "WP to Twitter Advanced Options Updated"
272
+ msgstr "WP to Twitter Opções Avançadas de Atualização"
273
+
274
+ #: wp-to-twitter-manager.php:173
275
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
276
+ msgstr "Você deve adicionar seu usuário Bit.ly e API key para encurtar URLs com Bit.ly"
277
+
278
+ #: wp-to-twitter-manager.php:177
279
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
280
+ msgstr "Você deve adicionar sua URL remota do YOURLS, usuário e senha para encurtar URLs com uma instalação remota do YOURLS."
281
+
282
+ #: wp-to-twitter-manager.php:181
283
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
284
+ msgstr "Você deve adicionar o caminho do servidor para encurtar suas URLs com uma instalação remota do YOURLS."
285
+
286
+ #: wp-to-twitter-manager.php:185
287
+ msgid "WP to Twitter Options Updated"
288
+ msgstr "WP to Twitter Opções atualizadas"
289
+
290
+ #: wp-to-twitter-manager.php:195
291
+ msgid "Category limits updated."
292
+ msgstr "Limites de categorias atualizados."
293
+
294
+ #: wp-to-twitter-manager.php:199
295
+ msgid "Category limits unset."
296
+ msgstr "Limite de categorias indefinido."
297
+
298
+ #: wp-to-twitter-manager.php:207
299
+ msgid "YOURLS password updated. "
300
+ msgstr "YOURLS senha atualizada"
301
+
302
+ #: wp-to-twitter-manager.php:210
303
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
304
+ msgstr "YOURLS senha deletada. Você será incapaz de usar seu YOURLS remote para encurtar URLS."
305
+
306
+ #: wp-to-twitter-manager.php:212
307
+ msgid "Failed to save your YOURLS password! "
308
+ msgstr "Falha ao salvar sua senha YOURLS!"
309
+
310
+ #: wp-to-twitter-manager.php:216
311
+ msgid "YOURLS username added. "
312
+ msgstr "YOURS usuário adicionado"
313
+
314
+ #: wp-to-twitter-manager.php:220
315
+ msgid "YOURLS API url added. "
316
+ msgstr "YOURLS API url adicionada."
317
+
318
+ #: wp-to-twitter-manager.php:223
319
+ msgid "YOURLS API url removed. "
320
+ msgstr "YOURLS API url removida."
321
+
322
+ #: wp-to-twitter-manager.php:228
323
+ msgid "YOURLS local server path added. "
324
+ msgstr "YOURLS caminho local do servidor adicionado."
325
+
326
+ #: wp-to-twitter-manager.php:230
327
+ msgid "The path to your YOURLS installation is not correct. "
328
+ msgstr "O caminho para a instalação do seu YOURLS está incorreto."
329
+
330
+ #: wp-to-twitter-manager.php:234
331
+ msgid "YOURLS local server path removed. "
332
+ msgstr "YOURLS caminho local do servidor removido."
333
+
334
+ #: wp-to-twitter-manager.php:238
335
+ msgid "YOURLS will use Post ID for short URL slug."
336
+ msgstr "YOURLS utilizará ID do Post para chave da sua URL encurtada."
337
+
338
+ #: wp-to-twitter-manager.php:241
339
+ msgid "YOURLS will not use Post ID for the short URL slug."
340
+ msgstr "YOURLS não utilizará ID do Post para chave da sua URL encurtada."
341
+
342
+ #: wp-to-twitter-manager.php:249
343
+ msgid "Su.pr API Key and Username Updated"
344
+ msgstr "Su.pr API Key e usuários atualizados"
345
+
346
+ #: wp-to-twitter-manager.php:253
347
+ msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
348
+ msgstr "Su.pr API Key e usuário deletados. Su.pr URLs criados pelo WP to Twitter não estarão mais associados a sua conta."
349
+
350
+ #: wp-to-twitter-manager.php:255
351
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
352
+ msgstr "Su.pr API Key não adicionada - <a href='http://su.pr/'>pegue uma aqui</a>! "
353
+
354
+ #: wp-to-twitter-manager.php:261
355
+ msgid "Bit.ly API Key Updated."
356
+ msgstr "Bit.ly API Key atualizada."
357
+
358
+ #: wp-to-twitter-manager.php:264
359
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
360
+ msgstr "Bit.ly API Key deletada. Você não pode usar API do Bit.ly sem uma API key."
361
+
362
+ #: wp-to-twitter-manager.php:266
363
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
364
+ msgstr "Bit.ly API Key não adicionada - <a href='http://bit.ly/account/'>pegue uma aqui</a>! Uma API Key é necessária para utilizar o encurtador Bit.ly"
365
+
366
+ #: wp-to-twitter-manager.php:270
367
+ msgid " Bit.ly User Login Updated."
368
+ msgstr "Bit.ly usuário atualizado."
369
+
370
+ #: wp-to-twitter-manager.php:273
371
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
372
+ msgstr "Bit.ly usuário deletado. Você não pode utilizar a API do Bit.ly sem um usuário."
373
+
374
+ #: wp-to-twitter-manager.php:275
375
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
376
+ msgstr "Bit.ly Usuário não adicionado - - <a href='http://bit.ly/account/'>pegue um aqui</a>! "
377
+
378
+ #: wp-to-twitter-manager.php:304
379
+ msgid "No error information is available for your shortener."
380
+ msgstr "Nenhuma informação de erro está disponivel para seu encurtador."
381
+
382
+ #: wp-to-twitter-manager.php:306
383
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
384
+ msgstr "<li class=\"error\"><strong>WP to Twitter foi incapaz de conectar com o seu serviço de encurtar URL.</strong></li>"
385
+
386
+ #: wp-to-twitter-manager.php:309
387
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
388
+ msgstr "<li><strong>WP to Twitter conectou com sucesso ao seu serviço de encurtar URLs.</strong> Este link deve apontar para página inicial do seu blog:"
389
+
390
+ #: wp-to-twitter-manager.php:318
391
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
392
+ msgstr "<li><strong>WP to Twitter enviou com sucesso atualização de status para o Twitter.</strong></li>"
393
+
394
+ #: wp-to-twitter-manager.php:321
395
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
396
+ msgstr "<li class=\"error\"><strong>WP to Twitter falhou ao enviar atualização parao Twitter</strong></li>"
397
+
398
+ #: wp-to-twitter-manager.php:325
399
+ msgid "You have not connected WordPress to Twitter."
400
+ msgstr "Você não tem o Wordpress conectado ao Twitter."
401
+
402
+ #: wp-to-twitter-manager.php:329
403
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
404
+ msgstr "<li class=\"error\"><strong>Seu servidor parece não suportar os métodos necessários para suportar o WP to Twitter.</strong> Você pode testa-lo de qualquer maneira - os testes não são perfeitos</li>"
405
+
406
+ #: wp-to-twitter-manager.php:333
407
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
408
+ msgstr "<li><strong>Seu servidor deve rodar WP to Twitter com sucesso.</strong></li>"
409
+
410
+ #: wp-to-twitter-manager.php:350
411
+ msgid "WP to Twitter Options"
412
+ msgstr "WP to Twitter Opções"
413
+
414
+ #: wp-to-twitter-manager.php:360
415
+ msgid "Pledge to new features"
416
+ msgstr "Peça novas Funcionalidades"
417
+
418
+ #: wp-to-twitter-manager.php:363
419
+ msgid "View Settings"
420
+ msgstr "Veja configurações"
421
+
422
+ #: wp-to-twitter-manager.php:378
423
+ msgid "Shortcodes available in post update templates:"
424
+ msgstr "Shortcodes disponiveis no template de atualização do post:"
425
+
426
+ #: wp-to-twitter-manager.php:380
427
+ msgid "<code>#title#</code>: the title of your blog post"
428
+ msgstr "<code>#title#</code>: Título do seu post."
429
+
430
+ #: wp-to-twitter-manager.php:381
431
+ msgid "<code>#blog#</code>: the title of your blog"
432
+ msgstr "<code>#blog#</code>: Título do seu Blog"
433
+
434
+ #: wp-to-twitter-manager.php:382
435
+ msgid "<code>#post#</code>: a short excerpt of the post content"
436
+ msgstr "<code>#post#</code>: uma pequena parte do conteúdo do post="
437
+
438
+ #: wp-to-twitter-manager.php:383
439
+ msgid "<code>#category#</code>: the first selected category for the post"
440
+ msgstr "<code>#category#</code>: a primeira categoria selecionada para o post"
441
+
442
+ #: wp-to-twitter-manager.php:384
443
+ msgid "<code>#date#</code>: the post date"
444
+ msgstr "<code>#date#</code>: data do post"
445
+
446
+ #: wp-to-twitter-manager.php:385
447
+ msgid "<code>#url#</code>: the post URL"
448
+ msgstr "<code>#url#</code>: endereço do post"
449
+
450
+ #: wp-to-twitter-manager.php:386
451
+ msgid "<code>#author#</code>: the post author"
452
+ msgstr "<code>#author#</code>: autor do post"
453
+
454
+ #: wp-to-twitter-manager.php:387
455
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
456
+ msgstr "<code>#account#</code>: uma @referencia para a conta do Twitter (ou ao autor, se as configurações estiverem habilitadas e configuradas.)"
457
+
458
+ #: wp-to-twitter-manager.php:389
459
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
460
+ msgstr "Você também pode criar shortcodes personalizados para acessar campos personalizados do Wordpress. Utilize colchetes duplos ao redor do nome do campo personalizado para adicionar valor a aquele campo personalizado para sua atualização de status. Exemplo: <code>[[custom_field]]</code></p>"
461
+
462
+ #: wp-to-twitter-manager.php:394
463
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
464
+ msgstr "<p>Uma ou mais das suas ultimas requisições falhou ao enviar atualização ao Twitter. Seu tweet foi salvo em campos personalizados, e você pode publica-lo</p>"
465
+
466
+ #: wp-to-twitter-manager.php:398
467
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr Help</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
468
+ msgstr "<p>A requisição para a API do encurtador de URL falhou, e o endereço não foi encurtado. A URL completa foi adicionada ao seu Tweet. Verifique com seu serviço de encurtar URL se existe algum problema conhecido. [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr Help</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
469
+
470
+ #: wp-to-twitter-manager.php:405
471
+ msgid "Clear 'WP to Twitter' Error Messages"
472
+ msgstr "Limpar mensagens de erro do 'WP to Twitter' "
473
+
474
+ #: wp-to-twitter-manager.php:418
475
+ msgid "Basic Settings"
476
+ msgstr "Configurações Básicas"
477
+
478
+ #: wp-to-twitter-manager.php:424
479
+ msgid "Tweet Templates"
480
+ msgstr "Templates de Tweet"
481
+
482
+ #: wp-to-twitter-manager.php:427
483
+ msgid "Update when a post is published"
484
+ msgstr "Atualize quando um post é publicado"
485
+
486
+ #: wp-to-twitter-manager.php:427
487
+ msgid "Text for new post updates:"
488
+ msgstr "Texto para uma nova publicação:"
489
+
490
+ #: wp-to-twitter-manager.php:433
491
+ #: wp-to-twitter-manager.php:436
492
+ msgid "Update when a post is edited"
493
+ msgstr "Atualize quando uma publicação é editada"
494
+
495
+ #: wp-to-twitter-manager.php:433
496
+ #: wp-to-twitter-manager.php:436
497
+ msgid "Text for editing updates:"
498
+ msgstr "Texto para uma edição em uma publicação:"
499
+
500
+ #: wp-to-twitter-manager.php:437
501
+ msgid "You can not disable updates on edits when using Postie or similar plugins."
502
+ msgstr "Você não pode desabilitar atualizações ao editar quando utilizar Postie ou plugins similares."
503
+
504
+ #: wp-to-twitter-manager.php:441
505
+ msgid "Update Twitter when new Wordpress Pages are published"
506
+ msgstr "Atualize Twitter quando nova página do Wordpress for publicada"
507
+
508
+ #: wp-to-twitter-manager.php:441
509
+ msgid "Text for new page updates:"
510
+ msgstr "Texto para publicação de nova página:"
511
+
512
+ #: wp-to-twitter-manager.php:445
513
+ msgid "Update Twitter when WordPress Pages are edited"
514
+ msgstr "Atualize o Twitter quando páginas do wordpress forem editadas"
515
+
516
+ #: wp-to-twitter-manager.php:445
517
+ msgid "Text for page edit updates:"
518
+ msgstr "Texto para edição de página:"
519
+
520
+ #: wp-to-twitter-manager.php:449
521
+ msgid "Update Twitter when you post a Blogroll link"
522
+ msgstr "Atualize o Twitter quando postar um link Blogroll"
523
+
524
+ #: wp-to-twitter-manager.php:450
525
+ msgid "Text for new link updates:"
526
+ msgstr "Texto para atualização de novos links:"
527
+
528
+ #: wp-to-twitter-manager.php:450
529
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
530
+ msgstr "Shortcodes disponiveis: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
531
+
532
+ #: wp-to-twitter-manager.php:454
533
+ msgid "Choose your short URL service (account settings below)"
534
+ msgstr "Escolhe seu serviço de encurtar URL (configurações abaixo)"
535
+
536
+ #: wp-to-twitter-manager.php:457
537
+ msgid "Don't shorten URLs."
538
+ msgstr "Não encurte URLs."
539
+
540
+ #: wp-to-twitter-manager.php:458
541
+ msgid "Use Su.pr for my URL shortener."
542
+ msgstr "Utilize Su.pr para meu encurtador de URL"
543
+
544
+ #: wp-to-twitter-manager.php:459
545
+ msgid "Use Bit.ly for my URL shortener."
546
+ msgstr "Utilize Bit.ly para meu encurtador de URL"
547
+
548
+ #: wp-to-twitter-manager.php:460
549
+ msgid "YOURLS (installed on this server)"
550
+ msgstr "YOURLS (instalado neste servidor)"
551
+
552
+ #: wp-to-twitter-manager.php:461
553
+ msgid "YOURLS (installed on a remote server)"
554
+ msgstr "YOURLS (instalado em um servidor remoto)"
555
+
556
+ #: wp-to-twitter-manager.php:462
557
+ msgid "Use WordPress as a URL shortener."
558
+ msgstr "Utilize Wordpress como um encurtador de URL."
559
+
560
+ #: wp-to-twitter-manager.php:464
561
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
562
+ msgstr "Usando WordPress como encurtador de URL enviará para o Twitter o formato padrão de URL do Wordpress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics não está disponivel quando utilizar URLS encurtadas pelo WordPress."
563
+
564
+ #: wp-to-twitter-manager.php:470
565
+ msgid "Save WP->Twitter Options"
566
+ msgstr "Salvar opções do WP->Twitter "
567
+
568
+ #: wp-to-twitter-manager.php:479
569
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
570
+ msgstr "Configurações da Conta do Encurtador de <abbr title=\"Uniform Resource Locator\">URL</abbr>"
571
+
572
+ #: wp-to-twitter-manager.php:483
573
+ msgid "Your Su.pr account details"
574
+ msgstr "Seus detalhes de conta do Su.pr"
575
+
576
+ #: wp-to-twitter-manager.php:488
577
+ msgid "Your Su.pr Username:"
578
+ msgstr "Seu usuário Su.pr:"
579
+
580
+ #: wp-to-twitter-manager.php:492
581
+ msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
582
+ msgstr "Sua <abbr title='application programming interface'>API</abbr> Key para Su.pr"
583
+
584
+ #: wp-to-twitter-manager.php:498
585
+ msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
586
+ msgstr "Não tem conta Su.pr ou API Key? <a href='http://su.pr/'>Get one here</a>!<br /> Você precisará uma API Key para associar as URLs que você criar com sua conta Su.pr."
587
+
588
+ #: wp-to-twitter-manager.php:504
589
+ msgid "Your Bit.ly account details"
590
+ msgstr "Seus detalhes de conta Bit.ly"
591
+
592
+ #: wp-to-twitter-manager.php:509
593
+ msgid "Your Bit.ly username:"
594
+ msgstr "Seu usuário Bit.ly:"
595
+
596
+ #: wp-to-twitter-manager.php:513
597
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
598
+ msgstr "Sua <abbr title='application programming interface'>API</abbr> Key para Bit.ly"
599
+
600
+ #: wp-to-twitter-manager.php:520
601
+ msgid "Save Bit.ly API Key"
602
+ msgstr "Salvar API Key do Bit.ly"
603
+
604
+ #: wp-to-twitter-manager.php:520
605
+ msgid "Clear Bit.ly API Key"
606
+ msgstr "Limpar API Key do Bit.ly"
607
+
608
+ #: wp-to-twitter-manager.php:520
609
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
610
+ msgstr "Uma API Key e usuário do Bit.ly são necessário para encurtar URLs usando Bit.ly e WP to Twitter."
611
+
612
+ #: wp-to-twitter-manager.php:525
613
+ msgid "Your YOURLS account details"
614
+ msgstr "Seus detalhes de conta do YOURLS"
615
+
616
+ #: wp-to-twitter-manager.php:529
617
+ msgid "Path to your YOURLS config file (Local installations)"
618
+ msgstr "Caminho para seu arquivo de configuração do YOURLS (instalação local)"
619
+
620
+ #: wp-to-twitter-manager.php:530
621
+ #: wp-to-twitter-manager.php:534
622
+ msgid "Example:"
623
+ msgstr "Exemplo:"
624
+
625
+ #: wp-to-twitter-manager.php:533
626
+ msgid "URI to the YOURLS API (Remote installations)"
627
+ msgstr "URI para sua API do YOURLS (instalação remota)"
628
+
629
+ #: wp-to-twitter-manager.php:537
630
+ msgid "Your YOURLS username:"
631
+ msgstr "Seu usuário do YOURLS:"
632
+
633
+ #: wp-to-twitter-manager.php:541
634
+ msgid "Your YOURLS password:"
635
+ msgstr "Sua senha do YOURLS:"
636
+
637
+ #: wp-to-twitter-manager.php:541
638
+ msgid "<em>Saved</em>"
639
+ msgstr "<em>Salvo</em>"
640
+
641
+ #: wp-to-twitter-manager.php:545
642
+ msgid "Use Post ID for YOURLS url slug."
643
+ msgstr "Usar ID do Post como chave"
644
+
645
+ #: wp-to-twitter-manager.php:550
646
+ msgid "Save YOURLS Account Info"
647
+ msgstr "Salvar informações da conta do YOURLS"
648
+
649
+ #: wp-to-twitter-manager.php:550
650
+ msgid "Clear YOURLS password"
651
+ msgstr "Limpar senha do YOURLS"
652
+
653
+ #: wp-to-twitter-manager.php:550
654
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
655
+ msgstr "Um usuário e senha do YOURLS são necessário para encurtar URLs usando API remota do YOURLS e WP to Twitter."
656
+
657
+ #: wp-to-twitter-manager.php:562
658
+ msgid "Advanced Settings"
659
+ msgstr "Configurações avançadas"
660
+
661
+ #: wp-to-twitter-manager.php:569
662
+ msgid "Advanced Tweet settings"
663
+ msgstr "Configurações avançadas de Tweet"
664
+
665
+ #: wp-to-twitter-manager.php:571
666
+ msgid "Add tags as hashtags on Tweets"
667
+ msgstr "Adicionar tags como hashtags nos Tweets"
668
+
669
+ #: wp-to-twitter-manager.php:571
670
+ msgid "Strip nonalphanumeric characters"
671
+ msgstr "Remover caracteres não alpha numéricos"
672
+
673
+ #: wp-to-twitter-manager.php:572
674
+ msgid "Spaces replaced with:"
675
+ msgstr "Espaços substituidos com:"
676
+
677
+ #: wp-to-twitter-manager.php:574
678
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
679
+ msgstr "Substituidor padrão é um underscore (<code>_</code). Use <code>[]</code> para remover espaços completamente."
680
+
681
+ #: wp-to-twitter-manager.php:577
682
+ msgid "Maximum number of tags to include:"
683
+ msgstr "Número máximo de tags para incluir:"
684
+
685
+ #: wp-to-twitter-manager.php:578
686
+ msgid "Maximum length in characters for included tags:"
687
+ msgstr "Número máximo de caracteres para tags incluidas:"
688
+
689
+ #: wp-to-twitter-manager.php:579
690
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
691
+ msgstr "Estas opções permite que você restringa o tamanho e número de tags do WordPress enviadas ao Twitter como hashtags. Defina para <code>0</code> ou deixe em branco para permitir qualquer e \"infinitas\" tags."
692
+
693
+ #: wp-to-twitter-manager.php:582
694
+ msgid "Length of post excerpt (in characters):"
695
+ msgstr "Tamanho do pedaço do texto do post (em caracteres):"
696
+
697
+ #: wp-to-twitter-manager.php:582
698
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
699
+ msgstr "Por padrão, extraido do próprio post. Se você usar campo 'Pedaço', este será usado."
700
+
701
+ #: wp-to-twitter-manager.php:585
702
+ msgid "WP to Twitter Date Formatting:"
703
+ msgstr "Formato da Data do WP to Twitter:"
704
+
705
+ #: wp-to-twitter-manager.php:586
706
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
707
+ msgstr "Padrão é da sua configuração geral. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
708
+
709
+ #: wp-to-twitter-manager.php:590
710
+ msgid "Custom text before all Tweets:"
711
+ msgstr "Texto padrão antes de todos os Tweets:"
712
+
713
+ #: wp-to-twitter-manager.php:591
714
+ msgid "Custom text after all Tweets:"
715
+ msgstr "Texto padrão depois de todos os Tweets:"
716
+
717
+ #: wp-to-twitter-manager.php:594
718
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
719
+ msgstr "Campo personalizado para URL alternativa a ser encurtada e Tweetar:"
720
+
721
+ #: wp-to-twitter-manager.php:595
722
+ msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
723
+ msgstr "Você pode usar um campo personalizado para enviar uma URL alternativa para seu post. O valor é o nome do campo personalizado contendo sua URL externa."
724
+
725
+ #: wp-to-twitter-manager.php:599
726
+ msgid "Special Cases when WordPress should send a Tweet"
727
+ msgstr "Casos especiais que o WordPress deve enviar um Tweet"
728
+
729
+ #: wp-to-twitter-manager.php:602
730
+ msgid "Do not post status updates by default"
731
+ msgstr "Por padrão não poste atualizações de status"
732
+
733
+ #: wp-to-twitter-manager.php:603
734
+ msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
735
+ msgstr "Por padrão, todos os posts com os requisitos serão postados ao Twitter. Selecione para mudar suas configurações."
736
+
737
+ #: wp-to-twitter-manager.php:607
738
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
739
+ msgstr "Envie atualizações ao Twitter em publicações remotas (Post por e-mail ou cliente XMLRPC)"
740
+
741
+ #: wp-to-twitter-manager.php:609
742
+ msgid "I'm using a plugin to post by email, such as Postie. Only check this if your updates do not work."
743
+ msgstr "Estou usando um plugin para postar atualizações por e-mail, como o Postie. Somente selecione isso se suas atualizações não funcionarem."
744
+
745
+ #: wp-to-twitter-manager.php:613
746
+ msgid "Update Twitter when a post is published using QuickPress"
747
+ msgstr "Atualize o Twitter quando um post é publicado usando QuickPress"
748
+
749
+ #: wp-to-twitter-manager.php:617
750
+ msgid "Google Analytics Settings"
751
+ msgstr "Configurações do Google Analytics "
752
+
753
+ #: wp-to-twitter-manager.php:618
754
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
755
+ msgstr "Você pode rastrear as respostas do seu Twitter usando Google Analytics definindo identificadores de campanha aqui. Você pode definir um identificador estatico ou dinamico. Identificadores estaticos não mudam de post a post; Identificadores dinamicos são derivados de informações relevante a um post especifico. Identificadores dinamicos permitem que você divida suas estatisticas por uma váriavel adicional."
756
+
757
+ #: wp-to-twitter-manager.php:622
758
+ msgid "Use a Static Identifier with WP-to-Twitter"
759
+ msgstr "Utilize um identificador estatico com WP-to-Twitter"
760
+
761
+ #: wp-to-twitter-manager.php:623
762
+ msgid "Static Campaign identifier for Google Analytics:"
763
+ msgstr "Identificador estatico para campanha com Google Analytics:"
764
+
765
+ #: wp-to-twitter-manager.php:627
766
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
767
+ msgstr "Utilize um identificador dinamico com Google Analytics e WP-to-Twitter"
768
+
769
+ #: wp-to-twitter-manager.php:628
770
+ msgid "What dynamic identifier would you like to use?"
771
+ msgstr "Que identificador dinamico você gostaria de usar?"
772
+
773
+ #: wp-to-twitter-manager.php:630
774
+ msgid "Category"
775
+ msgstr "Categoria"
776
+
777
+ #: wp-to-twitter-manager.php:631
778
+ msgid "Post ID"
779
+ msgstr "ID do Post"
780
+
781
+ #: wp-to-twitter-manager.php:632
782
+ msgid "Post Title"
783
+ msgstr "Titulo do Post"
784
+
785
+ #: wp-to-twitter-manager.php:633
786
+ #: wp-to-twitter-manager.php:647
787
+ msgid "Author"
788
+ msgstr "Autor"
789
+
790
+ #: wp-to-twitter-manager.php:638
791
+ msgid "Individual Authors"
792
+ msgstr "Autores individuais"
793
+
794
+ #: wp-to-twitter-manager.php:641
795
+ msgid "Authors have individual Twitter accounts"
796
+ msgstr "Autores possuem contas individuais no twitter"
797
+
798
+ #: wp-to-twitter-manager.php:641
799
+ msgid "Authors can set their username in their user profile. As of version 2.2.0, this feature no longer allows authors to post to their own Twitter accounts. It can only add an @reference to the author. This @reference is placed using the <code>#account#</code> shortcode. (It will pick up the main account if user accounts are not enabled.)"
800
+ msgstr "Autores podem definir seus usuários nos seus perfils. Na versão 2.2.0, está funcionalidade não permite que autores publiquem para sua própria conta do Twitter. Só pode adicionar uma @referencia ao autor. Está @referencia é colocada utilizando o shortcode <code>#account#</code>. (Selecionara a conta principal se as contas de usuários não estiverem habilitadas.)"
801
+
802
+ #: wp-to-twitter-manager.php:644
803
+ msgid "Choose the lowest user group that can add their Twitter information"
804
+ msgstr "Escolha o menor grupo que pode adicionar suas informações do Twitter"
805
+
806
+ #: wp-to-twitter-manager.php:645
807
+ msgid "Subscriber"
808
+ msgstr "Assinante"
809
+
810
+ #: wp-to-twitter-manager.php:646
811
+ msgid "Contributor"
812
+ msgstr "Contribuidor"
813
+
814
+ #: wp-to-twitter-manager.php:648
815
+ msgid "Editor"
816
+ msgstr "Editor"
817
+
818
+ #: wp-to-twitter-manager.php:649
819
+ msgid "Administrator"
820
+ msgstr "Administrador"
821
+
822
+ #: wp-to-twitter-manager.php:654
823
+ msgid "Disable Error Messages"
824
+ msgstr "Desabilitar mensagens de erro."
825
+
826
+ #: wp-to-twitter-manager.php:657
827
+ msgid "Disable global URL shortener error messages."
828
+ msgstr "Desabilitar mensagens de erros de encurtadores de URL"
829
+
830
+ #: wp-to-twitter-manager.php:661
831
+ msgid "Disable global Twitter API error messages."
832
+ msgstr "Desabilitar mensagens de erro da API do twitter"
833
+
834
+ #: wp-to-twitter-manager.php:665
835
+ msgid "Disable notification to implement OAuth"
836
+ msgstr "Desabilitar notificação para utilizar OAuth"
837
+
838
+ #: wp-to-twitter-manager.php:669
839
+ msgid "Get Debugging Data for OAuth Connection"
840
+ msgstr "Pegar dados para debug para a conexão OAuth"
841
+
842
+ #: wp-to-twitter-manager.php:675
843
+ msgid "Save Advanced WP->Twitter Options"
844
+ msgstr "Salvar opções avançadas do WP->Twitter"
845
+
846
+ #: wp-to-twitter-manager.php:685
847
+ msgid "Limit Updating Categories"
848
+ msgstr "Limite atualizando categorias"
849
+
850
+ #: wp-to-twitter-manager.php:689
851
+ msgid "Select which blog categories will be Tweeted. Uncheck all categories to disable category limits."
852
+ msgstr "Selecione quais categorias serão Tweetadas. Deselecione todas para desabilitar limite de categorias."
853
+
854
+ #: wp-to-twitter-manager.php:692
855
+ msgid "<em>Category limits are disabled.</em>"
856
+ msgstr "<em>Limite de categorias estão desabilitados.</em>"
857
+
858
+ #: wp-to-twitter-manager.php:706
859
+ msgid "Check Support"
860
+ msgstr "Verifique suporte"
861
+
862
+ #: wp-to-twitter-manager.php:706
863
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
864
+ msgstr "Verifique se seu servidor suporta as consultas do <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> ao Twitter e às APIs de encurtamento de URLs. Este teste enviará uma atualização de status ao Twitter e ao encurtador de URLs usando seus métodos selecionados. "
865
+
866
+ #. Plugin URI of the plugin/theme
867
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
868
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
869
+
870
+ #. Description of the plugin/theme
871
+ msgid "Posts a Twitter status update when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
872
+ msgstr "Publique atualização no twitter quando você atualizar seu Wordpress ou publicar ao seu blogroll, utilizando o serviço de encurtar. "
873
+
874
+ #. Author of the plugin/theme
875
+ msgid "Joseph Dolson"
876
+ msgstr "Joseph Dolson"
877
+
878
+ #. Author URI of the plugin/theme
879
+ msgid "http://www.joedolson.com/"
880
+ msgstr "http://www.joedolson.com/"
881
+
wp-to-twitter-ro_RO.mo → lang/wp-to-twitter-ro_RO.mo RENAMED
File without changes
wp-to-twitter-ro_RO.po → lang/wp-to-twitter-ro_RO.po RENAMED
@@ -1,837 +1,837 @@
1
- # Translation of the WordPress plugin WP to Twitter 2.2.4 by Joseph Dolson.
2
- # Copyright (C) 2010 Joseph Dolson
3
- # This file is distributed under the same license as the WP to Twitter package.
4
- # FIRST AUTHOR <EMAIL@ADDRESS>, 2010.
5
- #
6
- msgid ""
7
- msgstr ""
8
- "Project-Id-Version: WP to Twitter 2.2.6\n"
9
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
- "POT-Creation-Date: 2010-12-11 03:14+0000\n"
11
- "PO-Revision-Date: 2011-02-04 15:35+0200\n"
12
- "Last-Translator: \n"
13
- "Language-Team: http://www.jibo.ro <contact@jibo.ro>\n"
14
- "MIME-Version: 1.0\n"
15
- "Content-Type: text/plain; charset=utf-8\n"
16
- "Content-Transfer-Encoding: 8bit\n"
17
- "X-Poedit-Language: Romanian\n"
18
- "X-Poedit-Country: ROMANIA\n"
19
- "X-Poedit-SourceCharset: utf-8\n"
20
-
21
- #: functions.php:211
22
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
23
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Ascunde</a>] Daca intampini probleme, te rog sa copiezi aceste setari in orice cerere pentru suport."
24
-
25
- #: wp-to-twitter-manager.php:74
26
- msgid "WP to Twitter is now connected with Twitter."
27
- msgstr "WP to Twitter este conectat acum la Twitter."
28
-
29
- #: wp-to-twitter-manager.php:82
30
- msgid "OAuth Authentication Failed. Check your credentials and verify that <a href=\"http://www.twitter.com/\">Twitter</a> is running."
31
- msgstr "Autentificarea OAuth a esuat. Verifica cheile si asigura-te ca ai acces la <a href=\"http://www.twitter.com/\">Twitter</a>"
32
-
33
- #: wp-to-twitter-manager.php:89
34
- msgid "OAuth Authentication Data Cleared."
35
- msgstr "Datele de autentificare OAuth au fost sterse."
36
-
37
- #: wp-to-twitter-manager.php:96
38
- msgid "OAuth Authentication response not understood."
39
- msgstr "Raspuns de autentificare de la OAuth necunoscut."
40
-
41
- #: wp-to-twitter-manager.php:105
42
- msgid "WP to Twitter Errors Cleared"
43
- msgstr "Erorile WP to Twitter au fost sterse"
44
-
45
- #: wp-to-twitter-manager.php:112
46
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
47
- msgstr "Imi pare rau! Nu am putut contacta serverele Twitter pentru a publica noul tau articol. Tweet-ul tau a fost stocat intr-un camp personalizat atasat la articol prin urmare poti publica Tweet-ul manual daca doresti!"
48
-
49
- #: wp-to-twitter-manager.php:114
50
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
51
- msgstr "Ne pare rău! Nu am putut lua legătura cu serverele Twitter pentru a publica<strong> noul link </ strong>! Va trebui să-l publicati manual!"
52
-
53
- #: wp-to-twitter-manager.php:149
54
- msgid "WP to Twitter Advanced Options Updated"
55
- msgstr "Optiuni avansate WP to Twitter actualizate"
56
-
57
- #: wp-to-twitter-manager.php:166
58
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
59
- msgstr "Trebuie sa adaugati datele de conectare si cheia API Bit.ly pentru a prescurta URL-uri cu Bit.ly."
60
-
61
- #: wp-to-twitter-manager.php:170
62
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
63
- msgstr "Trebuie sa adaugati URL-ul dvs. YOURLS la distanţă, utilizatorul şi parola pentru a scurta URL-uri cu o instalare de la distanţă de YOURLS."
64
-
65
- #: wp-to-twitter-manager.php:174
66
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
67
- msgstr "Trebuie sa adaugi calea ta YOURLS de pe server, cu scopul de a scurta URL-uri cu o instalare de la distantă de YOURLS."
68
-
69
- #: wp-to-twitter-manager.php:178
70
- msgid "WP to Twitter Options Updated"
71
- msgstr "Optiuni WP to Twitter actualizate"
72
-
73
- #: wp-to-twitter-manager.php:188
74
- msgid "Category limits updated."
75
- msgstr "Limite categorii actualizate."
76
-
77
- #: wp-to-twitter-manager.php:192
78
- msgid "Category limits unset."
79
- msgstr "Limite categori dezactivate"
80
-
81
- #: wp-to-twitter-manager.php:200
82
- msgid "YOURLS password updated. "
83
- msgstr "Parola YOURLS actualizata."
84
-
85
- #: wp-to-twitter-manager.php:203
86
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
87
- msgstr "Parola YOURLS stearsa. Nu vei putea folosi contul YOURLS pentru a creea URL-uri scurte."
88
-
89
- #: wp-to-twitter-manager.php:205
90
- msgid "Failed to save your YOURLS password! "
91
- msgstr "Nu am reusit sa salvez parola YOURLS!"
92
-
93
- #: wp-to-twitter-manager.php:209
94
- msgid "YOURLS username added. "
95
- msgstr "Username-ul YOURLS a fost adaugat."
96
-
97
- #: wp-to-twitter-manager.php:213
98
- msgid "YOURLS API url added. "
99
- msgstr "URL-ul API pentru YOURLS adaugat."
100
-
101
- #: wp-to-twitter-manager.php:216
102
- msgid "YOURLS API url removed. "
103
- msgstr "URL-ul API pentru YOURLS sters."
104
-
105
- #: wp-to-twitter-manager.php:221
106
- msgid "YOURLS local server path added. "
107
- msgstr "Calea locala YOURLS de pe server a fost adaugata"
108
-
109
- #: wp-to-twitter-manager.php:223
110
- msgid "The path to your YOURLS installation is not correct. "
111
- msgstr "Calea catre instalarea YOURLS nu este corecta."
112
-
113
- #: wp-to-twitter-manager.php:227
114
- msgid "YOURLS local server path removed. "
115
- msgstr "Calea locala YOURLS de pe server a fost stearsa."
116
-
117
- #: wp-to-twitter-manager.php:231
118
- msgid "YOURLS will use Post ID for short URL slug."
119
- msgstr "YOURLS va folosi ID-ul articolului pentru slug-ul URL-ului scurt"
120
-
121
- #: wp-to-twitter-manager.php:234
122
- msgid "YOURLS will not use Post ID for the short URL slug."
123
- msgstr "YOURLS nu va folosi ID-ul articolului pentru slug-urile URL-urilor scurte."
124
-
125
- #: wp-to-twitter-manager.php:241
126
- msgid "Cligs API Key Updated"
127
- msgstr "Cheia API Cligs actualizata"
128
-
129
- #: wp-to-twitter-manager.php:244
130
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
131
- msgstr "Cheia API Cli.gs stearsa. Cli.gs creata de WP to Twitter nu va mai fi asociată cu contul dvs.."
132
-
133
- #: wp-to-twitter-manager.php:246
134
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
135
- msgstr "Cheia API Cli.gs nu a fost adaugata - <a href='http://cli.gs/user/api/'>obtine una de aici</a>! "
136
-
137
- #: wp-to-twitter-manager.php:252
138
- msgid "Bit.ly API Key Updated."
139
- msgstr "Cheia API Bit.ly actualizata."
140
-
141
- #: wp-to-twitter-manager.php:255
142
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
143
- msgstr "Cheia API Bit.ly a fost stearsa. Nu poti folosi API-ul Bit.ly fara o cheie API."
144
-
145
- #: wp-to-twitter-manager.php:257
146
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
147
- msgstr "Cheia API Bit.ly nu a fost adaugata - <a href='http://bit.ly/account/'>obtine una de aici</a>! O cheie API este necesara pentru a folosi serviciul de prescurtare URL Bit.ly."
148
-
149
- #: wp-to-twitter-manager.php:261
150
- msgid " Bit.ly User Login Updated."
151
- msgstr "Autentificare utilizator Bit.ly actualizata."
152
-
153
- #: wp-to-twitter-manager.php:264
154
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
155
- msgstr "Datele de autentificare la Bit.ly au fost sterse. Nu poti folosi API-ul Bit.ly fara sa furnizezi un username."
156
-
157
- #: wp-to-twitter-manager.php:266
158
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
159
- msgstr "Datele de autentificare Bit.ly nu au fost adaugate - <a href='http://bit.ly/account/'>obtine-le de aici</a>! "
160
-
161
- #: wp-to-twitter-manager.php:295
162
- msgid "No error information is available for your shortener."
163
- msgstr "Nu exista informatii despre erori pentru prescurtarea URL-urilor."
164
-
165
- #: wp-to-twitter-manager.php:297
166
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
167
- msgstr "<li class=\"error\"><strong>WP to Twitter nu a putut contacta serviciul de prescurtare URL-uri.</strong></li>"
168
-
169
- #: wp-to-twitter-manager.php:300
170
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
171
- msgstr "<strong> WP to Twitter a contactat cu succes serviciul de prescurtare URL-uri </ strong> link-ul urmator ar trebui sa trimita la pagina dvs. de blog:"
172
-
173
- #: wp-to-twitter-manager.php:309
174
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
175
- msgstr "<strong> WP to Twitter a prezentat cu succes o actualizare a statutului Twitter. </ strong> </ li>"
176
-
177
- #: wp-to-twitter-manager.php:311
178
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
179
- msgstr "<li class=\"error\"> <strong> WP to Twitter nu a reusit sa trimita o actualizare la Twitter. </ strong> </ li>"
180
-
181
- #: wp-to-twitter-manager.php:314
182
- msgid "You have not connected WordPress to Twitter."
183
- msgstr "Nu ai conectat WordPress la Twitter."
184
-
185
- #: wp-to-twitter-manager.php:318
186
- msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
187
- msgstr "<li class=\"error\"> <strong> Serverul tau nu pare să sprijine metodele necesare functionarii WP to Twitter </ strong> Puteti incerca oricum -. aceste teste nu sunt perfecte </ li. >"
188
-
189
- #: wp-to-twitter-manager.php:322
190
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
191
- msgstr "<strong> Serverul ar trebui să ruleze WP to Twitter cu succes. </ strong> </ li>"
192
-
193
- #: wp-to-twitter-manager.php:339
194
- msgid "WP to Twitter Options"
195
- msgstr "Optiuni WP to Twitter"
196
-
197
- #: wp-to-twitter-manager.php:349
198
- #: wp-to-twitter.php:819
199
- msgid "Get Support"
200
- msgstr "Solicita suport"
201
-
202
- #: wp-to-twitter-manager.php:350
203
- msgid "Export Settings"
204
- msgstr "Exporta setarile"
205
-
206
- #: wp-to-twitter-manager.php:351
207
- #: wp-to-twitter.php:819
208
- msgid "Make a Donation"
209
- msgstr "Fa o donatie"
210
-
211
- #: wp-to-twitter-manager.php:366
212
- msgid "Shortcodes available in post update templates:"
213
- msgstr "Scurtaturi disponibile in sabloanele de actualizari articole:"
214
-
215
- #: wp-to-twitter-manager.php:368
216
- msgid "<code>#title#</code>: the title of your blog post"
217
- msgstr "<code>#title#</code>: titlul articolului"
218
-
219
- #: wp-to-twitter-manager.php:369
220
- msgid "<code>#blog#</code>: the title of your blog"
221
- msgstr "<code>#blog#</code>: titlul site-ului"
222
-
223
- #: wp-to-twitter-manager.php:370
224
- msgid "<code>#post#</code>: a short excerpt of the post content"
225
- msgstr "<code> #post# </code>: un fragment scurt a continutului articolului"
226
-
227
- #: wp-to-twitter-manager.php:371
228
- msgid "<code>#category#</code>: the first selected category for the post"
229
- msgstr "<code>#category#</code>: prima categorie selectata pentru articol"
230
-
231
- #: wp-to-twitter-manager.php:372
232
- msgid "<code>#date#</code>: the post date"
233
- msgstr "<code>#date#</code>: data articolului"
234
-
235
- #: wp-to-twitter-manager.php:373
236
- msgid "<code>#url#</code>: the post URL"
237
- msgstr "<code>#url#</code>: URL-ul articolului"
238
-
239
- #: wp-to-twitter-manager.php:374
240
- msgid "<code>#author#</code>: the post author"
241
- msgstr "<code>#author#</code>: autorul articolului"
242
-
243
- #: wp-to-twitter-manager.php:375
244
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
245
- msgstr "<code>#account#</code>: @referinta twitter pentru cont (sau autor, daca setarile de autor sunt activate si setate.)"
246
-
247
- #: wp-to-twitter-manager.php:377
248
- msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
249
- msgstr "Puteti crea de asemenea scurtaturi personalizate pentru a accesa campuri personalizate WordPress. Utilizati paranteze drepte duble in jurul numelui campului dumneavoastra particularizat pentru a adauga valoarea campului particularizat la actualizarea starii. Exemplu: <code>[[custom_field]]</code></p>"
250
-
251
- #: wp-to-twitter-manager.php:382
252
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
253
- msgstr "<p> Unul sau mai multe dintre mesajele dumneavoastra nu a reusit sa actualizeze statutul Twitter. Tweet-ul dvs. a fost salvat inntr-un camp personalizat al articolului pentru a-l putea retrimite. </ p>"
254
-
255
- #: wp-to-twitter-manager.php:386
256
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
257
- msgstr "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
258
-
259
- #: wp-to-twitter-manager.php:393
260
- msgid "Clear 'WP to Twitter' Error Messages"
261
- msgstr "Sterge mesajele de eroare WP to Twitter"
262
-
263
- #: wp-to-twitter-manager.php:409
264
- msgid "Basic Settings"
265
- msgstr "Setari de baza"
266
-
267
- #: wp-to-twitter-manager.php:415
268
- msgid "Tweet Templates"
269
- msgstr "Sabloane Twitter"
270
-
271
- #: wp-to-twitter-manager.php:418
272
- msgid "Update when a post is published"
273
- msgstr "Actualizeaza atunci cand este publicat un articol nou"
274
-
275
- #: wp-to-twitter-manager.php:418
276
- msgid "Text for new post updates:"
277
- msgstr "Textul pentru actualizarea noilor articole:"
278
-
279
- #: wp-to-twitter-manager.php:424
280
- #: wp-to-twitter-manager.php:427
281
- msgid "Update when a post is edited"
282
- msgstr "Actualizeaza atunci cand un articol a fost editat"
283
-
284
- #: wp-to-twitter-manager.php:424
285
- #: wp-to-twitter-manager.php:427
286
- msgid "Text for editing updates:"
287
- msgstr "Text pentru actualziarea editarilor:"
288
-
289
- #: wp-to-twitter-manager.php:428
290
- msgid "You can not disable updates on edits when using Postie or similar plugins."
291
- msgstr "Nu puteti dezactiva actualizarile dupa editare daca folosesti plugin-uri gen Postie."
292
-
293
- #: wp-to-twitter-manager.php:432
294
- msgid "Update Twitter when new Wordpress Pages are published"
295
- msgstr "Actualizeaza Twitter atunci cand sunt publicate pagini noi WordPress"
296
-
297
- #: wp-to-twitter-manager.php:432
298
- msgid "Text for new page updates:"
299
- msgstr "Textul pentru actualizarea noilor pagini:"
300
-
301
- #: wp-to-twitter-manager.php:436
302
- msgid "Update Twitter when WordPress Pages are edited"
303
- msgstr "Actualizeaza Twitter atunci cand sunt editate paginile WordPress"
304
-
305
- #: wp-to-twitter-manager.php:436
306
- msgid "Text for page edit updates:"
307
- msgstr "Text pentru actualizarea paginilor editate:"
308
-
309
- #: wp-to-twitter-manager.php:440
310
- msgid "Update Twitter when you post a Blogroll link"
311
- msgstr "Actualizeaza Twitter cand postezi un nou link pe BlogRoll"
312
-
313
- #: wp-to-twitter-manager.php:441
314
- msgid "Text for new link updates:"
315
- msgstr "Textul pentru actualizarea link-urilor noi:"
316
-
317
- #: wp-to-twitter-manager.php:441
318
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
319
- msgstr "Scurtaturi disponibile: <code>#url#</code>, <code>#title#</code>, si <code>#description#</code>."
320
-
321
- #: wp-to-twitter-manager.php:445
322
- msgid "Choose your short URL service (account settings below)"
323
- msgstr "Alege serviciul de prescurtare URL (setarile contului, mai jos)"
324
-
325
- #: wp-to-twitter-manager.php:448
326
- msgid "Use Cli.gs for my URL shortener."
327
- msgstr "Foloseste Cli.gs pentru scurtarea URL-urilor"
328
-
329
- #: wp-to-twitter-manager.php:449
330
- msgid "Use Bit.ly for my URL shortener."
331
- msgstr "Use Bit.ly pentru prescurtarea URL-ului"
332
-
333
- #: wp-to-twitter-manager.php:450
334
- msgid "YOURLS (installed on this server)"
335
- msgstr "YOURLS (instalat pe acest server)"
336
-
337
- #: wp-to-twitter-manager.php:451
338
- msgid "YOURLS (installed on a remote server)"
339
- msgstr "YOURLS (instalat pe un server remote)"
340
-
341
- #: wp-to-twitter-manager.php:452
342
- msgid "Use WordPress as a URL shortener."
343
- msgstr "Foloseste WordPress pentru a prescurta URL-urile."
344
-
345
- #: wp-to-twitter-manager.php:453
346
- msgid "Don't shorten URLs."
347
- msgstr "Nu prescurta URL-urile."
348
-
349
- #: wp-to-twitter-manager.php:455
350
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
351
- msgstr "Folosind wordpress pentru prescurtarea URL-urilor va trimite URL-urile catre Twitter in formatul implicit pentru Wordpress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics nu este disponibil atunci cand folosesti prescurtarile WordPress."
352
-
353
- #: wp-to-twitter-manager.php:461
354
- msgid "Save WP->Twitter Options"
355
- msgstr "Salveaza WP->Optiuni Twitter"
356
-
357
- #: wp-to-twitter-manager.php:473
358
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
359
- msgstr "<abbr title=\"Uniform Resource Locator\">URL</abbr> Setari cont prescurtari"
360
-
361
- #: wp-to-twitter-manager.php:477
362
- msgid "Your Cli.gs account details"
363
- msgstr "Detaliile contului tau Cli.gs"
364
-
365
- #: wp-to-twitter-manager.php:482
366
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
367
- msgstr "Cheia Cli.gs <abbr title='application programming interface'>API</abbr> :"
368
-
369
- #: wp-to-twitter-manager.php:488
370
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
371
- msgstr "Nu ai un cont Cli.gs sau cheie API Cligs? <a href='http://cli.gs/user/api/'>Obtine una gratuit de aici</a>!<br />Vei avea nevoie de o cheie API."
372
-
373
- #: wp-to-twitter-manager.php:494
374
- msgid "Your Bit.ly account details"
375
- msgstr "Detaliile contului tau Bit.ly"
376
-
377
- #: wp-to-twitter-manager.php:499
378
- msgid "Your Bit.ly username:"
379
- msgstr "Username-ul Bit.ty:"
380
-
381
- #: wp-to-twitter-manager.php:503
382
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
383
- msgstr "Cheia Bit.ly <abbr title='application programming interface'>API</abbr> :"
384
-
385
- #: wp-to-twitter-manager.php:510
386
- msgid "Save Bit.ly API Key"
387
- msgstr "Salveaza cheia API Bit.ly"
388
-
389
- #: wp-to-twitter-manager.php:510
390
- msgid "Clear Bit.ly API Key"
391
- msgstr "Sterge cheia API Bit.ly"
392
-
393
- #: wp-to-twitter-manager.php:510
394
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
395
- msgstr "O cheie API Bit.ly si un nume de utilizator sunt necesare pentru a scurta URL-uri prin intermediul API Bit.ly si WP to Twitter."
396
-
397
- #: wp-to-twitter-manager.php:515
398
- msgid "Your YOURLS account details"
399
- msgstr "Detaliile contului tau YOURLS"
400
-
401
- #: wp-to-twitter-manager.php:519
402
- msgid "Path to the YOURLS config file (Local installations)"
403
- msgstr "Calea catre fisierul de configurare YOURLS (Instalare locala)"
404
-
405
- #: wp-to-twitter-manager.php:520
406
- #: wp-to-twitter-manager.php:524
407
- msgid "Example:"
408
- msgstr "Exemplu:"
409
-
410
- #: wp-to-twitter-manager.php:523
411
- msgid "URI to the YOURLS API (Remote installations)"
412
- msgstr "URI catre API-ul YOURLS (Instalari la distanta)"
413
-
414
- #: wp-to-twitter-manager.php:527
415
- msgid "Your YOURLS username:"
416
- msgstr "Username-ul tau YOURLS:"
417
-
418
- #: wp-to-twitter-manager.php:531
419
- msgid "Your YOURLS password:"
420
- msgstr "Parola ta YOURLS:"
421
-
422
- #: wp-to-twitter-manager.php:531
423
- msgid "<em>Saved</em>"
424
- msgstr "<em>Salvate</em>"
425
-
426
- #: wp-to-twitter-manager.php:535
427
- msgid "Use Post ID for YOURLS url slug."
428
- msgstr "Foloseste ID articol pentru slug-ul URL al YOURLS"
429
-
430
- #: wp-to-twitter-manager.php:540
431
- msgid "Save YOURLS Account Info"
432
- msgstr "Salveaza informatiile despre contul YOURLS"
433
-
434
- #: wp-to-twitter-manager.php:540
435
- msgid "Clear YOURLS password"
436
- msgstr "Sterge parola YOURLS"
437
-
438
- #: wp-to-twitter-manager.php:540
439
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
440
- msgstr "Un nume de utilizator si o parola YOURLS sunt necesare pentru a scurta URL-uri de la distanta prin intermediul YOURLS API si WP to Twitter."
441
-
442
- #: wp-to-twitter-manager.php:557
443
- msgid "Advanced Settings"
444
- msgstr "Setari Avansate"
445
-
446
- #: wp-to-twitter-manager.php:564
447
- msgid "Advanced Tweet settings"
448
- msgstr "Setari avansate Twitter"
449
-
450
- #: wp-to-twitter-manager.php:567
451
- msgid "Add tags as hashtags on Tweets"
452
- msgstr "Adauga etichete la Tweet-uri"
453
-
454
- #: wp-to-twitter-manager.php:568
455
- msgid "Spaces replaced with:"
456
- msgstr "Spatiile inlocuite cu:"
457
-
458
- #: wp-to-twitter-manager.php:569
459
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
460
- msgstr "Inlocuirea implicita este underscore (<code>_</code>). Foloseste <code>[ ]</code> pentru a inlatura spatiile in intregime."
461
-
462
- #: wp-to-twitter-manager.php:572
463
- msgid "Maximum number of tags to include:"
464
- msgstr "Numarul maxim de etichete pentru a fi incluse:"
465
-
466
- #: wp-to-twitter-manager.php:573
467
- msgid "Maximum length in characters for included tags:"
468
- msgstr "Numarul maxim de caractere pentru etichetele incluse:"
469
-
470
- #: wp-to-twitter-manager.php:574
471
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
472
- msgstr "Aceste optiuni va permit sa limitati durata si numarul de etichete WordPress trimise la Twitter ca hashtags. Setati la <code> 0 </ code> sau lasati necompletat pentru a permite orice sau toate etichetele."
473
-
474
- #: wp-to-twitter-manager.php:577
475
- msgid "Length of post excerpt (in characters):"
476
- msgstr "Marime rezumat articol (in caractere):"
477
-
478
- #: wp-to-twitter-manager.php:577
479
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
480
- msgstr "In mod implicit, extrase din articole. Daca utilizati campul \"Extras\", care va fi folosit in schimb."
481
-
482
- #: wp-to-twitter-manager.php:580
483
- msgid "WP to Twitter Date Formatting:"
484
- msgstr "Formatare data WP to