WP to Twitter - Version 2.9.8

Version Description

  • Feature: Upload images from remote servers (WP Tweets PRO)
  • Updated User's Guide.
Download this release

Release Info

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

Code changes from version 2.9.0 to 2.9.8

WP_OAuth.php CHANGED
@@ -1,879 +1,914 @@
1
  <?php
2
  // vim: foldmethod=marker
3
- if ( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly
4
-
5
- if (!class_exists('WPOAuthException')) {
6
-
7
- /* Generic exception class
8
- */
9
- class WPOAuthException extends Exception {
10
- // pass
11
- }
12
-
13
- class WPOAuthConsumer {
14
- public $key;
15
- public $secret;
16
-
17
- function __construct($key, $secret, $callback_url=NULL) {
18
- $this->key = $key;
19
- $this->secret = $secret;
20
- $this->callback_url = $callback_url;
21
- }
22
-
23
- function __toString() {
24
- return "OAuthConsumer[key=$this->key,secret=$this->secret]";
25
- }
26
- }
27
-
28
- class WPOAuthToken {
29
- // access tokens and request tokens
30
- public $key;
31
- public $secret;
32
-
33
- /**
34
- * key = the token
35
- * secret = the token secret
36
- */
37
- function __construct($key, $secret) {
38
- $this->key = $key;
39
- $this->secret = $secret;
40
- }
41
-
42
- /**
43
- * generates the basic string serialization of a token that a server
44
- * would respond to request_token and access_token calls with
45
- */
46
- function to_string() {
47
- return "oauth_token=" .
48
- WPOAuthUtil::urlencode_rfc3986($this->key) .
49
- "&oauth_token_secret=" .
50
- WPOAuthUtil::urlencode_rfc3986($this->secret);
51
- }
52
-
53
- function __toString() {
54
- return $this->to_string();
55
- }
56
- }
57
-
58
- /**
59
- * A class for implementing a Signature Method
60
- * See section 9 ("Signing Requests") in the spec
61
- */
62
- abstract class WPOAuthSignatureMethod {
63
- /**
64
- * Needs to return the name of the Signature Method (ie HMAC-SHA1)
65
- * @return string
66
- */
67
- abstract public function get_name();
68
-
69
- /**
70
- * Build up the signature
71
- * NOTE: The output of this function MUST NOT be urlencoded.
72
- * the encoding is handled in OAuthRequest when the final
73
- * request is serialized
74
- * @param OAuthRequest $request
75
- * @param OAuthConsumer $consumer
76
- * @param OAuthToken $token
77
- * @return string
78
- */
79
- abstract public function build_signature($request, $consumer, $token);
80
-
81
- /**
82
- * Verifies that a given signature is correct
83
- * @param OAuthRequest $request
84
- * @param OAuthConsumer $consumer
85
- * @param OAuthToken $token
86
- * @param string $signature
87
- * @return bool
88
- */
89
- public function check_signature($request, $consumer, $token, $signature) {
90
- $built = $this->build_signature($request, $consumer, $token);
91
- return $built == $signature;
92
- }
93
- }
94
-
95
- /**
96
- * The HMAC-SHA1 signature method uses the HMAC-SHA1 signature algorithm as defined in [RFC2104]
97
- * where the Signature Base String is the text and the key is the concatenated values (each first
98
- * encoded per Parameter Encoding) of the Consumer Secret and Token Secret, separated by an '&'
99
- * character (ASCII code 38) even if empty.
100
- * - Chapter 9.2 ("HMAC-SHA1")
101
- */
102
- class WPOAuthSignatureMethod_HMAC_SHA1 extends WPOAuthSignatureMethod {
103
- function get_name() {
104
- return "HMAC-SHA1";
105
- }
106
-
107
- public function build_signature($request, $consumer, $token) {
108
- $base_string = $request->get_signature_base_string();
109
- $request->base_string = $base_string;
110
-
111
- $key_parts = array(
112
- $consumer->secret,
113
- ($token) ? $token->secret : ""
114
- );
115
-
116
- $key_parts = WPOAuthUtil::urlencode_rfc3986($key_parts);
117
- $key = implode('&', $key_parts);
118
-
119
- return base64_encode(hash_hmac('sha1', $base_string, $key, true));
120
- }
121
- }
122
-
123
- /**
124
- * The PLAINTEXT method does not provide any security protection and SHOULD only be used
125
- * over a secure channel such as HTTPS. It does not use the Signature Base String.
126
- * - Chapter 9.4 ("PLAINTEXT")
127
- */
128
- class WPOAuthSignatureMethod_PLAINTEXT extends WPOAuthSignatureMethod {
129
- public function get_name() {
130
- return "PLAINTEXT";
131
- }
132
-
133
- /**
134
- * oauth_signature is set to the concatenated encoded values of the Consumer Secret and
135
- * Token Secret, separated by a '&' character (ASCII code 38), even if either secret is
136
- * empty. The result MUST be encoded again.
137
- * - Chapter 9.4.1 ("Generating Signatures")
138
- *
139
- * Please note that the second encoding MUST NOT happen in the SignatureMethod, as
140
- * OAuthRequest handles this!
141
- */
142
- public function build_signature($request, $consumer, $token) {
143
- $key_parts = array(
144
- $consumer->secret,
145
- ($token) ? $token->secret : ""
146
- );
147
-
148
- $key_parts = WPOAuthUtil::urlencode_rfc3986($key_parts);
149
- $key = implode('&', $key_parts);
150
- $request->base_string = $key;
151
-
152
- return $key;
153
- }
154
- }
155
-
156
- /**
157
- * The RSA-SHA1 signature method uses the RSASSA-PKCS1-v1_5 signature algorithm as defined in
158
- * [RFC3447] section 8.2 (more simply known as PKCS#1), using SHA-1 as the hash function for
159
- * EMSA-PKCS1-v1_5. It is assumed that the Consumer has provided its RSA public key in a
160
- * verified way to the Service Provider, in a manner which is beyond the scope of this
161
- * specification.
162
- * - Chapter 9.3 ("RSA-SHA1")
163
- */
164
- abstract class WPOAuthSignatureMethod_RSA_SHA1 extends WPOAuthSignatureMethod {
165
- public function get_name() {
166
- return "RSA-SHA1";
167
- }
168
-
169
- // Up to the SP to implement this lookup of keys. Possible ideas are:
170
- // (1) do a lookup in a table of trusted certs keyed off of consumer
171
- // (2) fetch via http using a url provided by the requester
172
- // (3) some sort of specific discovery code based on request
173
- //
174
- // Either way should return a string representation of the certificate
175
- protected abstract function fetch_public_cert(&$request);
176
-
177
- // Up to the SP to implement this lookup of keys. Possible ideas are:
178
- // (1) do a lookup in a table of trusted certs keyed off of consumer
179
- //
180
- // Either way should return a string representation of the certificate
181
- protected abstract function fetch_private_cert(&$request);
182
-
183
- public function build_signature($request, $consumer, $token) {
184
- $base_string = $request->get_signature_base_string();
185
- $request->base_string = $base_string;
186
-
187
- // Fetch the private key cert based on the request
188
- $cert = $this->fetch_private_cert($request);
189
-
190
- // Pull the private key ID from the certificate
191
- $privatekeyid = openssl_get_privatekey($cert);
192
-
193
- // Sign using the key
194
- $ok = openssl_sign($base_string, $signature, $privatekeyid);
195
-
196
- // Release the key resource
197
- openssl_free_key($privatekeyid);
198
-
199
- return base64_encode($signature);
200
- }
201
-
202
- public function check_signature($request, $consumer, $token, $signature) {
203
- $decoded_sig = base64_decode($signature);
204
-
205
- $base_string = $request->get_signature_base_string();
206
-
207
- // Fetch the public key cert based on the request
208
- $cert = $this->fetch_public_cert($request);
209
-
210
- // Pull the public key ID from the certificate
211
- $publickeyid = openssl_get_publickey($cert);
212
-
213
- // Check the computed signature against the one passed in the query
214
- $ok = openssl_verify($base_string, $decoded_sig, $publickeyid);
215
-
216
- // Release the key resource
217
- openssl_free_key($publickeyid);
218
-
219
- return $ok == 1;
220
- }
221
- }
222
-
223
- class WPOAuthRequest {
224
- private $parameters;
225
- private $http_method;
226
- private $http_url;
227
- // for debug purposes
228
- public $base_string;
229
- public static $version = '1.0';
230
- public static $POST_INPUT = 'php://input';
231
-
232
- function __construct($http_method, $http_url, $parameters=NULL) {
233
- @$parameters or $parameters = array();
234
- $parameters = array_merge( WPOAuthUtil::parse_parameters(parse_url($http_url, PHP_URL_QUERY)), $parameters);
235
- $this->parameters = $parameters;
236
- $this->http_method = $http_method;
237
- $this->http_url = $http_url;
238
- }
239
-
240
-
241
- /**
242
- * attempt to build up a request from what was passed to the server
243
- */
244
- public static function from_request($http_method=NULL, $http_url=NULL, $parameters=NULL) {
245
- $scheme = (!isset($_SERVER['HTTPS']) || $_SERVER['HTTPS'] != "on")
246
- ? 'http'
247
- : 'https';
248
- @$http_url or $http_url = $scheme .
249
- '://' . $_SERVER['HTTP_HOST'] .
250
- ':' .
251
- $_SERVER['SERVER_PORT'] .
252
- $_SERVER['REQUEST_URI'];
253
- @$http_method or $http_method = $_SERVER['REQUEST_METHOD'];
254
-
255
- // We weren't handed any parameters, so let's find the ones relevant to
256
- // this request.
257
- // If you run XML-RPC or similar you should use this to provide your own
258
- // parsed parameter-list
259
- if (!$parameters) {
260
- // Find request headers
261
- $request_headers = WPOAuthUtil::get_headers();
262
-
263
- // Parse the query-string to find GET parameters
264
- $parameters = WPOAuthUtil::parse_parameters($_SERVER['QUERY_STRING']);
265
-
266
- // It's a POST request of the proper content-type, so parse POST
267
- // parameters and add those overriding any duplicates from GET
268
- if ($http_method == "POST"
269
- && @strstr($request_headers["Content-Type"],
270
- "application/x-www-form-urlencoded")
271
- ) {
272
- $post_data = WPOAuthUtil::parse_parameters(
273
- file_get_contents(self::$POST_INPUT)
274
- );
275
- $parameters = array_merge($parameters, $post_data);
276
- }
277
-
278
- // We have a Authorization-header with OAuth data. Parse the header
279
- // and add those overriding any duplicates from GET or POST
280
- if (@substr($request_headers['Authorization'], 0, 6) == "OAuth ") {
281
- $header_parameters = WPOAuthUtil::split_header(
282
- $request_headers['Authorization']
283
- );
284
- $parameters = array_merge($parameters, $header_parameters);
285
- }
286
-
287
- }
288
-
289
- return new WPOAuthRequest($http_method, $http_url, $parameters);
290
- }
291
-
292
- /**
293
- * pretty much a helper function to set up the request
294
- */
295
- public static function from_consumer_and_token($consumer, $token, $http_method, $http_url, $parameters=NULL) {
296
- @$parameters or $parameters = array();
297
- $defaults = array("oauth_version" => WPOAuthRequest::$version,
298
- "oauth_nonce" => WPOAuthRequest::generate_nonce(),
299
- "oauth_timestamp" => WPOAuthRequest::generate_timestamp(),
300
- "oauth_consumer_key" => $consumer->key);
301
- if ($token)
302
- $defaults['oauth_token'] = $token->key;
303
-
304
- $parameters = array_merge($defaults, $parameters);
305
-
306
- return new WPOAuthRequest($http_method, $http_url, $parameters);
307
- }
308
-
309
- public function set_parameter($name, $value, $allow_duplicates = true) {
310
- if ($allow_duplicates && isset($this->parameters[$name])) {
311
- // We have already added parameter(s) with this name, so add to the list
312
- if (is_scalar($this->parameters[$name])) {
313
- // This is the first duplicate, so transform scalar (string)
314
- // into an array so we can add the duplicates
315
- $this->parameters[$name] = array($this->parameters[$name]);
316
- }
317
-
318
- $this->parameters[$name][] = $value;
319
- } else {
320
- $this->parameters[$name] = $value;
321
- }
322
- }
323
-
324
- public function get_parameter($name) {
325
- return isset($this->parameters[$name]) ? $this->parameters[$name] : null;
326
- }
327
-
328
- public function get_parameters() {
329
- return $this->parameters;
330
- }
331
-
332
- public function unset_parameter($name) {
333
- unset($this->parameters[$name]);
334
- }
335
-
336
- /**
337
- * The request parameters, sorted and concatenated into a normalized string.
338
- * @return string
339
- */
340
- public function get_signable_parameters() {
341
- // Grab all parameters
342
- $params = $this->parameters;
343
-
344
- // Remove oauth_signature if present
345
- // Ref: Spec: 9.1.1 ("The oauth_signature parameter MUST be excluded.")
346
- if (isset($params['oauth_signature'])) {
347
- unset($params['oauth_signature']);
348
- }
349
-
350
- return WPOAuthUtil::build_http_query($params);
351
- }
352
-
353
- /**
354
- * Returns the base string of this request
355
- *
356
- * The base string defined as the method, the url
357
- * and the parameters (normalized), each urlencoded
358
- * and the concated with &.
359
- */
360
- public function get_signature_base_string() {
361
- $parts = array(
362
- $this->get_normalized_http_method(),
363
- $this->get_normalized_http_url(),
364
- $this->get_signable_parameters()
365
- );
366
-
367
- $parts = WPOAuthUtil::urlencode_rfc3986($parts);
368
-
369
- return implode('&', $parts);
370
- }
371
-
372
- /**
373
- * just uppercases the http method
374
- */
375
- public function get_normalized_http_method() {
376
- return strtoupper($this->http_method);
377
- }
378
-
379
- /**
380
- * parses the url and rebuilds it to be
381
- * scheme://host/path
382
- */
383
- public function get_normalized_http_url() {
384
- $parts = parse_url($this->http_url);
385
-
386
- $port = isset($parts['port']) ? $parts['port'] : false;
387
- $scheme = @$parts['scheme'];
388
- $host = @$parts['host'];
389
- $path = @$parts['path'];
390
-
391
- $port or $port = ($scheme == 'https') ? '443' : '80';
392
-
393
- if (($scheme == 'https' && $port != '443')
394
- || ($scheme == 'http' && $port != '80')) {
395
- $host = "$host:$port";
396
- }
397
- return "$scheme://$host$path";
398
- }
399
-
400
- /**
401
- * builds a url usable for a GET request
402
- */
403
- public function to_url() {
404
- $post_data = $this->to_postdata();
405
- $out = $this->get_normalized_http_url();
406
- if ($post_data) {
407
- $out .= '?'.$post_data;
408
- }
409
- return $out;
410
- }
411
-
412
- /**
413
- * builds the data one would send in a POST request
414
- */
415
- public function to_postdata() {
416
- return WPOAuthUtil::build_http_query($this->parameters);
417
- }
418
-
419
- /**
420
- * builds the Authorization: header
421
- */
422
- public function to_header($realm=null) {
423
- $first = true;
424
- if($realm) {
425
- $out = 'Authorization: OAuth realm="' . WPOAuthUtil::urlencode_rfc3986($realm) . '"';
426
- $first = false;
427
- } else
428
- $out = 'Authorization: OAuth';
429
-
430
- $total = array();
431
- foreach ($this->parameters as $k => $v) {
432
- if (substr($k, 0, 5) != "oauth") continue;
433
- if (is_array($v)) {
434
- throw new WPOAuthException('Arrays not supported in headers');
435
- }
436
- $out .= ($first) ? ' ' : ',';
437
- $out .= WPOAuthUtil::urlencode_rfc3986($k) .
438
- '="' .
439
- WPOAuthUtil::urlencode_rfc3986($v) .
440
- '"';
441
- $first = false;
442
- }
443
- return $out;
444
- }
445
-
446
- public function __toString() {
447
- return $this->to_url();
448
- }
449
-
450
-
451
- public function sign_request($signature_method, $consumer, $token) {
452
- $this->set_parameter(
453
- "oauth_signature_method",
454
- $signature_method->get_name(),
455
- false
456
- );
457
- $signature = $this->build_signature($signature_method, $consumer, $token);
458
- $this->set_parameter("oauth_signature", $signature, false);
459
- }
460
-
461
- public function build_signature($signature_method, $consumer, $token) {
462
- $signature = $signature_method->build_signature($this, $consumer, $token);
463
- return $signature;
464
- }
465
-
466
- /**
467
- * util function: current timestamp
468
- */
469
- private static function generate_timestamp() {
470
- // make sure that timestamp is in UTC
471
- date_default_timezone_set('UTC');
472
- return time();
473
- }
474
-
475
- /**
476
- * util function: current nonce
477
- */
478
- private static function generate_nonce() {
479
- $mt = microtime();
480
- $rand = mt_rand();
481
-
482
- return md5($mt . $rand); // md5s look nicer than numbers
483
- }
484
- }
485
-
486
- class WPOAuthServer {
487
- protected $timestamp_threshold = 300; // in seconds, five minutes
488
- protected $version = '1.0'; // hi blaine
489
- protected $signature_methods = array();
490
-
491
- protected $data_store;
492
-
493
- function __construct($data_store) {
494
- $this->data_store = $data_store;
495
- }
496
-
497
- public function add_signature_method($signature_method) {
498
- $this->signature_methods[$signature_method->get_name()] =
499
- $signature_method;
500
- }
501
-
502
- // high level functions
503
-
504
- /**
505
- * process a request_token request
506
- * returns the request token on success
507
- */
508
- public function fetch_request_token(&$request) {
509
- $this->get_version($request);
510
-
511
- $consumer = $this->get_consumer($request);
512
-
513
- // no token required for the initial token request
514
- $token = NULL;
515
-
516
- $this->check_signature($request, $consumer, $token);
517
-
518
- // Rev A change
519
- $callback = $request->get_parameter('oauth_callback');
520
- $new_token = $this->data_store->new_request_token($consumer, $callback);
521
-
522
- return $new_token;
523
- }
524
-
525
- /**
526
- * process an access_token request
527
- * returns the access token on success
528
- */
529
- public function fetch_access_token(&$request) {
530
- $this->get_version($request);
531
-
532
- $consumer = $this->get_consumer($request);
533
-
534
- // requires authorized request token
535
- $token = $this->get_token($request, $consumer, "request");
536
-
537
- $this->check_signature($request, $consumer, $token);
538
-
539
- // Rev A change
540
- $verifier = $request->get_parameter('oauth_verifier');
541
- $new_token = $this->data_store->new_access_token($token, $consumer, $verifier);
542
-
543
- return $new_token;
544
- }
545
-
546
- /**
547
- * verify an api call, checks all the parameters
548
- */
549
- public function verify_request(&$request) {
550
- $this->get_version($request);
551
- $consumer = $this->get_consumer($request);
552
- $token = $this->get_token($request, $consumer, "access");
553
- $this->check_signature($request, $consumer, $token);
554
- return array($consumer, $token);
555
- }
556
-
557
- // Internals from here
558
- /**
559
- * version 1
560
- */
561
- private function get_version(&$request) {
562
- $version = $request->get_parameter("oauth_version");
563
- if (!$version) {
564
- // Service Providers MUST assume the protocol version to be 1.0 if this parameter is not present.
565
- // Chapter 7.0 ("Accessing Protected Ressources")
566
- $version = '1.0';
567
- }
568
- if ($version !== $this->version) {
569
- throw new WPOAuthException("OAuth version '$version' not supported");
570
- }
571
- return $version;
572
- }
573
-
574
- /**
575
- * figure out the signature with some defaults
576
- */
577
- private function get_signature_method(&$request) {
578
- $signature_method =
579
- @$request->get_parameter("oauth_signature_method");
580
-
581
- if (!$signature_method) {
582
- // According to chapter 7 ("Accessing Protected Ressources") the signature-method
583
- // parameter is required, and we can't just fallback to PLAINTEXT
584
- throw new WPOAuthException('No signature method parameter. This parameter is required');
585
- }
586
-
587
- if (!in_array($signature_method,
588
- array_keys($this->signature_methods))) {
589
- throw new WPOAuthException(
590
- "Signature method '$signature_method' not supported " .
591
- "try one of the following: " .
592
- implode(", ", array_keys($this->signature_methods))
593
- );
594
- }
595
- return $this->signature_methods[$signature_method];
596
- }
597
-
598
- /**
599
- * try to find the consumer for the provided request's consumer key
600
- */
601
- private function get_consumer(&$request) {
602
- $consumer_key = @$request->get_parameter("oauth_consumer_key");
603
- if (!$consumer_key) {
604
- throw new WPOAuthException("Invalid consumer key");
605
- }
606
-
607
- $consumer = $this->data_store->lookup_consumer($consumer_key);
608
- if (!$consumer) {
609
- throw new WPOAuthException("Invalid consumer");
610
- }
611
-
612
- return $consumer;
613
- }
614
-
615
- /**
616
- * try to find the token for the provided request's token key
617
- */
618
- private function get_token(&$request, $consumer, $token_type="access") {
619
- $token_field = @$request->get_parameter('oauth_token');
620
- $token = $this->data_store->lookup_token(
621
- $consumer, $token_type, $token_field
622
- );
623
- if (!$token) {
624
- throw new WPOAuthException("Invalid $token_type token: $token_field");
625
- }
626
- return $token;
627
- }
628
-
629
- /**
630
- * all-in-one function to check the signature on a request
631
- * should guess the signature method appropriately
632
- */
633
- private function check_signature(&$request, $consumer, $token) {
634
- // this should probably be in a different method
635
- $timestamp = @$request->get_parameter('oauth_timestamp');
636
- $nonce = @$request->get_parameter('oauth_nonce');
637
-
638
- $this->check_timestamp($timestamp);
639
- $this->check_nonce($consumer, $token, $nonce, $timestamp);
640
-
641
- $signature_method = $this->get_signature_method($request);
642
-
643
- $signature = $request->get_parameter('oauth_signature');
644
- $valid_sig = $signature_method->check_signature(
645
- $request,
646
- $consumer,
647
- $token,
648
- $signature
649
- );
650
-
651
- if (!$valid_sig) {
652
- throw new WPOAuthException("Invalid signature");
653
- }
654
- }
655
-
656
- /**
657
- * check that the timestamp is new enough
658
- */
659
- private function check_timestamp($timestamp) {
660
- if( ! $timestamp )
661
- throw new WPOAuthException(
662
- 'Missing timestamp parameter. The parameter is required'
663
- );
664
-
665
- // verify that timestamp is recentish
666
- $now = time();
667
- if (abs($now - $timestamp) > $this->timestamp_threshold) {
668
- throw new WPOAuthException(
669
- "Expired timestamp, yours $timestamp, ours $now"
670
- );
671
- }
672
- }
673
-
674
- /**
675
- * check that the nonce is not repeated
676
- */
677
- private function check_nonce($consumer, $token, $nonce, $timestamp) {
678
- if( ! $nonce )
679
- throw new WPOAuthException(
680
- 'Missing nonce parameter. The parameter is required'
681
- );
682
-
683
- // verify that the nonce is uniqueish
684
- $found = $this->data_store->lookup_nonce(
685
- $consumer,
686
- $token,
687
- $nonce,
688
- $timestamp
689
- );
690
- if ($found) {
691
- throw new WPOAuthException("Nonce already used: $nonce");
692
- }
693
- }
694
-
695
- }
696
-
697
- class WPOAuthDataStore {
698
- function lookup_consumer($consumer_key) {
699
- // implement me
700
- }
701
-
702
- function lookup_token($consumer, $token_type, $token) {
703
- // implement me
704
- }
705
-
706
- function lookup_nonce($consumer, $token, $nonce, $timestamp) {
707
- // implement me
708
- }
709
-
710
- function new_request_token($consumer, $callback = null) {
711
- // return a new token attached to this consumer
712
- }
713
-
714
- function new_access_token($token, $consumer, $verifier = null) {
715
- // return a new access token attached to this consumer
716
- // for the user associated with this token if the request token
717
- // is authorized
718
- // should also invalidate the request token
719
- }
720
-
721
- }
722
-
723
- class WPOAuthUtil {
724
- public static function urlencode_rfc3986($input) {
725
- if (is_array($input)) {
726
- return array_map(array('WPOAuthUtil', 'urlencode_rfc3986'), $input);
727
- } else if (is_scalar($input)) {
728
- return str_replace(
729
- '+',
730
- ' ',
731
- str_replace('%7E', '~', rawurlencode($input))
732
- );
733
- } else {
734
- return '';
735
- }
736
- }
737
-
738
-
739
- // This decode function isn't taking into consideration the above
740
- // modifications to the encoding process. However, this method doesn't
741
- // seem to be used anywhere so leaving it as is.
742
- public static function urldecode_rfc3986($string) {
743
- return urldecode($string);
744
- }
745
-
746
- // Utility function for turning the Authorization: header into
747
- // parameters, has to do some unescaping
748
- // Can filter out any non-oauth parameters if needed (default behaviour)
749
- public static function split_header($header, $only_allow_oauth_parameters = true) {
750
- $pattern = '/(([-_a-z]*)=("([^"]*)"|([^,]*)),?)/';
751
- $offset = 0;
752
- $params = array();
753
- while (preg_match($pattern, $header, $matches, PREG_OFFSET_CAPTURE, $offset) > 0) {
754
- $match = $matches[0];
755
- $header_name = $matches[2][0];
756
- $header_content = (isset($matches[5])) ? $matches[5][0] : $matches[4][0];
757
- if (preg_match('/^oauth_/', $header_name) || !$only_allow_oauth_parameters) {
758
- $params[$header_name] = WPOAuthUtil::urldecode_rfc3986($header_content);
759
- }
760
- $offset = $match[1] + strlen($match[0]);
761
- }
762
-
763
- if (isset($params['realm'])) {
764
- unset($params['realm']);
765
- }
766
-
767
- return $params;
768
- }
769
-
770
- // helper to try to sort out headers for people who aren't running apache
771
- public static function get_headers() {
772
- if (function_exists('apache_request_headers')) {
773
- // we need this to get the actual Authorization: header
774
- // because apache tends to tell us it doesn't exist
775
- $headers = apache_request_headers();
776
-
777
- // sanitize the output of apache_request_headers because
778
- // we always want the keys to be Cased-Like-This and arh()
779
- // returns the headers in the same case as they are in the
780
- // request
781
- $out = array();
782
- foreach( $headers AS $key => $value ) {
783
- $key = str_replace(
784
- " ",
785
- "-",
786
- ucwords(strtolower(str_replace("-", " ", $key)))
787
- );
788
- $out[$key] = $value;
789
- }
790
- } else {
791
- // otherwise we don't have apache and are just going to have to hope
792
- // that $_SERVER actually contains what we need
793
- $out = array();
794
- if( isset($_SERVER['CONTENT_TYPE']) )
795
- $out['Content-Type'] = $_SERVER['CONTENT_TYPE'];
796
- if( isset($_ENV['CONTENT_TYPE']) )
797
- $out['Content-Type'] = $_ENV['CONTENT_TYPE'];
798
-
799
- foreach ($_SERVER as $key => $value) {
800
- if (substr($key, 0, 5) == "HTTP_") {
801
- // this is chaos, basically it is just there to capitalize the first
802
- // letter of every word that is not an initial HTTP and strip HTTP
803
- // code from przemek
804
- $key = str_replace(
805
- " ",
806
- "-",
807
- ucwords(strtolower(str_replace("_", " ", substr($key, 5))))
808
- );
809
- $out[$key] = $value;
810
- }
811
- }
812
- }
813
- return $out;
814
- }
815
-
816
- // This function takes a input like a=b&a=c&d=e and returns the parsed
817
- // parameters like this
818
- // array('a' => array('b','c'), 'd' => 'e')
819
- public static function parse_parameters( $input ) {
820
- if (!isset($input) || !$input) return array();
821
-
822
- $pairs = explode('&', $input);
823
-
824
- $parsed_parameters = array();
825
- foreach ($pairs as $pair) {
826
- $split = explode('=', $pair, 2);
827
- $parameter = WPOAuthUtil::urldecode_rfc3986($split[0]);
828
- $value = isset($split[1]) ? WPOAuthUtil::urldecode_rfc3986($split[1]) : '';
829
-
830
- if (isset($parsed_parameters[$parameter])) {
831
- // We have already recieved parameter(s) with this name, so add to the list
832
- // of parameters with this name
833
-
834
- if (is_scalar($parsed_parameters[$parameter])) {
835
- // This is the first duplicate, so transform scalar (string) into an array
836
- // so we can add the duplicates
837
- $parsed_parameters[$parameter] = array($parsed_parameters[$parameter]);
838
- }
839
-
840
- $parsed_parameters[$parameter][] = $value;
841
- } else {
842
- $parsed_parameters[$parameter] = $value;
843
- }
844
- }
845
- return $parsed_parameters;
846
- }
847
-
848
- public static function build_http_query($params) {
849
- if (!$params) return '';
850
-
851
- // Urlencode both keys and values
852
- $keys = WPOAuthUtil::urlencode_rfc3986(array_keys($params));
853
- $values = WPOAuthUtil::urlencode_rfc3986(array_values($params));
854
- $params = array_combine($keys, $values);
855
-
856
- // Parameters are sorted by name, using lexicographical byte value ordering.
857
- // Ref: Spec: 9.1.1 (1)
858
- uksort($params, 'strcmp');
859
-
860
- $pairs = array();
861
- foreach ($params as $parameter => $value) {
862
- if (is_array($value)) {
863
- // If two or more parameters share the same name, they are sorted by their value
864
- // Ref: Spec: 9.1.1 (1)
865
- natsort($value);
866
- foreach ($value as $duplicate_value) {
867
- $pairs[] = $parameter . '=' . $duplicate_value;
868
- }
869
- } else {
870
- $pairs[] = $parameter . '=' . $value;
871
- }
872
- }
873
- // For each parameter, the name is separated from the corresponding value by an '=' character (ASCII code 61)
874
- // Each name-value pair is separated by an '&' character (ASCII code 38)
875
- return implode('&', $pairs);
876
- }
877
- }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
878
 
879
  } // class_exists check
1
  <?php
2
  // vim: foldmethod=marker
3
+ if ( ! defined( 'ABSPATH' ) ) {
4
+ exit;
5
+ } // Exit if accessed directly
6
+
7
+ if ( ! class_exists( 'WPOAuthException' ) ) {
8
+
9
+ /* Generic exception class
10
+ */
11
+
12
+ class WPOAuthException extends Exception {
13
+ // pass
14
+ }
15
+
16
+ class WPOAuthConsumer {
17
+ public $key;
18
+ public $secret;
19
+
20
+ function __construct( $key, $secret, $callback_url = null ) {
21
+ $this->key = $key;
22
+ $this->secret = $secret;
23
+ $this->callback_url = $callback_url;
24
+ }
25
+
26
+ function __toString() {
27
+ return "OAuthConsumer[key=$this->key,secret=$this->secret]";
28
+ }
29
+ }
30
+
31
+ class WPOAuthToken {
32
+ // access tokens and request tokens
33
+ public $key;
34
+ public $secret;
35
+
36
+ /**
37
+ * key = the token
38
+ * secret = the token secret
39
+ */
40
+ function __construct( $key, $secret ) {
41
+ $this->key = $key;
42
+ $this->secret = $secret;
43
+ }
44
+
45
+ /**
46
+ * generates the basic string serialization of a token that a server
47
+ * would respond to request_token and access_token calls with
48
+ */
49
+ function to_string() {
50
+ return "oauth_token=" .
51
+ WPOAuthUtil::urlencode_rfc3986( $this->key ) .
52
+ "&oauth_token_secret=" .
53
+ WPOAuthUtil::urlencode_rfc3986( $this->secret );
54
+ }
55
+
56
+ function __toString() {
57
+ return $this->to_string();
58
+ }
59
+ }
60
+
61
+ /**
62
+ * A class for implementing a Signature Method
63
+ * See section 9 ("Signing Requests") in the spec
64
+ */
65
+ abstract class WPOAuthSignatureMethod {
66
+ /**
67
+ * Needs to return the name of the Signature Method (ie HMAC-SHA1)
68
+ * @return string
69
+ */
70
+ abstract public function get_name();
71
+
72
+ /**
73
+ * Build up the signature
74
+ * NOTE: The output of this function MUST NOT be urlencoded.
75
+ * the encoding is handled in OAuthRequest when the final
76
+ * request is serialized
77
+ *
78
+ * @param OAuthRequest $request
79
+ * @param OAuthConsumer $consumer
80
+ * @param OAuthToken $token
81
+ *
82
+ * @return string
83
+ */
84
+ abstract public function build_signature( $request, $consumer, $token );
85
+
86
+ /**
87
+ * Verifies that a given signature is correct
88
+ *
89
+ * @param OAuthRequest $request
90
+ * @param OAuthConsumer $consumer
91
+ * @param OAuthToken $token
92
+ * @param string $signature
93
+ *
94
+ * @return bool
95
+ */
96
+ public function check_signature( $request, $consumer, $token, $signature ) {
97
+ $built = $this->build_signature( $request, $consumer, $token );
98
+
99
+ return $built == $signature;
100
+ }
101
+ }
102
+
103
+ /**
104
+ * The HMAC-SHA1 signature method uses the HMAC-SHA1 signature algorithm as defined in [RFC2104]
105
+ * where the Signature Base String is the text and the key is the concatenated values (each first
106
+ * encoded per Parameter Encoding) of the Consumer Secret and Token Secret, separated by an '&'
107
+ * character (ASCII code 38) even if empty.
108
+ * - Chapter 9.2 ("HMAC-SHA1")
109
+ */
110
+ class WPOAuthSignatureMethod_HMAC_SHA1 extends WPOAuthSignatureMethod {
111
+ function get_name() {
112
+ return "HMAC-SHA1";
113
+ }
114
+
115
+ public function build_signature( $request, $consumer, $token ) {
116
+ $base_string = $request->get_signature_base_string();
117
+ $request->base_string = $base_string;
118
+
119
+ $key_parts = array(
120
+ $consumer->secret,
121
+ ( $token ) ? $token->secret : ""
122
+ );
123
+
124
+ $key_parts = WPOAuthUtil::urlencode_rfc3986( $key_parts );
125
+ $key = implode( '&', $key_parts );
126
+
127
+ return base64_encode( hash_hmac( 'sha1', $base_string, $key, true ) );
128
+ }
129
+ }
130
+
131
+ /**
132
+ * The PLAINTEXT method does not provide any security protection and SHOULD only be used
133
+ * over a secure channel such as HTTPS. It does not use the Signature Base String.
134
+ * - Chapter 9.4 ("PLAINTEXT")
135
+ */
136
+ class WPOAuthSignatureMethod_PLAINTEXT extends WPOAuthSignatureMethod {
137
+ public function get_name() {
138
+ return "PLAINTEXT";
139
+ }
140
+
141
+ /**
142
+ * oauth_signature is set to the concatenated encoded values of the Consumer Secret and
143
+ * Token Secret, separated by a '&' character (ASCII code 38), even if either secret is
144
+ * empty. The result MUST be encoded again.
145
+ * - Chapter 9.4.1 ("Generating Signatures")
146
+ *
147
+ * Please note that the second encoding MUST NOT happen in the SignatureMethod, as
148
+ * OAuthRequest handles this!
149
+ */
150
+ public function build_signature( $request, $consumer, $token ) {
151
+ $key_parts = array(
152
+ $consumer->secret,
153
+ ( $token ) ? $token->secret : ""
154
+ );
155
+
156
+ $key_parts = WPOAuthUtil::urlencode_rfc3986( $key_parts );
157
+ $key = implode( '&', $key_parts );
158
+ $request->base_string = $key;
159
+
160
+ return $key;
161
+ }
162
+ }
163
+
164
+ /**
165
+ * The RSA-SHA1 signature method uses the RSASSA-PKCS1-v1_5 signature algorithm as defined in
166
+ * [RFC3447] section 8.2 (more simply known as PKCS#1), using SHA-1 as the hash function for
167
+ * EMSA-PKCS1-v1_5. It is assumed that the Consumer has provided its RSA public key in a
168
+ * verified way to the Service Provider, in a manner which is beyond the scope of this
169
+ * specification.
170
+ * - Chapter 9.3 ("RSA-SHA1")
171
+ */
172
+ abstract class WPOAuthSignatureMethod_RSA_SHA1 extends WPOAuthSignatureMethod {
173
+ public function get_name() {
174
+ return "RSA-SHA1";
175
+ }
176
+
177
+ // Up to the SP to implement this lookup of keys. Possible ideas are:
178
+ // (1) do a lookup in a table of trusted certs keyed off of consumer
179
+ // (2) fetch via http using a url provided by the requester
180
+ // (3) some sort of specific discovery code based on request
181
+ //
182
+ // Either way should return a string representation of the certificate
183
+ protected abstract function fetch_public_cert( &$request );
184
+
185
+ // Up to the SP to implement this lookup of keys. Possible ideas are:
186
+ // (1) do a lookup in a table of trusted certs keyed off of consumer
187
+ //
188
+ // Either way should return a string representation of the certificate
189
+ protected abstract function fetch_private_cert( &$request );
190
+
191
+ public function build_signature( $request, $consumer, $token ) {
192
+ $base_string = $request->get_signature_base_string();
193
+ $request->base_string = $base_string;
194
+
195
+ // Fetch the private key cert based on the request
196
+ $cert = $this->fetch_private_cert( $request );
197
+
198
+ // Pull the private key ID from the certificate
199
+ $privatekeyid = openssl_get_privatekey( $cert );
200
+
201
+ // Sign using the key
202
+ $ok = openssl_sign( $base_string, $signature, $privatekeyid );
203
+
204
+ // Release the key resource
205
+ openssl_free_key( $privatekeyid );
206
+
207
+ return base64_encode( $signature );
208
+ }
209
+
210
+ public function check_signature( $request, $consumer, $token, $signature ) {
211
+ $decoded_sig = base64_decode( $signature );
212
+
213
+ $base_string = $request->get_signature_base_string();
214
+
215
+ // Fetch the public key cert based on the request
216
+ $cert = $this->fetch_public_cert( $request );
217
+
218
+ // Pull the public key ID from the certificate
219
+ $publickeyid = openssl_get_publickey( $cert );
220
+
221
+ // Check the computed signature against the one passed in the query
222
+ $ok = openssl_verify( $base_string, $decoded_sig, $publickeyid );
223
+
224
+ // Release the key resource
225
+ openssl_free_key( $publickeyid );
226
+
227
+ return $ok == 1;
228
+ }
229
+ }
230
+
231
+ class WPOAuthRequest {
232
+ private $parameters;
233
+ private $http_method;
234
+ private $http_url;
235
+ // for debug purposes
236
+ public $base_string;
237
+ public static $version = '1.0';
238
+ public static $POST_INPUT = 'php://input';
239
+
240
+ function __construct( $http_method, $http_url, $parameters = null ) {
241
+ @$parameters or $parameters = array();
242
+ $parameters = array_merge( WPOAuthUtil::parse_parameters( parse_url( $http_url, PHP_URL_QUERY ) ), $parameters );
243
+ $this->parameters = $parameters;
244
+ $this->http_method = $http_method;
245
+ $this->http_url = $http_url;
246
+ }
247
+
248
+
249
+ /**
250
+ * attempt to build up a request from what was passed to the server
251
+ */
252
+ public static function from_request( $http_method = null, $http_url = null, $parameters = null ) {
253
+ $scheme = ( ! isset( $_SERVER['HTTPS'] ) || $_SERVER['HTTPS'] != "on" )
254
+ ? 'http'
255
+ : 'https';
256
+ @$http_url or $http_url = $scheme .
257
+ '://' . $_SERVER['HTTP_HOST'] .
258
+ ':' .
259
+ $_SERVER['SERVER_PORT'] .
260
+ $_SERVER['REQUEST_URI'];
261
+ @$http_method or $http_method = $_SERVER['REQUEST_METHOD'];
262
+
263
+ // We weren't handed any parameters, so let's find the ones relevant to
264
+ // this request.
265
+ // If you run XML-RPC or similar you should use this to provide your own
266
+ // parsed parameter-list
267
+ if ( ! $parameters ) {
268
+ // Find request headers
269
+ $request_headers = WPOAuthUtil::get_headers();
270
+
271
+ // Parse the query-string to find GET parameters
272
+ $parameters = WPOAuthUtil::parse_parameters( $_SERVER['QUERY_STRING'] );
273
+
274
+ // It's a POST request of the proper content-type, so parse POST
275
+ // parameters and add those overriding any duplicates from GET
276
+ if ( $http_method == "POST"
277
+ && @strstr( $request_headers["Content-Type"],
278
+ "application/x-www-form-urlencoded" )
279
+ ) {
280
+ $post_data = WPOAuthUtil::parse_parameters(
281
+ file_get_contents( self::$POST_INPUT )
282
+ );
283
+ $parameters = array_merge( $parameters, $post_data );
284
+ }
285
+
286
+ // We have a Authorization-header with OAuth data. Parse the header
287
+ // and add those overriding any duplicates from GET or POST
288
+ if ( @substr( $request_headers['Authorization'], 0, 6 ) == "OAuth " ) {
289
+ $header_parameters = WPOAuthUtil::split_header(
290
+ $request_headers['Authorization']
291
+ );
292
+ $parameters = array_merge( $parameters, $header_parameters );
293
+ }
294
+
295
+ }
296
+
297
+ return new WPOAuthRequest( $http_method, $http_url, $parameters );
298
+ }
299
+
300
+ /**
301
+ * pretty much a helper function to set up the request
302
+ */
303
+ public static function from_consumer_and_token( $consumer, $token, $http_method, $http_url, $parameters = null ) {
304
+ @$parameters or $parameters = array();
305
+ $defaults = array(
306
+ "oauth_version" => WPOAuthRequest::$version,
307
+ "oauth_nonce" => WPOAuthRequest::generate_nonce(),
308
+ "oauth_timestamp" => WPOAuthRequest::generate_timestamp(),
309
+ "oauth_consumer_key" => $consumer->key
310
+ );
311
+ if ( $token ) {
312
+ $defaults['oauth_token'] = $token->key;
313
+ }
314
+
315
+ $parameters = array_merge( $defaults, $parameters );
316
+
317
+ return new WPOAuthRequest( $http_method, $http_url, $parameters );
318
+ }
319
+
320
+ public function set_parameter( $name, $value, $allow_duplicates = true ) {
321
+ if ( $allow_duplicates && isset( $this->parameters[ $name ] ) ) {
322
+ // We have already added parameter(s) with this name, so add to the list
323
+ if ( is_scalar( $this->parameters[ $name ] ) ) {
324
+ // This is the first duplicate, so transform scalar (string)
325
+ // into an array so we can add the duplicates
326
+ $this->parameters[ $name ] = array( $this->parameters[ $name ] );
327
+ }
328
+
329
+ $this->parameters[ $name ][] = $value;
330
+ } else {
331
+ $this->parameters[ $name ] = $value;
332
+ }
333
+ }
334
+
335
+ public function get_parameter( $name ) {
336
+ return isset( $this->parameters[ $name ] ) ? $this->parameters[ $name ] : null;
337
+ }
338
+
339
+ public function get_parameters() {
340
+ return $this->parameters;
341
+ }
342
+
343
+ public function unset_parameter( $name ) {
344
+ unset( $this->parameters[ $name ] );
345
+ }
346
+
347
+ /**
348
+ * The request parameters, sorted and concatenated into a normalized string.
349
+ * @return string
350
+ */
351
+ public function get_signable_parameters() {
352
+ // Grab all parameters
353
+ $params = $this->parameters;
354
+
355
+ // Remove oauth_signature if present
356
+ // Ref: Spec: 9.1.1 ("The oauth_signature parameter MUST be excluded.")
357
+ if ( isset( $params['oauth_signature'] ) ) {
358
+ unset( $params['oauth_signature'] );
359
+ }
360
+
361
+ return WPOAuthUtil::build_http_query( $params );
362
+ }
363
+
364
+ /**
365
+ * Returns the base string of this request
366
+ *
367
+ * The base string defined as the method, the url
368
+ * and the parameters (normalized), each urlencoded
369
+ * and the concated with &.
370
+ */
371
+ public function get_signature_base_string() {
372
+ $parts = array(
373
+ $this->get_normalized_http_method(),
374
+ $this->get_normalized_http_url(),
375
+ $this->get_signable_parameters()
376
+ );
377
+
378
+ $parts = WPOAuthUtil::urlencode_rfc3986( $parts );
379
+
380
+ return implode( '&', $parts );
381
+ }
382
+
383
+ /**
384
+ * just uppercases the http method
385
+ */
386
+ public function get_normalized_http_method() {
387
+ return strtoupper( $this->http_method );
388
+ }
389
+
390
+ /**
391
+ * parses the url and rebuilds it to be
392
+ * scheme://host/path
393
+ */
394
+ public function get_normalized_http_url() {
395
+ $parts = parse_url( $this->http_url );
396
+
397
+ $port = isset( $parts['port'] ) ? $parts['port'] : false;
398
+ $scheme = @$parts['scheme'];
399
+ $host = @$parts['host'];
400
+ $path = @$parts['path'];
401
+
402
+ $port or $port = ( $scheme == 'https' ) ? '443' : '80';
403
+
404
+ if ( ( $scheme == 'https' && $port != '443' )
405
+ || ( $scheme == 'http' && $port != '80' )
406
+ ) {
407
+ $host = "$host:$port";
408
+ }
409
+
410
+ return "$scheme://$host$path";
411
+ }
412
+
413
+ /**
414
+ * builds a url usable for a GET request
415
+ */
416
+ public function to_url() {
417
+ $post_data = $this->to_postdata();
418
+ $out = $this->get_normalized_http_url();
419
+ if ( $post_data ) {
420
+ $out .= '?' . $post_data;
421
+ }
422
+
423
+ return $out;
424
+ }
425
+
426
+ /**
427
+ * builds the data one would send in a POST request
428
+ */
429
+ public function to_postdata() {
430
+ return WPOAuthUtil::build_http_query( $this->parameters );
431
+ }
432
+
433
+ /**
434
+ * builds the Authorization: header
435
+ */
436
+ public function to_header( $realm = null ) {
437
+ $first = true;
438
+ if ( $realm ) {
439
+ $out = 'Authorization: OAuth realm="' . WPOAuthUtil::urlencode_rfc3986( $realm ) . '"';
440
+ $first = false;
441
+ } else {
442
+ $out = 'Authorization: OAuth';
443
+ }
444
+
445
+ $total = array();
446
+ foreach ( $this->parameters as $k => $v ) {
447
+ if ( substr( $k, 0, 5 ) != "oauth" ) {
448
+ continue;
449
+ }
450
+ if ( is_array( $v ) ) {
451
+ throw new WPOAuthException( 'Arrays not supported in headers' );
452
+ }
453
+ $out .= ( $first ) ? ' ' : ',';
454
+ $out .= WPOAuthUtil::urlencode_rfc3986( $k ) .
455
+ '="' .
456
+ WPOAuthUtil::urlencode_rfc3986( $v ) .
457
+ '"';
458
+ $first = false;
459
+ }
460
+
461
+ return $out;
462
+ }
463
+
464
+ public function __toString() {
465
+ return $this->to_url();
466
+ }
467
+
468
+
469
+ public function sign_request( $signature_method, $consumer, $token ) {
470
+ $this->set_parameter(
471
+ "oauth_signature_method",
472
+ $signature_method->get_name(),
473
+ false
474
+ );
475
+ $signature = $this->build_signature( $signature_method, $consumer, $token );
476
+ $this->set_parameter( "oauth_signature", $signature, false );
477
+ }
478
+
479
+ public function build_signature( $signature_method, $consumer, $token ) {
480
+ $signature = $signature_method->build_signature( $this, $consumer, $token );
481
+
482
+ return $signature;
483
+ }
484
+
485
+ /**
486
+ * util function: current timestamp
487
+ */
488
+ private static function generate_timestamp() {
489
+ // make sure that timestamp is in UTC
490
+ date_default_timezone_set( 'UTC' );
491
+
492
+ return time();
493
+ }
494
+
495
+ /**
496
+ * util function: current nonce
497
+ */
498
+ private static function generate_nonce() {
499
+ $mt = microtime();
500
+ $rand = mt_rand();
501
+
502
+ return md5( $mt . $rand ); // md5s look nicer than numbers
503
+ }
504
+ }
505
+
506
+ class WPOAuthServer {
507
+ protected $timestamp_threshold = 300; // in seconds, five minutes
508
+ protected $version = '1.0'; // hi blaine
509
+ protected $signature_methods = array();
510
+
511
+ protected $data_store;
512
+
513
+ function __construct( $data_store ) {
514
+ $this->data_store = $data_store;
515
+ }
516
+
517
+ public function add_signature_method( $signature_method ) {
518
+ $this->signature_methods[ $signature_method->get_name() ] =
519
+ $signature_method;
520
+ }
521
+
522
+ // high level functions
523
+
524
+ /**
525
+ * process a request_token request
526
+ * returns the request token on success
527
+ */
528
+ public function fetch_request_token( &$request ) {
529
+ $this->get_version( $request );
530
+
531
+ $consumer = $this->get_consumer( $request );
532
+
533
+ // no token required for the initial token request
534
+ $token = null;
535
+
536
+ $this->check_signature( $request, $consumer, $token );
537
+
538
+ // Rev A change
539
+ $callback = $request->get_parameter( 'oauth_callback' );
540
+ $new_token = $this->data_store->new_request_token( $consumer, $callback );
541
+
542
+ return $new_token;
543
+ }
544
+
545
+ /**
546
+ * process an access_token request
547
+ * returns the access token on success
548
+ */
549
+ public function fetch_access_token( &$request ) {
550
+ $this->get_version( $request );
551
+
552
+ $consumer = $this->get_consumer( $request );
553
+
554
+ // requires authorized request token
555
+ $token = $this->get_token( $request, $consumer, "request" );
556
+
557
+ $this->check_signature( $request, $consumer, $token );
558
+
559
+ // Rev A change
560
+ $verifier = $request->get_parameter( 'oauth_verifier' );
561
+ $new_token = $this->data_store->new_access_token( $token, $consumer, $verifier );
562
+
563
+ return $new_token;
564
+ }
565
+
566
+ /**
567
+ * verify an api call, checks all the parameters
568
+ */
569
+ public function verify_request( &$request ) {
570
+ $this->get_version( $request );
571
+ $consumer = $this->get_consumer( $request );
572
+ $token = $this->get_token( $request, $consumer, "access" );
573
+ $this->check_signature( $request, $consumer, $token );
574
+
575
+ return array( $consumer, $token );
576
+ }
577
+
578
+ // Internals from here
579
+ /**
580
+ * version 1
581
+ */
582
+ private function get_version( &$request ) {
583
+ $version = $request->get_parameter( "oauth_version" );
584
+ if ( ! $version ) {
585
+ // Service Providers MUST assume the protocol version to be 1.0 if this parameter is not present.
586
+ // Chapter 7.0 ("Accessing Protected Ressources")
587
+ $version = '1.0';
588
+ }
589
+ if ( $version !== $this->version ) {
590
+ throw new WPOAuthException( "OAuth version '$version' not supported" );
591
+ }
592
+
593
+ return $version;
594
+ }
595
+
596
+ /**
597
+ * figure out the signature with some defaults
598
+ */
599
+ private function get_signature_method( &$request ) {
600
+ $signature_method =
601
+ @$request->get_parameter( "oauth_signature_method" );
602
+
603
+ if ( ! $signature_method ) {
604
+ // According to chapter 7 ("Accessing Protected Ressources") the signature-method
605
+ // parameter is required, and we can't just fallback to PLAINTEXT
606
+ throw new WPOAuthException( 'No signature method parameter. This parameter is required' );
607
+ }
608
+
609
+ if ( ! in_array( $signature_method,
610
+ array_keys( $this->signature_methods ) )
611
+ ) {
612
+ throw new WPOAuthException(
613
+ "Signature method '$signature_method' not supported " .
614
+ "try one of the following: " .
615
+ implode( ", ", array_keys( $this->signature_methods ) )
616
+ );
617
+ }
618
+
619
+ return $this->signature_methods[ $signature_method ];
620
+ }
621
+
622
+ /**
623
+ * try to find the consumer for the provided request's consumer key
624
+ */
625
+ private function get_consumer( &$request ) {
626
+ $consumer_key = @$request->get_parameter( "oauth_consumer_key" );
627
+ if ( ! $consumer_key ) {
628
+ throw new WPOAuthException( "Invalid consumer key" );
629
+ }
630
+
631
+ $consumer = $this->data_store->lookup_consumer( $consumer_key );
632
+ if ( ! $consumer ) {
633
+ throw new WPOAuthException( "Invalid consumer" );
634
+ }
635
+
636
+ return $consumer;
637
+ }
638
+
639
+ /**
640
+ * try to find the token for the provided request's token key
641
+ */
642
+ private function get_token( &$request, $consumer, $token_type = "access" ) {
643
+ $token_field = @$request->get_parameter( 'oauth_token' );
644
+ $token = $this->data_store->lookup_token(
645
+ $consumer, $token_type, $token_field
646
+ );
647
+ if ( ! $token ) {
648
+ throw new WPOAuthException( "Invalid $token_type token: $token_field" );
649
+ }
650
+
651
+ return $token;
652
+ }
653
+
654
+ /**
655
+ * all-in-one function to check the signature on a request
656
+ * should guess the signature method appropriately
657
+ */
658
+ private function check_signature( &$request, $consumer, $token ) {
659
+ // this should probably be in a different method
660
+ $timestamp = @$request->get_parameter( 'oauth_timestamp' );
661
+ $nonce = @$request->get_parameter( 'oauth_nonce' );
662
+
663
+ $this->check_timestamp( $timestamp );
664
+ $this->check_nonce( $consumer, $token, $nonce, $timestamp );
665
+
666
+ $signature_method = $this->get_signature_method( $request );
667
+
668
+ $signature = $request->get_parameter( 'oauth_signature' );
669
+ $valid_sig = $signature_method->check_signature(
670
+ $request,
671
+ $consumer,
672
+ $token,
673
+ $signature
674
+ );
675
+
676
+ if ( ! $valid_sig ) {
677
+ throw new WPOAuthException( "Invalid signature" );
678
+ }
679
+ }
680
+
681
+ /**
682
+ * check that the timestamp is new enough
683
+ */
684
+ private function check_timestamp( $timestamp ) {
685
+ if ( ! $timestamp ) {
686
+ throw new WPOAuthException(
687
+ 'Missing timestamp parameter. The parameter is required'
688
+ );
689
+ }
690
+
691
+ // verify that timestamp is recentish
692
+ $now = time();
693
+ if ( abs( $now - $timestamp ) > $this->timestamp_threshold ) {
694
+ throw new WPOAuthException(
695
+ "Expired timestamp, yours $timestamp, ours $now"
696
+ );
697
+ }
698
+ }
699
+
700
+ /**
701
+ * check that the nonce is not repeated
702
+ */
703
+ private function check_nonce( $consumer, $token, $nonce, $timestamp ) {
704
+ if ( ! $nonce ) {
705
+ throw new WPOAuthException(
706
+ 'Missing nonce parameter. The parameter is required'
707
+ );
708
+ }
709
+
710
+ // verify that the nonce is uniqueish
711
+ $found = $this->data_store->lookup_nonce(
712
+ $consumer,
713
+ $token,
714
+ $nonce,
715
+ $timestamp
716
+ );
717
+ if ( $found ) {
718
+ throw new WPOAuthException( "Nonce already used: $nonce" );
719
+ }
720
+ }
721
+
722
+ }
723
+
724
+ class WPOAuthDataStore {
725
+ function lookup_consumer( $consumer_key ) {
726
+ // implement me
727
+ }
728
+
729
+ function lookup_token( $consumer, $token_type, $token ) {
730
+ // implement me
731
+ }
732
+
733
+ function lookup_nonce( $consumer, $token, $nonce, $timestamp ) {
734
+ // implement me
735
+ }
736
+
737
+ function new_request_token( $consumer, $callback = null ) {
738
+ // return a new token attached to this consumer
739
+ }
740
+
741
+ function new_access_token( $token, $consumer, $verifier = null ) {
742
+ // return a new access token attached to this consumer
743
+ // for the user associated with this token if the request token
744
+ // is authorized
745
+ // should also invalidate the request token
746
+ }
747
+
748
+ }
749
+
750
+ class WPOAuthUtil {
751
+ public static function urlencode_rfc3986( $input ) {
752
+ if ( is_array( $input ) ) {
753
+ return array_map( array( 'WPOAuthUtil', 'urlencode_rfc3986' ), $input );
754
+ } else if ( is_scalar( $input ) ) {
755
+ return str_replace(
756
+ '+',
757
+ ' ',
758
+ str_replace( '%7E', '~', rawurlencode( $input ) )
759
+ );
760
+ } else {
761
+ return '';
762
+ }
763
+ }
764
+
765
+
766
+ // This decode function isn't taking into consideration the above
767
+ // modifications to the encoding process. However, this method doesn't
768
+ // seem to be used anywhere so leaving it as is.
769
+ public static function urldecode_rfc3986( $string ) {
770
+ return urldecode( $string );
771
+ }
772
+
773
+ // Utility function for turning the Authorization: header into
774
+ // parameters, has to do some unescaping
775
+ // Can filter out any non-oauth parameters if needed (default behaviour)
776
+ public static function split_header( $header, $only_allow_oauth_parameters = true ) {
777
+ $pattern = '/(([-_a-z]*)=("([^"]*)"|([^,]*)),?)/';
778
+ $offset = 0;
779
+ $params = array();
780
+ while ( preg_match( $pattern, $header, $matches, PREG_OFFSET_CAPTURE, $offset ) > 0 ) {
781
+ $match = $matches[0];
782
+ $header_name = $matches[2][0];
783
+ $header_content = ( isset( $matches[5] ) ) ? $matches[5][0] : $matches[4][0];
784
+ if ( preg_match( '/^oauth_/', $header_name ) || ! $only_allow_oauth_parameters ) {
785
+ $params[ $header_name ] = WPOAuthUtil::urldecode_rfc3986( $header_content );
786
+ }
787
+ $offset = $match[1] + strlen( $match[0] );
788
+ }
789
+
790
+ if ( isset( $params['realm'] ) ) {
791
+ unset( $params['realm'] );
792
+ }
793
+
794
+ return $params;
795
+ }
796
+
797
+ // helper to try to sort out headers for people who aren't running apache
798
+ public static function get_headers() {
799
+ if ( function_exists( 'apache_request_headers' ) ) {
800
+ // we need this to get the actual Authorization: header
801
+ // because apache tends to tell us it doesn't exist
802
+ $headers = apache_request_headers();
803
+
804
+ // sanitize the output of apache_request_headers because
805
+ // we always want the keys to be Cased-Like-This and arh()
806
+ // returns the headers in the same case as they are in the
807
+ // request
808
+ $out = array();
809
+ foreach ( $headers AS $key => $value ) {
810
+ $key = str_replace(
811
+ " ",
812
+ "-",
813
+ ucwords( strtolower( str_replace( "-", " ", $key ) ) )
814
+ );
815
+ $out[ $key ] = $value;
816
+ }
817
+ } else {
818
+ // otherwise we don't have apache and are just going to have to hope
819
+ // that $_SERVER actually contains what we need
820
+ $out = array();
821
+ if ( isset( $_SERVER['CONTENT_TYPE'] ) ) {
822
+ $out['Content-Type'] = $_SERVER['CONTENT_TYPE'];
823
+ }
824
+ if ( isset( $_ENV['CONTENT_TYPE'] ) ) {
825
+ $out['Content-Type'] = $_ENV['CONTENT_TYPE'];
826
+ }
827
+
828
+ foreach ( $_SERVER as $key => $value ) {
829
+ if ( substr( $key, 0, 5 ) == "HTTP_" ) {
830
+ // this is chaos, basically it is just there to capitalize the first
831
+ // letter of every word that is not an initial HTTP and strip HTTP
832
+ // code from przemek
833
+ $key = str_replace(
834
+ " ",
835
+ "-",
836
+ ucwords( strtolower( str_replace( "_", " ", substr( $key, 5 ) ) ) )
837
+ );
838
+ $out[ $key ] = $value;
839
+ }
840
+ }
841
+ }
842
+
843
+ return $out;
844
+ }
845
+
846
+ // This function takes a input like a=b&a=c&d=e and returns the parsed
847
+ // parameters like this
848
+ // array('a' => array('b','c'), 'd' => 'e')
849
+ public static function parse_parameters( $input ) {
850
+ if ( ! isset( $input ) || ! $input ) {
851
+ return array();
852
+ }
853
+
854
+ $pairs = explode( '&', $input );
855
+
856
+ $parsed_parameters = array();
857
+ foreach ( $pairs as $pair ) {
858
+ $split = explode( '=', $pair, 2 );
859
+ $parameter = WPOAuthUtil::urldecode_rfc3986( $split[0] );
860
+ $value = isset( $split[1] ) ? WPOAuthUtil::urldecode_rfc3986( $split[1] ) : '';
861
+
862
+ if ( isset( $parsed_parameters[ $parameter ] ) ) {
863
+ // We have already recieved parameter(s) with this name, so add to the list
864
+ // of parameters with this name
865
+
866
+ if ( is_scalar( $parsed_parameters[ $parameter ] ) ) {
867
+ // This is the first duplicate, so transform scalar (string) into an array
868
+ // so we can add the duplicates
869
+ $parsed_parameters[ $parameter ] = array( $parsed_parameters[ $parameter ] );
870
+ }
871
+
872
+ $parsed_parameters[ $parameter ][] = $value;
873
+ } else {
874
+ $parsed_parameters[ $parameter ] = $value;
875
+ }
876
+ }
877
+
878
+ return $parsed_parameters;
879
+ }
880
+
881
+ public static function build_http_query( $params ) {
882
+ if ( ! $params ) {
883
+ return '';
884
+ }
885
+
886
+ // Urlencode both keys and values
887
+ $keys = WPOAuthUtil::urlencode_rfc3986( array_keys( $params ) );
888
+ $values = WPOAuthUtil::urlencode_rfc3986( array_values( $params ) );
889
+ $params = array_combine( $keys, $values );
890
+
891
+ // Parameters are sorted by name, using lexicographical byte value ordering.
892
+ // Ref: Spec: 9.1.1 (1)
893
+ uksort( $params, 'strcmp' );
894
+
895
+ $pairs = array();
896
+ foreach ( $params as $parameter => $value ) {
897
+ if ( is_array( $value ) ) {
898
+ // If two or more parameters share the same name, they are sorted by their value
899
+ // Ref: Spec: 9.1.1 (1)
900
+ natsort( $value );
901
+ foreach ( $value as $duplicate_value ) {
902
+ $pairs[] = $parameter . '=' . $duplicate_value;
903
+ }
904
+ } else {
905
+ $pairs[] = $parameter . '=' . $value;
906
+ }
907
+ }
908
+ // For each parameter, the name is separated from the corresponding value by an '=' character (ASCII code 61)
909
+ // Each name-value pair is separated by an '&' character (ASCII code 38)
910
+ return implode( '&', $pairs );
911
+ }
912
+ }
913
 
914
  } // class_exists check
css/post-styles.css CHANGED
@@ -1,88 +1,244 @@
1
- #wp2t .jtw{ position: relative; padding-bottom: 1.4em;}
2
- #wp2t .jtw textarea {font-size: 1.2em;}
3
- #wp2t .counter{
4
- position:absolute;right:4%;bottom:0;
5
- font-size:1.3em;font-weight:700;color:#666;
6
- }
7
- #wp2t .warning{color:#700;}
8
- #wp2t .exceeded{color:#e00;}
9
- #wp2t code span { border-bottom: 1px dashed!important; cursor: pointer; }
10
- #wp2t .jtw { margin-right: 33%; width: 66.666666%; }
11
- #wp2t .disabled { font-weight: 700; background: #ffc; padding: 5px; font-size: 1.2em; }
12
- #side-sortables #wp2t .jtw {margin: 0;width: 100%; }
13
- #side-sortables #wp2t .jtw textarea { height: 120px; }
14
- #wp2t .wpt_auth_users { margin: 0; padding: 0; }
15
- #wp2t .wpt_auth_users select { width: 100%; max-height: 21em; }
16
- #side-sortables #wp2t .wpt_auth_users select { width: 98%; max-height: 120px; }
17
- .wpt-options { -moz-column-count: 3; -webkit-column-count: 3; column-count: 3; }
18
- .free .wpt-options { -moz-column-count: 2; -webkit-column-count: 2; column-count: 2; }
19
- #side-sortables .wpt-options { -moz-column-count: 1; -webkit-column-count: 1; column-count: 1; }
20
- .wptab { border-radius: 0 0 4px 4px; border: 1px solid #ddd; background: #fdfdfd; padding: 10px; margin: 0 2px; -moz-column-break-inside: avoid; -webkit-column-break-inside: avoid; column-break-inside: avoid; }
21
- .wptab { min-height: 22em; }
22
- .free .wptab { min-height: 11em; }
23
- #wp2t .tabs { display: none; }
24
- #wp2t .disabled { color: #888; border: 1px solid #ddd; background: #eee; border-bottom: none; padding: 2px; border-radius: 4px 4px 0 0; }
25
- #side-sortables #wp2t .tabs { display: block; }
26
- #side-sortables .wptab { min-height: 16em; padding: 5px; margin: 2px 0; }
27
- #side-sortables .free .wptab { min-height: 9em; }
28
- #notes p { font-size: 1.3em; line-height: 1.5; }
29
- #side-sortables .free #notes p { font-size: 1em; }
30
- button.time div { vertical-align: text-bottom; }
31
-
32
- .wpt-support { clear: both; }
33
- .wpt-options .tabs { margin: 0; padding: 0 2px; position: relative; top: 3px; }
34
- .wpt-options .tabs li { display: inline; margin: 0 auto; line-height: 1; }
35
- .wpt-options .tabs a { display: inline-block; padding: 4px; border-radius: 4px 4px 0 0; border: 1px solid #ccc; background: #f3f3f3; }
36
- .wpt-options .tabs a.active { border-bottom: 1px solid #fefefe; background: #fefefe; }
37
-
38
- .wpt_log, #jts { padding: .5em; }
39
- #jts { background: #f6f6f6; color: #333; }
40
-
41
- .tweet-buttons { padding: .75em 12px; margin: -10px -12px 10px; background: #f6f6f6; }
42
-
43
- .toggle-btn-group { margin: .25em auto .5em; content: ""; display: table; clear: both; }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
44
 
45
  .toggle-btn-group label {
46
- padding: .25em;
47
- float: left;
48
- text-align: center;
49
- cursor: pointer;
50
- background-color: #f3f3f3;
51
- border: #aaa 1px solid;
52
  }
53
 
54
- .toggle-btn-group label:first-of-type { border-radius: 0 .5em .5em 0; }
 
 
55
 
56
- .toggle-btn-group input[type="radio"]:checked+label {
57
- background-color: #ddd;
58
- border: #666 1px solid;
59
- text-decoration: underline;
60
- cursor: text;
61
  }
62
 
63
- .toggle-btn-group label:hover,
64
  .toggle-btn-group label:focus {
65
- background-color: #ddd;
66
- border: #000 1px solid;
67
  }
68
 
69
- .toggle-btn-group label:first-of-type { border-radius: .5em 0 0 .5em; }
 
 
70
 
71
  .toggle-btn-group label:last-of-type {
72
- border-top-right-radius: .5em;
73
- border-bottom-right-radius: .5em;
74
  }
75
 
76
  .toggle-btn-group label:first-of-type {
77
- border-right: 0px solid;
78
  }
79
 
80
  .toggle-btn-group label:last-of-type {
81
- border-left: 0px solid;
82
  }
83
 
84
  .toggle-btn-group input {
85
- position: absolute!important;
86
- clip: rect(1px,1px,1px,1px);
87
- overflow: hidden;
88
  }
1
+ #wp2t .jtw {
2
+ position: relative;
3
+ padding-bottom: 1.4em;
4
+ }
5
+
6
+ #wp2t .jtw textarea {
7
+ font-size: 1.2em;
8
+ }
9
+
10
+ #wp2t .counter {
11
+ position: absolute;
12
+ right: 4%;
13
+ bottom: 0;
14
+ font-size: 1.3em;
15
+ font-weight: 700;
16
+ color: #666;
17
+ }
18
+
19
+ #wp2t .warning {
20
+ color: #700;
21
+ }
22
+
23
+ #wp2t .exceeded {
24
+ color: #e00;
25
+ }
26
+
27
+ #wp2t code span {
28
+ border-bottom: 1px dashed !important;
29
+ cursor: pointer;
30
+ }
31
+
32
+ #wp2t .jtw {
33
+ margin-right: 33%;
34
+ width: 66.666666%;
35
+ }
36
+
37
+ #wp2t .disabled {
38
+ font-weight: 700;
39
+ background: #ffc;
40
+ padding: 5px;
41
+ font-size: 1.2em;
42
+ }
43
+
44
+ #side-sortables #wp2t .jtw {
45
+ margin: 0;
46
+ width: 100%;
47
+ }
48
+
49
+ #side-sortables #wp2t .jtw textarea {
50
+ height: 120px;
51
+ }
52
+
53
+ #wp2t .wpt_auth_users {
54
+ margin: 0;
55
+ padding: 0;
56
+ }
57
+
58
+ #wp2t .wpt_auth_users select {
59
+ width: 100%;
60
+ max-height: 21em;
61
+ }
62
+
63
+ #side-sortables #wp2t .wpt_auth_users select {
64
+ width: 98%;
65
+ max-height: 120px;
66
+ }
67
+
68
+ .wpt-options {
69
+ -moz-column-count: 3;
70
+ -webkit-column-count: 3;
71
+ column-count: 3;
72
+ }
73
+
74
+ .free .wpt-options {
75
+ -moz-column-count: 2;
76
+ -webkit-column-count: 2;
77
+ column-count: 2;
78
+ }
79
+
80
+ #side-sortables .wpt-options {
81
+ -moz-column-count: 1;
82
+ -webkit-column-count: 1;
83
+ column-count: 1;
84
+ }
85
+
86
+ .wptab {
87
+ border-radius: 0 0 4px 4px;
88
+ border: 1px solid #ddd;
89
+ background: #fdfdfd;
90
+ padding: 10px;
91
+ margin: 0 2px;
92
+ -moz-column-break-inside: avoid;
93
+ -webkit-column-break-inside: avoid;
94
+ column-break-inside: avoid;
95
+ }
96
+
97
+ .wptab {
98
+ min-height: 22em;
99
+ }
100
+
101
+ .free .wptab {
102
+ min-height: 11em;
103
+ }
104
+
105
+ #wp2t .tabs {
106
+ display: none;
107
+ }
108
+
109
+ #wp2t .disabled {
110
+ color: #888;
111
+ border: 1px solid #ddd;
112
+ background: #eee;
113
+ border-bottom: none;
114
+ padding: 2px;
115
+ border-radius: 4px 4px 0 0;
116
+ }
117
+
118
+ #side-sortables #wp2t .tabs {
119
+ display: block;
120
+ }
121
+
122
+ #side-sortables .wptab {
123
+ min-height: 16em;
124
+ padding: 5px;
125
+ margin: 2px 0;
126
+ }
127
+
128
+ #side-sortables .free .wptab {
129
+ min-height: 9em;
130
+ }
131
+
132
+ #notes p {
133
+ font-size: 1.3em;
134
+ line-height: 1.5;
135
+ }
136
+
137
+ #side-sortables .free #notes p {
138
+ font-size: 1em;
139
+ }
140
+
141
+ button.time div {
142
+ vertical-align: text-bottom;
143
+ }
144
+
145
+ .wpt-support {
146
+ clear: both;
147
+ }
148
+
149
+ .wpt-options .tabs {
150
+ margin: 0;
151
+ padding: 0 2px;
152
+ position: relative;
153
+ top: 3px;
154
+ }
155
+
156
+ .wpt-options .tabs li {
157
+ display: inline;
158
+ margin: 0 auto;
159
+ line-height: 1;
160
+ }
161
+
162
+ .wpt-options .tabs a {
163
+ display: inline-block;
164
+ padding: 4px;
165
+ border-radius: 4px 4px 0 0;
166
+ border: 1px solid #ccc;
167
+ background: #f3f3f3;
168
+ }
169
+
170
+ .wpt-options .tabs a.active {
171
+ border-bottom: 1px solid #fefefe;
172
+ background: #fefefe;
173
+ }
174
+
175
+ .wpt_log, #jts {
176
+ padding: .5em;
177
+ }
178
+
179
+ #jts {
180
+ background: #f6f6f6;
181
+ color: #333;
182
+ }
183
+
184
+ .tweet-buttons {
185
+ padding: .75em 12px;
186
+ margin: -10px -12px 10px;
187
+ background: #f6f6f6;
188
+ }
189
+
190
+ .toggle-btn-group {
191
+ margin: .25em auto .5em;
192
+ content: "";
193
+ display: table;
194
+ clear: both;
195
+ }
196
 
197
  .toggle-btn-group label {
198
+ padding: .25em;
199
+ float: left;
200
+ text-align: center;
201
+ cursor: pointer;
202
+ background-color: #f3f3f3;
203
+ border: #aaa 1px solid;
204
  }
205
 
206
+ .toggle-btn-group label:first-of-type {
207
+ border-radius: 0 .5em .5em 0;
208
+ }
209
 
210
+ .toggle-btn-group input[type="radio"]:checked + label {
211
+ background-color: #ddd;
212
+ border: #666 1px solid;
213
+ text-decoration: underline;
214
+ cursor: text;
215
  }
216
 
217
+ .toggle-btn-group label:hover,
218
  .toggle-btn-group label:focus {
219
+ background-color: #ddd;
220
+ border: #000 1px solid;
221
  }
222
 
223
+ .toggle-btn-group label:first-of-type {
224
+ border-radius: .5em 0 0 .5em;
225
+ }
226
 
227
  .toggle-btn-group label:last-of-type {
228
+ border-top-right-radius: .5em;
229
+ border-bottom-right-radius: .5em;
230
  }
231
 
232
  .toggle-btn-group label:first-of-type {
233
+ border-right: 0px solid;
234
  }
235
 
236
  .toggle-btn-group label:last-of-type {
237
+ border-left: 0px solid;
238
  }
239
 
240
  .toggle-btn-group input {
241
+ position: absolute !important;
242
+ clip: rect(1px, 1px, 1px, 1px);
243
+ overflow: hidden;
244
  }
css/styles.css ADDED
@@ -0,0 +1,209 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ #wp-to-twitter #message {
2
+ margin: 10px 0;
3
+ padding: 5px;
4
+ }
5
+
6
+ #wp-to-twitter .jd-settings {
7
+ clear: both;
8
+ }
9
+
10
+ #wp-to-twitter form .error p {
11
+ background: none;
12
+ border: none;
13
+ }
14
+
15
+ legend {
16
+ padding: 6px;
17
+ background: #f3f3f3;
18
+ width: 100%;
19
+ border-radius: 3px 0 0 3px;
20
+ color: #000;
21
+ }
22
+
23
+ #wp-to-twitter .resources {
24
+ background: url(../images/logo.png) 50% 5px no-repeat;
25
+ padding-top: 70px;
26
+ text-align: center;
27
+ }
28
+
29
+ #wp-to-twitter .resources form {
30
+ margin: 0;
31
+ }
32
+
33
+ .settings {
34
+ margin: 25px 0;
35
+ background: #fff;
36
+ padding: 10px;
37
+ border: 1px solid #000;
38
+ }
39
+
40
+ #wp-to-twitter .inside em {
41
+ color: #f33;
42
+ }
43
+
44
+ #wp-to-twitter .button-side {
45
+ position: absolute;
46
+ top: 0;
47
+ right: 10px;
48
+ }
49
+
50
+ #wp-to-twitter .tokens label {
51
+ width: 13em;
52
+ display: block;
53
+ float: left;
54
+ margin-top: 5px;
55
+ }
56
+
57
+ #wp-to-twitter .wpt-terms ul {
58
+ -moz-column-count: 3;
59
+ -moz-column-gap: 20px;
60
+ -webkit-column-count: 3;
61
+ -webkit-column-gap: 20px;
62
+ margin: 0 0 20px;
63
+ padding: 0;
64
+ }
65
+
66
+ #wp-to-twitter .wpt-terms li {
67
+ list-style-type: none;
68
+ margin: 3px 0;
69
+ padding: 0;
70
+ }
71
+
72
+ #wp-to-twitter .inside .clear {
73
+ display: block;
74
+ clear: both;
75
+ }
76
+
77
+ #wp-to-twitter .inside .comments {
78
+ clear: both;
79
+ }
80
+
81
+ #wp-to-twitter .postbox {
82
+ margin: 10px 10px 0 0;
83
+ }
84
+
85
+ #wp-to-twitter .meta-box-sortables {
86
+ min-height: 0;
87
+ }
88
+
89
+ #wp-to-twitter .wpt-template, #wp-to-twitter .support-request {
90
+ width: 95%;
91
+ }
92
+
93
+ .wpt_image {
94
+ padding-left: 20px;
95
+ background: url(../images/image.png) left 50% no-repeat;
96
+ display: block;
97
+ }
98
+
99
+ #wpt_license_key {
100
+ font-size: 1.3em;
101
+ padding: 5px;
102
+ letter-spacing: .5px;
103
+ }
104
+
105
+ #wp-to-twitter input {
106
+ max-width: 100%;
107
+ }
108
+
109
+ label[for="wpt_license_key"] {
110
+ font-size: 1.3em;
111
+ }
112
+
113
+ #wp-to-twitter .wpt-upgrade {
114
+ background: crimson;
115
+ color: #fff;
116
+ text-shadow: #000 0 1px 0;
117
+ border-radius: 2px 2px 0 0;
118
+ }
119
+
120
+ .wp-tweets-pro .widefat input[type=text] {
121
+ width: 100%;
122
+ }
123
+
124
+ #wpt_settings_page .tabs {
125
+ margin: 0 !important;
126
+ padding: 0 4px;
127
+ position: relative;
128
+ top: 1px;
129
+ }
130
+
131
+ #wpt_settings_page .tabs li {
132
+ display: inline;
133
+ margin: 0 auto;
134
+ line-height: 1;
135
+ }
136
+
137
+ #wpt_settings_page .tabs a {
138
+ display: inline-block;
139
+ padding: 4px 8px;
140
+ border-radius: 4px 4px 0 0;
141
+ border: 1px solid #ccc;
142
+ background: #f3f3f3;
143
+ }
144
+
145
+ #wpt_settings_page .tabs a.active {
146
+ border-bottom: 1px solid #fefefe;
147
+ background: #fefefe;
148
+ }
149
+
150
+ #wpt_settings_page .wptab {
151
+ background: #fff;
152
+ padding: 0 12px;
153
+ margin-bottom: 10px;
154
+ min-height: 200px;
155
+ border: 1px solid #ccc;
156
+ }
157
+
158
+ #wpt_settings_page input[type=text] {
159
+ font-size: 1.3em;
160
+ padding: 4px;
161
+ margin: 0 0 4px;
162
+ }
163
+
164
+ .wpt-permissions .wptab {
165
+ padding: 10px;
166
+ min-height: 160px !important;
167
+ }
168
+
169
+ .wpt-permissions legend {
170
+ background: none;
171
+ }
172
+
173
+ .wpt-terms li {
174
+ padding: 2px !important;
175
+ border-radius: 3px;
176
+ }
177
+
178
+ .tweet {
179
+ background: #070 url(../images/Ok.png) right 50% no-repeat;
180
+ color: #fff;
181
+ }
182
+
183
+ .notweet {
184
+ background: #9d1309 url(../images/Error.png) right 50% no-repeat;
185
+ color: #fff;
186
+ }
187
+
188
+ .donations * {
189
+ vertical-align: middle;
190
+ display: inline-block;
191
+ }
192
+
193
+ .jcd-wide {
194
+ width: 75%;
195
+ }
196
+
197
+ .jcd-narrow {
198
+ width: 20%;
199
+ }
200
+
201
+ @media (max-width: 782px) {
202
+ .jcd-narrow {
203
+ width: 100%;
204
+ }
205
+
206
+ .jcd-wide {
207
+ width: 100%;
208
+ }
209
+ }
css/twitter-feed.css CHANGED
@@ -1,15 +1,70 @@
1
- .wpt-left { float: left; margin-right: 10px; }
2
- .wpt-right { float: right; margin-left: 10px; }
3
- .wpt-twitter-name { font-size: 120%; line-height: 1; }
4
- .wpt-tweet-time { font-size: 90%; }
5
- .wpt-intents-border { border-top: 1px solid; opacity: .3; margin: 5px 0; }
6
- .wpt-intents { padding: 0 0 5px; text-align: center; }
7
- .wpt-intents a span { width: 16px; height: 16px; display: inline-block; margin-right: 3px; position: relative; top: 2px; }
8
- .wpt-intents .wpt-reply span { background: url(../images/spritev2.png) 0px; }
9
- .wpt-intents .wpt-retweet span { background: url(../images/spritev2.png) -80px; }
10
- .wpt-intents .wpt-favorite span { background: url(../images/spritev2.png) -32px; }
11
- .wpt-intents .wpt-reply:hover span, .wpt-intents .wpt-reply:focus span { background-position: -16px; }
12
- .wpt-intents .wpt-retweet:hover span, .wpt-intents .wpt-retweet:focus span { background-position: -96px; }
13
- .wpt-intents .wpt-favorite:hover span, .wpt-intents .wpt-favorite:focus span { background-position: -48px; }
14
- .retweeted .wpt-intents .wpt-retweet span { background-position: -112px; }
15
- .favorited .wpt-intents .wpt-favorite span { background-position: -64px; }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ .wpt-left {
2
+ float: left;
3
+ margin-right: 10px;
4
+ }
5
+
6
+ .wpt-right {
7
+ float: right;
8
+ margin-left: 10px;
9
+ }
10
+
11
+ .wpt-twitter-name {
12
+ font-size: 120%;
13
+ line-height: 1;
14
+ }
15
+
16
+ .wpt-tweet-time {
17
+ font-size: 90%;
18
+ }
19
+
20
+ .wpt-intents-border {
21
+ border-top: 1px solid;
22
+ opacity: .3;
23
+ margin: 5px 0;
24
+ }
25
+
26
+ .wpt-intents {
27
+ padding: 0 0 5px;
28
+ text-align: center;
29
+ }
30
+
31
+ .wpt-intents a span {
32
+ width: 16px;
33
+ height: 16px;
34
+ display: inline-block;
35
+ margin-right: 3px;
36
+ position: relative;
37
+ top: 2px;
38
+ }
39
+
40
+ .wpt-intents .wpt-reply span {
41
+ background: url(../images/spritev2.png) 0px;
42
+ }
43
+
44
+ .wpt-intents .wpt-retweet span {
45
+ background: url(../images/spritev2.png) -80px;
46
+ }
47
+
48
+ .wpt-intents .wpt-favorite span {
49
+ background: url(../images/spritev2.png) -32px;
50
+ }
51
+
52
+ .wpt-intents .wpt-reply:hover span, .wpt-intents .wpt-reply:focus span {
53
+ background-position: -16px;
54
+ }
55
+
56
+ .wpt-intents .wpt-retweet:hover span, .wpt-intents .wpt-retweet:focus span {
57
+ background-position: -96px;
58
+ }
59
+
60
+ .wpt-intents .wpt-favorite:hover span, .wpt-intents .wpt-favorite:focus span {
61
+ background-position: -48px;
62
+ }
63
+
64
+ .retweeted .wpt-intents .wpt-retweet span {
65
+ background-position: -112px;
66
+ }
67
+
68
+ .favorited .wpt-intents .wpt-favorite span {
69
+ background-position: -64px;
70
+ }
js/ajax.js CHANGED
@@ -1,34 +1,35 @@
1
  (function ($) {
2
- $(function() {
3
- $( '.wpt_log, #jts' ).hide();
4
- $( 'button.time' ).on( "click", function(e) {
5
- e.preventDefault();
6
- if ( $( '#jts' ).is( ":visible" ) ) {
7
- $( '#jts' ).hide( 250 );
8
- $( 'button.schedule' ).attr( 'disabled', 'disabled' );
9
- } else {
10
- $( '#jts' ).show( 250 );
11
- $( '#wpt_date').focus();
12
- $( 'button.schedule' ).removeAttr( 'disabled' );
13
- }
14
- }
15
- );
16
- $( 'button.tweet' ).on( 'click', function(e) {
17
- e.preventDefault();
18
- var text = $( '#jtw' ).val();
19
- var date = $( '#jts .date' ).val();
20
- var time = $( '#jts .time' ).val();
21
- var tweet_action = ( $(this).attr( 'data-action' ) === 'tweet' ) ? 'tweet' : 'schedule'
22
- var data = {
23
- 'action': wpt_data.action,
24
- 'tweet_post_id': wpt_data.post_ID,
25
- 'tweet_text': text,
26
- 'tweet_schedule': date + ' ' + time,
27
- 'tweet_action': tweet_action,
28
- };
29
- $.post( ajaxurl, data, function( response ) {
30
- $( '.wpt_log' ).text( response ).show( 500 );
31
- });
32
- });
33
- });
 
34
  }(jQuery));
1
  (function ($) {
2
+ $(function () {
3
+ $('.wpt_log, #jts').hide();
4
+ $('button.time').on("click", function (e) {
5
+ e.preventDefault();
6
+ if ($('#jts').is(":visible")) {
7
+ $('#jts').hide(250);
8
+ $('button.schedule').attr('disabled', 'disabled');
9
+ } else {
10
+ $('#jts').show(250);
11
+ $('#wpt_date').focus();
12
+ $('button.schedule').removeAttr('disabled');
13
+ }
14
+ }
15
+ );
16
+ $('button.tweet').on('click', function (e) {
17
+ e.preventDefault();
18
+ var text = $('#jtw').val();
19
+ var date = $('#jts .date').val();
20
+ var time = $('#jts .time').val();
21
+ var tweet_action = ( $(this).attr('data-action') === 'tweet' ) ? 'tweet' : 'schedule'
22
+ var data = {
23
+ 'action': wpt_data.action,
24
+ 'tweet_post_id': wpt_data.post_ID,
25
+ 'tweet_text': text,
26
+ 'tweet_schedule': date + ' ' + time,
27
+ 'tweet_action': tweet_action,
28
+ 'security': wpt_data.security
29
+ };
30
+ $.post(ajaxurl, data, function (response) {
31
+ $('.wpt_log').text(response).show(500);
32
+ });
33
+ });
34
+ });
35
  }(jQuery));
js/base.js CHANGED
@@ -1,25 +1,28 @@
1
- jQuery(document).ready(function($){
2
- $('#jtw, #wpt_retweet_0, #wpt_retweet_1, #wpt_retweet_3').charCount( { allowed: wptSettings.allowed, counterText: wptSettings.text } );
3
- $('#side-sortables .tabs a[href="'+wptSettings.first+'"]').addClass('active');
4
- $('#side-sortables .wptab').not( wptSettings.first ).hide();
5
- $('#side-sortables .tabs a').on('click',function(e) {
6
- e.preventDefault();
7
- $('#side-sortables .tabs a').removeClass('active');
8
- $(this).addClass('active');
9
- var target = $(this).attr('href');
10
- $('#side-sortables .wptab').not(target).hide();
11
- $(target).show();
12
- });
13
- // add custom retweets
14
- $( '.wp-to-twitter .expandable' ).hide();
15
- $( '.wp-to-twitter .tweet-toggle' ).on( 'click', function(e) {
16
- e.preventDefault();
17
- $( '.wp-to-twitter .expandable' ).toggle( 'slow' );
18
- });
19
- // tweet history log
20
- $( '.wp-to-twitter .history' ).hide();
21
- $( '.wp-to-twitter .history-toggle' ).on( 'click', function(e) {
22
- e.preventDefault();
23
- $( '.wp-to-twitter .history' ).toggle( 'slow' );
24
- });
 
 
 
25
  });
1
+ jQuery(document).ready(function ($) {
2
+ $('#jtw, #wpt_retweet_0, #wpt_retweet_1, #wpt_retweet_3').charCount({
3
+ allowed: wptSettings.allowed,
4
+ counterText: wptSettings.text
5
+ });
6
+ $('#side-sortables .tabs a[href="' + wptSettings.first + '"]').addClass('active');
7
+ $('#side-sortables .wptab').not(wptSettings.first).hide();
8
+ $('#side-sortables .tabs a').on('click', function (e) {
9
+ e.preventDefault();
10
+ $('#side-sortables .tabs a').removeClass('active');
11
+ $(this).addClass('active');
12
+ var target = $(this).attr('href');
13
+ $('#side-sortables .wptab').not(target).hide();
14
+ $(target).show();
15
+ });
16
+ // add custom retweets
17
+ $('.wp-to-twitter .expandable').hide();
18
+ $('.wp-to-twitter .tweet-toggle').on('click', function (e) {
19
+ e.preventDefault();
20
+ $('.wp-to-twitter .expandable').toggle('slow');
21
+ });
22
+ // tweet history log
23
+ $('.wp-to-twitter .history').hide();
24
+ $('.wp-to-twitter .history-toggle').on('click', function (e) {
25
+ e.preventDefault();
26
+ $('.wp-to-twitter .history').toggle('slow');
27
+ });
28
  });
js/jquery.charcount.js CHANGED
@@ -12,51 +12,55 @@
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 ? 18 : 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);
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 ? 18 : 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 () {
57
+ calculate(this)
58
+ });
59
+ $(this).change(function () {
60
+ calculate(this)
61
+ });
62
+ });
63
+
64
+ };
65
 
66
  })(jQuery);
js/tabs.js CHANGED
@@ -1,28 +1,30 @@
1
- jQuery(document).ready(function($){
2
- var tabs = $('.wpt-settings .wptab').length;
3
- $('.wpt-settings .tabs a[href="#'+firstItem+'"]').addClass('active');
4
- if ( tabs > 1 ) {
5
- $('.wpt-settings .wptab').not('#'+firstItem).hide();
6
- $('.wpt-settings .tabs a').on('click',function(e) {
7
- e.preventDefault();
8
- $('.wpt-settings .tabs a').removeClass('active');
9
- $(this).addClass('active');
10
- var target = $(this).attr('href');
11
- $('.wpt-settings .wptab').not(target).hide();
12
- $(target).show();
13
- });
14
- };
15
- var permissions = $('.wpt-permissions .wptab').length;
16
- $('.wpt-permissions .tabs a[href="#'+firstPerm+'"]').addClass('active');
17
- if ( permissions > 1 ) {
18
- $('.wpt-permissions .wptab').not('#'+firstPerm).hide();
19
- $('.wpt-permissions .tabs a').on('click',function(e) {
20
- e.preventDefault();
21
- $('.wpt-permissions .tabs a').removeClass('active');
22
- $(this).addClass('active');
23
- var target = $(this).attr('href');
24
- $('.wpt-permissions .wptab').not(target).hide();
25
- $(target).show();
26
- });
27
- };
 
 
28
  });
1
+ jQuery(document).ready(function ($) {
2
+ var tabs = $('.wpt-settings .wptab').length;
3
+ $('.wpt-settings .tabs a[href="#' + firstItem + '"]').addClass('active');
4
+ if (tabs > 1) {
5
+ $('.wpt-settings .wptab').not('#' + firstItem).hide();
6
+ $('.wpt-settings .tabs a').on('click', function (e) {
7
+ e.preventDefault();
8
+ $('.wpt-settings .tabs a').removeClass('active');
9
+ $(this).addClass('active');
10
+ var target = $(this).attr('href');
11
+ $('.wpt-settings .wptab').not(target).hide();
12
+ $(target).show();
13
+ });
14
+ }
15
+ ;
16
+ var permissions = $('.wpt-permissions .wptab').length;
17
+ $('.wpt-permissions .tabs a[href="#' + firstPerm + '"]').addClass('active');
18
+ if (permissions > 1) {
19
+ $('.wpt-permissions .wptab').not('#' + firstPerm).hide();
20
+ $('.wpt-permissions .tabs a').on('click', function (e) {
21
+ e.preventDefault();
22
+ $('.wpt-permissions .tabs a').removeClass('active');
23
+ $(this).addClass('active');
24
+ var target = $(this).attr('href');
25
+ $('.wpt-permissions .wptab').not(target).hide();
26
+ $(target).show();
27
+ });
28
+ }
29
+ ;
30
  });
lang/wp-to-twitter-be_BY.po DELETED
@@ -1,548 +0,0 @@
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.po DELETED
@@ -1,1170 +0,0 @@
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.po DELETED
@@ -1,1162 +0,0 @@
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 CHANGED
Binary file
lang/wp-to-twitter-de_DE.po DELETED
@@ -1,1215 +0,0 @@
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 ""
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-es_ES.po DELETED
@@ -1,1291 +0,0 @@
1
- # Translation of WP to Twitter in Spanish (Spain)
2
- # This file is distributed under the same license as the WP to Twitter package.
3
- msgid ""
4
- msgstr ""
5
- "PO-Revision-Date: 2014-02-10 17:02:28+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:497
14
- msgid "These categories are currently <strong>excluded</strong> by the deprecated WP to Twitter category filters."
15
- msgstr "Éstas categorías están actualmente <strong>excluídas</strong> por los filtros de categoría de rechazo de WP to Twitter"
16
-
17
- #: wp-to-twitter-manager.php:499
18
- msgid "These categories are currently <strong>allowed</strong> by the deprecated WP to Twitter category filters."
19
- msgstr "Éstas categorías están actualmente <strong>permitidas</strong> por los filtros de categoría de rechazo de WP to Twitter"
20
-
21
- #: wp-to-twitter-manager.php:508
22
- msgid "<a href=\"%s\">Upgrade to WP Tweets PRO</a> to filter posts in all custom post types on any taxonomy."
23
- msgstr "<a href=\"%s\">Actualiza a WP Tweets PRO</a> para filtrar las entradas en todos los tipos de entradas o cualquier taxonomía."
24
-
25
- #: wp-to-twitter-manager.php:510
26
- msgid "Updating the WP Tweets PRO taxonomy filters will overwrite your old category filters."
27
- msgstr "Actualizar los filtros de taxonomía de WP Tweets PRO sobrescribirá tus filtros de categoría antiguos."
28
-
29
- #: wp-to-twitter-manager.php:457
30
- msgid "Status Update Templates"
31
- msgstr "Plantillas de actualización de estado"
32
-
33
- #: wp-to-twitter-manager.php:777
34
- msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a><br />Every donation matters - donate $5, $20, or $100 today!"
35
- msgstr "<a href=\"http://www.joedolson.com/donate.php\"> ¡Haz una donación hoy!</a><br />Cada donación cuenta - ¡dona 5$, 20$ o 100$ hoy!"
36
-
37
- #: wp-to-twitter-manager.php:802
38
- msgid "Authors can post to their own Twitter accounts"
39
- msgstr "Los autores pueden publicar en sus propias cuentas de Twitter"
40
-
41
- #: wp-to-twitter-manager.php:803
42
- msgid "Delay Tweets minutes or hours after you publish"
43
- msgstr "Retrasa los Tweets minutos u horas después de que publiques"
44
-
45
- #: wp-to-twitter-manager.php:806
46
- msgid "Filter Tweets by category, tag, or custom taxonomy"
47
- msgstr "Filtra Tweets por categoría, etiqueta o propia taxonomía"
48
-
49
- #: wpt-widget.php:52
50
- msgid "Error: "
51
- msgstr "Error:"
52
-
53
- #: wp-to-twitter-manager.php:462 wp-to-twitter-manager.php:545
54
- msgid "Save WP to Twitter Options"
55
- msgstr "Guarda las Opciones de WP to Twitter"
56
-
57
- #: wp-to-twitter-manager.php:518
58
- msgid "Template for new %1$s updates"
59
- msgstr "Plantilla para las nuevas actualizaciones %1$s "
60
-
61
- #: wp-to-twitter-manager.php:522
62
- msgid "Template for %1$s editing updates"
63
- msgstr "Plantilla para la edición de actualizaciones de %1$s"
64
-
65
- #: wp-to-twitter-manager.php:477 wp-to-twitter-manager.php:533
66
- msgid "Links"
67
- msgstr "Enlaces"
68
-
69
- #: wp-to-twitter-manager.php:562 wp-to-twitter-manager.php:726
70
- msgid "Save Advanced WP to Twitter Options"
71
- msgstr "Guarda las Opciones Avanzadas de WP to Twitter"
72
-
73
- #: wp-to-twitter-manager.php:799
74
- msgid "Upgrade to <strong>WP Tweets PRO</strong>!"
75
- msgstr "Actualiza a <strong>WP Tweets PRO</strong>!"
76
-
77
- #: wp-to-twitter-manager.php:800
78
- msgid "Bonuses in the PRO upgrade:"
79
- msgstr "Bonificaciones en la actualización a PRO"
80
-
81
- #: wp-to-twitter-manager.php:804
82
- msgid "Automatically schedule Tweets to post again later"
83
- msgstr "Programa \"tuits\" automáticamente para publicarlos más tarde"
84
-
85
- #: wp-to-twitter.php:324
86
- msgid "403 Forbidden: The request is understood, but has been refused by Twitter. Possible reasons: too many Tweets, same Tweet submitted twice, Tweet longer than 140 characters. Not an error from WP to Twitter."
87
- msgstr "Error 403: La petición se ha entendido, pero ha sido rechada por Twitter. Posibles razones: demasiados \"tuits\", envío duplicado del \"tuit\", \"tuit\" más largo de 140 caracteres. No es un error de WP to Twitter."
88
-
89
- #: wp-to-twitter.php:1099
90
- msgid "WP Tweets PRO 1.5.2+ allows you to select Twitter accounts. <a href=\"%s\">Log in and download now!</a>"
91
- msgstr "WP Tweets PRO 1.5.2+ te permite seleccionar cuentas de Twitter. <a href=\"%s\">¡Inicia sesión y descárgalo ya!</a>"
92
-
93
- #: wp-to-twitter.php:1197
94
- msgid "Delete Tweet History"
95
- msgstr "Borra el historial de \"tuits\""
96
-
97
- #: wpt-functions.php:368
98
- msgid "If you're having trouble with WP to Twitter, please try to answer these questions in your message:"
99
- msgstr "Si estás teniendo problemas con WP to Twitter, por favor intenta responder a estas preguntas en tu mensaje:"
100
-
101
- #: wpt-functions.php:371
102
- msgid "Did this error happen only once, or repeatedly?"
103
- msgstr "¿Te ha ocurrido este error una vez o repetidamente?"
104
-
105
- #: wpt-functions.php:372
106
- msgid "What was the Tweet, or an example Tweet, that produced this error?"
107
- msgstr "¿Cuál fue el \"tuit\" o un ejemplo de \"tuit\", que produjo este error?"
108
-
109
- #: wpt-functions.php:373
110
- msgid "If there was an error message from WP to Twitter, what was it?"
111
- msgstr "Si hubo un mensaje de error de WP to Twitter, ¿Cuál fue?"
112
-
113
- #: wpt-functions.php:374
114
- msgid "What is the template you're using for your Tweets?"
115
- msgstr "¿Cuál es la plantilla que estás usando para enviar tus \"tuits\"?"
116
-
117
- #: wp-to-twitter-oauth.php:227
118
- msgid "Your application name cannot include the word \"Twitter.\""
119
- msgstr "El nombre de tu aplicación no puede incluir la palabra \"Twitter\"."
120
-
121
- #: wp-to-twitter-oauth.php:232
122
- msgid "<em>Do NOT create your access token yet.</em>"
123
- msgstr "<em>No crees todavía tu propio token de acceso.</em>"
124
-
125
- #: wp-to-twitter-oauth.php:236
126
- msgid "Return to the Details tab and create your access token."
127
- msgstr "Vuelve a la pestaña de Detalles y crea tu propio token de acceso"
128
-
129
- #: wp-to-twitter.php:314
130
- msgid "304 Not Modified: There was no new data to return"
131
- msgstr "304 No Modificado: No había nuevos datos que devolver"
132
-
133
- #: wp-to-twitter.php:333
134
- msgid "422 Unprocessable Entity: The image uploaded could not be processed.."
135
- msgstr "422 Entidad no Procesable: La imagen subida no puede ser procesada. "
136
-
137
- #: wp-to-twitter.php:1101
138
- msgid "Upgrade to WP Tweets PRO to select Twitter accounts! <a href=\"%s\">Upgrade now!</a>"
139
- msgstr "¡Actualiza a WP Tweets PRO para seleccionar cuentas de Twitter! <a href=\"%s\">¡Actualiza Ahora!</a>"
140
-
141
- #: wp-to-twitter.php:1133
142
- msgid "Tweets must be less than 140 characters; Twitter counts URLs as 22 or 23 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>."
143
- msgstr "Los \"tuits\" tienen que ser de menos de 140 caracteres; Las direcciones URL de Twitter cuentan como 22 o 23 caracteres. Plantilla de Etiquetas: <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>."
144
-
145
- #: wpt-feed.php:164
146
- msgid "Twitter returned an invalid response. It is probably down."
147
- msgstr "Twitter devolvió una respuesta inválidad. Probablemente esté caído."
148
-
149
- #: wpt-widget.php:142
150
- msgid "Display a list of your latest tweets."
151
- msgstr "Muestra una lista de tus últimos \"tuits\""
152
-
153
- #: wpt-widget.php:150
154
- msgid "WP to Twitter - Latest Tweets"
155
- msgstr "WP to Twitter - Últimos \"tuits\""
156
-
157
- #: wpt-widget.php:89
158
- msgid "<a href=\"%3$s\">about %1$s ago</a> via %2$s"
159
- msgstr "<a href=\"%3$s\">hace como %1$s</a> vía %2$s"
160
-
161
- #: wpt-widget.php:91
162
- msgid "<a href=\"%2$s\">about %1$s ago</a>"
163
- msgstr "<a href=\"%2$s\">hace como %1$s</a>"
164
-
165
- #: wpt-widget.php:206
166
- msgid "Title"
167
- msgstr "Título"
168
-
169
- #: wpt-widget.php:211
170
- msgid "Twitter Username"
171
- msgstr "Nombre de Usuario en Twitter"
172
-
173
- #: wpt-widget.php:216
174
- msgid "Number of Tweets to Show"
175
- msgstr "Número de Tweets a mostrar"
176
-
177
- #: wpt-widget.php:222
178
- msgid "Hide @ Replies"
179
- msgstr "Oculta Respuestas @"
180
-
181
- #: wpt-widget.php:227
182
- msgid "Include Retweets"
183
- msgstr "Incluye Retweets"
184
-
185
- #: wpt-widget.php:232
186
- msgid "Parse links"
187
- msgstr "Analiza enlaces"
188
-
189
- #: wpt-widget.php:237
190
- msgid "Parse @mentions"
191
- msgstr "Analiza @mentions"
192
-
193
- #: wpt-widget.php:242
194
- msgid "Parse #hashtags"
195
- msgstr "Analiza #hashtags"
196
-
197
- #: wpt-widget.php:247
198
- msgid "Include Reply/Retweet/Favorite Links"
199
- msgstr "Incluye Respuesta/\"Retuits\"/Enlaces favoritos"
200
-
201
- #: wpt-widget.php:252
202
- msgid "Include Tweet source"
203
- msgstr "Incluye la fuente del \"tuit\""
204
-
205
- #: wp-to-twitter-manager.php:178
206
- msgid "Error:"
207
- msgstr "Error:"
208
-
209
- #: wp-to-twitter-manager.php:663
210
- msgid "No Analytics"
211
- msgstr "Sin Estadísticas"
212
-
213
- #: wp-to-twitter-manager.php:805
214
- msgid "Send Tweets for approved comments"
215
- msgstr "Enviar Tweets para comentarios aprobados"
216
-
217
- #: wp-to-twitter.php:70
218
- msgid "The current version of WP Tweets PRO is <strong>%s</strong>. <a href=\"http://www.joedolson.com/articles/account/\">Upgrade for best compatibility!</a>"
219
- msgstr "La versión actual de WP Tweets PRO es <strong>%s</strong>. <a href=\"http://www.joedolson.com/articles/account/\">¡Actualice para mejor compatibilidad!</a>"
220
-
221
- #: wp-to-twitter.php:82
222
- msgid "Tweeting of comments has been moved to <a href=\"%1$s\">WP Tweets PRO</a>. You will need to upgrade in order to Tweet comments. <a href=\"%2$s\">Dismiss</a>"
223
- msgstr "Los Tweets de comentarios han sido trasladados a <a href=\"%1$s\">WP Tweets PRO</a>. Necesita actualizar para Twitear comentarios. <a href=\"%2$s\">Descartar</a>"
224
-
225
- #: wp-to-twitter.php:1031
226
- msgid "Tweeting %s edits is disabled."
227
- msgstr "Tweetear ediciones de %s está desactivado."
228
-
229
- #: wp-to-twitter.php:1501
230
- msgid "I hope you've enjoyed <strong>WP to Twitter</strong>! Take a look at <a href='%s'>upgrading to WP Tweets PRO</a> for advanced Tweeting with WordPress! <a href='%s'>Dismiss</a>"
231
- msgstr "¡Espero haya disfrutado <strong>WP to Twitter</strong>! ¡Eche un vistazo a <a href='%s'>actualizando a WP Tweets PRO</a> para un Tweeteo avanzado con WordPress! <a href='%s'>Descartar</a>"
232
-
233
- msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your URL shortening service. Rich in features for customizing and promoting your Tweets."
234
- msgstr "Publica un Tweet cuando atualice su blog Wordpress o publique en su blogroll, usando su servicio de URL abreviadas. Rico en características para personalizar y promover sus Tweets."
235
-
236
- #: wp-to-twitter-shorteners.php:379
237
- msgid "Your jotURL account details"
238
- msgstr "Detalles de su cuenta jotURL"
239
-
240
- #: wp-to-twitter-shorteners.php:383
241
- msgid "Your jotURL public <abbr title='application programming interface'>API</abbr> key:"
242
- msgstr "La llave pública de su <abbr title='application programming interface'>API</abbr> jotURL:"
243
-
244
- #: wp-to-twitter-shorteners.php:384
245
- msgid "Your jotURL private <abbr title='application programming interface'>API</abbr> key:"
246
- msgstr "La llave privada de su <abbr title='application programming interface'>API</abbr> jotURL:"
247
-
248
- #: wp-to-twitter-shorteners.php:385
249
- msgid "Parameters to add to the long URL (before shortening):"
250
- msgstr "Parámetros para agregar a la URL larga (antes de abreviar):"
251
-
252
- #: wp-to-twitter-shorteners.php:385
253
- msgid "Parameters to add to the short URL (after shortening):"
254
- msgstr "Parámetros para agregar a la URL larga (despues de abreviar):"
255
-
256
- #: wp-to-twitter-shorteners.php:386
257
- msgid "View your jotURL public and private API key"
258
- msgstr "Ver sus llaves pública y privada de la API de jotURL"
259
-
260
- #: wp-to-twitter-shorteners.php:389
261
- msgid "Save jotURL settings"
262
- msgstr "Guardar configuración de jotURL"
263
-
264
- #: wp-to-twitter-shorteners.php:389
265
- msgid "Clear jotURL settings"
266
- msgstr "Borrar configuración de jotURL"
267
-
268
- #: wp-to-twitter-shorteners.php:390
269
- msgid "A jotURL public and private API key is required to shorten URLs via the jotURL API and WP to Twitter."
270
- msgstr "Una llave pública y privada de la API de jotURL es requerida para abreviar vía API de jotURL y WP to Twitter."
271
-
272
- #: wp-to-twitter-shorteners.php:485
273
- msgid "jotURL private API Key Updated. "
274
- msgstr "Llave privada de API jotURL Actualizada."
275
-
276
- #: wp-to-twitter-shorteners.php:488
277
- msgid "jotURL private API Key deleted. You cannot use the jotURL API without a private API key. "
278
- msgstr "Llave privada de API jotURL borrada. No puede usar la API jotURL sin una llave privada de API."
279
-
280
- #: wp-to-twitter-shorteners.php:490
281
- 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. "
282
- msgstr "Llave privada de API jotURL no agregada - <a href='https://www.joturl.com/reserved/api.html'>obtenga una aquí</a>! Una llave privada de API es requerida para usar el servicio de abreviación de URL de jotURL."
283
-
284
- #: wp-to-twitter-shorteners.php:494
285
- msgid "jotURL public API Key Updated. "
286
- msgstr "Llave pública de API jotURL Actualizada."
287
-
288
- #: wp-to-twitter-shorteners.php:497
289
- msgid "jotURL public API Key deleted. You cannot use the jotURL API without providing your public API Key. "
290
- msgstr "Llave pública de API jotURL borrada. No puede usar la API jotURL sin proporcionar su llave pública de API."
291
-
292
- #: wp-to-twitter-shorteners.php:499
293
- msgid "jotURL public API Key not added - <a href='https://www.joturl.com/reserved/api.html'>get one here</a>! "
294
- msgstr "Llave pública de API jotURL no agregada - <a href='https://www.joturl.com/reserved/api.html'>obtenga una aquí</a>! "
295
-
296
- #: wp-to-twitter-shorteners.php:505
297
- msgid "Long URL parameters added. "
298
- msgstr "Parámetros de URL larga añadidos."
299
-
300
- #: wp-to-twitter-shorteners.php:508
301
- msgid "Long URL parameters deleted. "
302
- msgstr "Parámetros de URL larga borrados."
303
-
304
- #: wp-to-twitter-shorteners.php:514
305
- msgid "Short URL parameters added. "
306
- msgstr "Parámetros de URL abreviada añadidos."
307
-
308
- #: wp-to-twitter-shorteners.php:517
309
- msgid "Short URL parameters deleted. "
310
- msgstr "Parámetros de URL abreviada borrados."
311
-
312
- #: wp-to-twitter-shorteners.php:531
313
- msgid "You must add your jotURL public and private API key in order to shorten URLs with jotURL."
314
- msgstr "Usted debe agregar sus llaves pública u privada de la API de jotURL para abreviar URLs con jotURL"
315
-
316
- #: wp-to-twitter-manager.php:565
317
- msgid "Tags"
318
- msgstr "Etiquetas"
319
-
320
- #: wp-to-twitter-manager.php:581
321
- msgid "Template Tag Settings"
322
- msgstr "Configuración de Plantilla de Etiquetas"
323
-
324
- #: wp-to-twitter-manager.php:583
325
- msgid "Extracted from the post. If you use the 'Excerpt' field, it will be used instead."
326
- msgstr "Extraído de la publicación. Si usted usa el campo 'Extracto', este será usado en cambio."
327
-
328
- #: wp-to-twitter-manager.php:626
329
- msgid "Template tag priority order"
330
- msgstr "Orden de prioridad de plantilla de etiquetas"
331
-
332
- #: wp-to-twitter-manager.php:627
333
- msgid "The order in which items will be abbreviated or removed from your Tweet if the Tweet is too long to send to Twitter."
334
- msgstr "Orden en el cual los items serán abreviados o removidos de su Tweet si este es muy largo para enviar a Twitter."
335
-
336
- #: wp-to-twitter-manager.php:667
337
- msgid "Author Settings"
338
- msgstr "Configuración de Autor"
339
-
340
- #: wp-to-twitter-manager.php:672
341
- 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."
342
- msgstr "Los autores puede agregar su nombre de usuario a su perfil. Con la versión gratuita de WP to Twitter, agrega una @referencia al autor. La @referencia es colocada usando el shortcode <code>#account#</code>, el cual eligirá la cuenta principal si la cuenta de usuario no está configurada."
343
-
344
- #: wp-to-twitter-manager.php:676
345
- msgid "Permissions"
346
- msgstr "Permisos"
347
-
348
- #: wp-to-twitter-manager.php:711
349
- msgid "Error Messages and Debugging"
350
- msgstr "Mensajes de Error y Depuración"
351
-
352
- #: wp-to-twitter-manager.php:829
353
- msgid "<code>#cat_desc#</code>: custom value from the category description field"
354
- msgstr "<code>#cat_desc#</code>: valor personalizado del campo descripción de categoría"
355
-
356
- #: wp-to-twitter-manager.php:836
357
- msgid "<code>#@#</code>: the twitter @reference for the author or blank, if not set"
358
- msgstr "<code>#@#</code>: La @referencia de twitter para el autor o en blanco si no está configurado"
359
-
360
- #: wp-to-twitter-oauth.php:186
361
- msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>."
362
- msgstr "¿Problemas de conexión? Intente <a href='#wpt_http'>cambiar a conultas <code>http</code></a>."
363
-
364
- #: wp-to-twitter-oauth.php:283
365
- 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>"
366
- msgstr "<strong>Consejo de Resolución de Problemas:</strong> Conectado, ¿pero teniendo un error sobre credenciales de autentificación perdidas o incorrectas? Revisa que tu token de acceso tiene permisos de lectura y escritura. Si no, vas a tener que crear un nuevo token. <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/#q1\">Lee las FAQ</a>"
367
-
368
- #: wp-to-twitter-oauth.php:310 wp-to-twitter-oauth.php:316
369
- msgid "Twitter's server time: "
370
- msgstr "Hora del servidor de Twitter:"
371
-
372
- #: wp-to-twitter.php:1381
373
- msgid "Upgrade"
374
- msgstr "Actualiza"
375
-
376
- #: wp-to-twitter-manager.php:570
377
- msgid "Use tag slug as hashtag value"
378
- msgstr "Usa la etiqueta de publicación como valor del hashtag"
379
-
380
- #: wp-to-twitter-manager.php:177
381
- msgid "WP to Twitter failed to connect with Twitter. Try <a href=\"#wpt_http\">switching to an HTTP connection</a>."
382
- msgstr "WP to Twitter falló al conectar con Twitter. Intenta <a href=\"#wpt_http\">cambiar a una conexión HTTP</a>."
383
-
384
- #: wp-to-twitter-shorteners.php:549
385
- msgid "Choose a short URL service (account settings below)"
386
- msgstr "Elige un servicio de acortamiento de URL (detalles de la cuenta debajo)"
387
-
388
- #: wp-to-twitter-shorteners.php:555
389
- msgid "YOURLS (on this server)"
390
- msgstr "YOURLS (en este servidor)"
391
-
392
- #: wp-to-twitter-shorteners.php:556
393
- msgid "YOURLS (on a remote server)"
394
- msgstr "YOURLS (en un servidor remoto)"
395
-
396
- #: wpt-functions.php:348
397
- 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>."
398
- msgstr "¡Gracias por apoyar el continuo desarrollo de este plug-in! Te responderé tan pronto como pueda. Por favor asegúrate que puedes recibir e-mails en <code>%s</code>."
399
-
400
- #: wpt-functions.php:350
401
- msgid "Thanks for using WP to Twitter. Please ensure that you can receive email at <code>%s</code>."
402
- msgstr "Gracias por usar WP to Twitter. Por favor asegúrate que puedes recibir e-mails en <code>%s</code>."
403
-
404
- #: wpt-functions.php:379
405
- msgid "Reply to:"
406
- msgstr "Responder a:"
407
-
408
- #: wp-to-twitter-manager.php:692
409
- msgid "The lowest user group that can add their Twitter information"
410
- msgstr "El usuario de grupo más bajo que puede añadir su información de Twitter"
411
-
412
- #: wp-to-twitter-manager.php:697
413
- msgid "The lowest user group that can see the Custom Tweet options when posting"
414
- msgstr "El usuario de grupo más bajo que puede ver el Tweet personalizado al postear"
415
-
416
- #: wp-to-twitter-manager.php:702
417
- msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
418
- msgstr "El usuario de grupo más bajo que puede manejar la opción Twittear/No Twittear"
419
-
420
- #: wp-to-twitter-manager.php:707
421
- msgid "The lowest user group that can send Twitter updates"
422
- msgstr "El usuario de grupo más bajo que puede enviar actualizaciones de Twitter"
423
-
424
- #: wp-to-twitter-manager.php:833
425
- msgid "<code>#author#</code>: the post author (@reference if available, otherwise display name)"
426
- msgstr "<code>#author#</code>: el autor del post (@referencia si está disponible, si no muestra un nombre)"
427
-
428
- #: wp-to-twitter-manager.php:834
429
- msgid "<code>#displayname#</code>: post author's display name"
430
- msgstr "<code>#displayname#</code>: nombre que muestra el autor del post"
431
-
432
- #: wp-to-twitter.php:270
433
- msgid "This tweet was blank and could not be sent to Twitter."
434
- msgstr "El Tweet estaba en blanco y no se pudo mandar a Twitter"
435
-
436
- #: wp-to-twitter.php:327
437
- msgid "404 Not Found: The URI requested is invalid or the resource requested does not exist."
438
- msgstr "404 No Encontrado: La URI pedida es inválidad o la fuente pedida no existe."
439
-
440
- #: wp-to-twitter.php:330
441
- msgid "406 Not Acceptable: Invalid Format Specified."
442
- msgstr "406 No Aceptable: Formato Especificado Inválido."
443
-
444
- #: wp-to-twitter.php:336
445
- msgid "429 Too Many Requests: You have exceeded your rate limits."
446
- msgstr "429 Demasiadas Solicitudes: Has excedido tu límite."
447
-
448
- #: wp-to-twitter.php:348
449
- 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."
450
- msgstr "504 Tiempo de espera agotado: Los servidores de Twitter están bien, pero tu solicitud no pudo ser atendida por algún fallo nuestro. Inténtalo de nuevo más tarde."
451
-
452
- #: wp-to-twitter.php:1049
453
- msgid "Your prepended Tweet text; not part of your template."
454
- msgstr "El texto antepuesto del Tweet; no parte de tu plantilla."
455
-
456
- #: wp-to-twitter.php:1052
457
- msgid "Your appended Tweet text; not part of your template."
458
- msgstr "El texto anexo del Tweet; no parte de tu plantilla."
459
-
460
- #: wp-to-twitter.php:1152
461
- msgid "Your role does not have the ability to Post Tweets from this site."
462
- msgstr "Tu perfil no tiene la habilidad de publicar Tweets desde este sitio."
463
-
464
- #: wp-to-twitter.php:1315
465
- msgid "Hide account name in Tweets"
466
- msgstr "Esconder el nombre de la cuenta en Twitter"
467
-
468
- #: wp-to-twitter.php:1316
469
- msgid "Do not display my account in the #account# template tag."
470
- msgstr "No mostar mi cuenta en la plantilla de la #cuenta#"
471
-
472
- #: wpt-functions.php:382
473
- msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
474
- msgstr "He leído <a href=\"%1$s\">las preguntas frecuentes de este plug-in</a> <span>(requerido)</span>"
475
-
476
- #: wpt-functions.php:385
477
- msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
478
- msgstr "He <a href=\"%1$s\">hecho una donación para apoyar este plug-in</a>"
479
-
480
- #: wpt-functions.php:388
481
- msgid "Support Request:"
482
- msgstr "Petición de Soporte:"
483
-
484
- #: wp-to-twitter-manager.php:518
485
- msgid "Update when %1$s %2$s is published"
486
- msgstr "Actualizar cuenta %1$s %2$s sea publicado"
487
-
488
- #: wp-to-twitter-manager.php:522
489
- msgid "Update when %1$s %2$s is edited"
490
- msgstr "Actualiza cuando %1$s %2$s sea editado"
491
-
492
- #: wp-to-twitter-oauth.php:220
493
- msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
494
- msgstr "El huso horario de tu servidor (debería ser UTC, GMT, Europa/Londres o equivalente):"
495
-
496
- #: wp-to-twitter-shorteners.php:559
497
- msgid "Use Twitter Friendly Links."
498
- msgstr "Usar los enlacesTwitter Friendly"
499
-
500
- #: wp-to-twitter-shorteners.php:333
501
- msgid "View your Bit.ly username and API key"
502
- msgstr "Ver tu nombre de usuario y llave API de Bit.ly"
503
-
504
- #: wp-to-twitter-shorteners.php:395
505
- msgid "Your shortener does not require any account settings."
506
- msgstr "Tu acortador no necesita ninguna otra configuración de cuenta."
507
-
508
- #: wp-to-twitter.php:305
509
- msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
510
- msgstr "Tu aplicación de Twitter no tiene permisos de lectura y escritura. Ve a <a href=\"%s\">tus aplicaciones de Twitter</a> para modificar esa configuración."
511
-
512
- #: wp-to-twitter.php:1176
513
- msgid "Failed Tweets"
514
- msgstr "Tweets fallidos"
515
-
516
- #: wp-to-twitter.php:1191
517
- msgid "No failed tweets on this post."
518
- msgstr "No hay tweets fallidos en esta publicación."
519
-
520
- #: wp-to-twitter-manager.php:839
521
- 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."
522
- msgstr "<code>#referencia#</code>: Usada solo en co-twiteo. @referencia a cuenta principal cuando se publica a cuenta de autor, @referencia a cuenta de autor cuando se publica a cuenta principal."
523
-
524
- #: wp-to-twitter-oauth.php:287
525
- msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
526
- msgstr "WP to Twitter no pudo contactar con el servidor remoto de Twitter: Aquí está el error provocado:"
527
-
528
- #: wp-to-twitter.php:255
529
- msgid "This account is not authorized to post to Twitter."
530
- msgstr "Esta cuenta no está autorizada a publicar en Twitter."
531
-
532
- #: wp-to-twitter.php:264
533
- msgid "This tweet is identical to another Tweet recently sent to this account."
534
- msgstr "Este Tweet es idéntico a otro Tweet recientemente enviado a esta cuenta."
535
-
536
- #: wp-to-twitter-shorteners.php:299
537
- msgid "(optional)"
538
- msgstr "(opcional)"
539
-
540
- #: wp-to-twitter-manager.php:638
541
- msgid "Do not post Tweets by default (editing only)"
542
- msgstr "No publicar Tweets por defecto (solo editando)"
543
-
544
- #: wp-to-twitter-manager.php:831
545
- msgid "<code>#modified#</code>: the post modified date"
546
- msgstr ""
547
-
548
- #: wp-to-twitter-oauth.php:285
549
- msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
550
- msgstr ""
551
-
552
- #: wp-to-twitter-manager.php:670
553
- msgid "Authors have individual Twitter accounts"
554
- msgstr "Los autores tienen cuentas de Twitter individuales"
555
-
556
- #: wp-to-twitter-manager.php:713
557
- msgid "Disable global URL shortener error messages."
558
- msgstr ""
559
-
560
- #: wp-to-twitter-manager.php:714
561
- msgid "Disable global Twitter API error messages."
562
- msgstr ""
563
-
564
- #: wp-to-twitter-manager.php:716
565
- msgid "Get Debugging Data for OAuth Connection"
566
- msgstr ""
567
-
568
- #: wp-to-twitter-manager.php:718
569
- msgid "Switch to <code>http</code> connection. (Default is https)"
570
- msgstr ""
571
-
572
- #: wp-to-twitter-manager.php:720
573
- msgid "I made a donation, so stop whinging at me, please."
574
- msgstr ""
575
-
576
- #: wp-to-twitter-manager.php:735
577
- msgid "Get Plug-in Support"
578
- msgstr ""
579
-
580
- #: wp-to-twitter-manager.php:746
581
- msgid "Check Support"
582
- msgstr "Chequear soporte"
583
-
584
- #: wp-to-twitter-manager.php:746
585
- 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."
586
- msgstr ""
587
-
588
- #: wp-to-twitter-manager.php:765
589
- msgid "Support WP to Twitter"
590
- msgstr ""
591
-
592
- #: wp-to-twitter-manager.php:767
593
- msgid "WP to Twitter Support"
594
- msgstr ""
595
-
596
- #: wp-to-twitter-manager.php:775 wp-to-twitter.php:1143 wp-to-twitter.php:1145
597
- msgid "Get Support"
598
- msgstr "Consiga soporte"
599
-
600
- #: wp-to-twitter-manager.php:797
601
- msgid "Upgrade Now!"
602
- msgstr ""
603
-
604
- #: wp-to-twitter-manager.php:821
605
- msgid "Shortcodes"
606
- msgstr ""
607
-
608
- #: wp-to-twitter-manager.php:823
609
- msgid "Available in post update templates:"
610
- msgstr ""
611
-
612
- #: wp-to-twitter-manager.php:825
613
- msgid "<code>#title#</code>: the title of your blog post"
614
- msgstr ""
615
-
616
- #: wp-to-twitter-manager.php:826
617
- msgid "<code>#blog#</code>: the title of your blog"
618
- msgstr ""
619
-
620
- #: wp-to-twitter-manager.php:827
621
- msgid "<code>#post#</code>: a short excerpt of the post content"
622
- msgstr ""
623
-
624
- #: wp-to-twitter-manager.php:828
625
- msgid "<code>#category#</code>: the first selected category for the post"
626
- msgstr ""
627
-
628
- #: wp-to-twitter-manager.php:830
629
- msgid "<code>#date#</code>: the post date"
630
- msgstr ""
631
-
632
- #: wp-to-twitter-manager.php:832
633
- msgid "<code>#url#</code>: the post URL"
634
- msgstr ""
635
-
636
- #: wp-to-twitter-manager.php:835
637
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
638
- msgstr ""
639
-
640
- #: wp-to-twitter-manager.php:837
641
- msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
642
- msgstr ""
643
-
644
- #: wp-to-twitter-manager.php:842
645
- 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>"
646
- msgstr ""
647
-
648
- #: wp-to-twitter-oauth.php:115
649
- msgid "WP to Twitter was unable to establish a connection to Twitter."
650
- msgstr ""
651
-
652
- #: wp-to-twitter-oauth.php:187
653
- msgid "There was an error querying Twitter's servers"
654
- msgstr ""
655
-
656
- #: wp-to-twitter-oauth.php:211 wp-to-twitter-oauth.php:214
657
- msgid "Connect to Twitter"
658
- msgstr ""
659
-
660
- #: wp-to-twitter-oauth.php:217
661
- msgid "WP to Twitter Set-up"
662
- msgstr ""
663
-
664
- #: wp-to-twitter-oauth.php:218 wp-to-twitter-oauth.php:310
665
- #: wp-to-twitter-oauth.php:315
666
- msgid "Your server time:"
667
- msgstr ""
668
-
669
- #: wp-to-twitter-oauth.php:218
670
- msgid "Twitter's time:"
671
- msgstr ""
672
-
673
- #: wp-to-twitter-oauth.php:218
674
- msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
675
- msgstr ""
676
-
677
- #: wp-to-twitter-oauth.php:224
678
- msgid "1. Register this site as an application on "
679
- msgstr ""
680
-
681
- #: wp-to-twitter-oauth.php:224
682
- msgid "Twitter's application registration page"
683
- msgstr ""
684
-
685
- #: wp-to-twitter-oauth.php:226
686
- msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
687
- msgstr ""
688
-
689
- #: wp-to-twitter-oauth.php:228
690
- msgid "Your Application Description can be anything."
691
- msgstr ""
692
-
693
- #: wp-to-twitter-oauth.php:229
694
- msgid "The WebSite and Callback URL should be "
695
- msgstr ""
696
-
697
- #: wp-to-twitter-oauth.php:231
698
- msgid "Agree to the Developer Rules of the Road and continue."
699
- msgstr ""
700
-
701
- #: wp-to-twitter-oauth.php:232
702
- msgid "2. Switch to the \"Settings\" tab in Twitter apps"
703
- msgstr ""
704
-
705
- #: wp-to-twitter-oauth.php:234
706
- msgid "Select \"Read and Write\" for the Application Type"
707
- msgstr ""
708
-
709
- #: wp-to-twitter-oauth.php:235
710
- msgid "Update the application settings"
711
- msgstr ""
712
-
713
- #: wp-to-twitter-oauth.php:238
714
- msgid "Once you have registered your site as an application, you will be provided with four keys."
715
- msgstr ""
716
-
717
- #: wp-to-twitter-oauth.php:239
718
- msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
719
- msgstr ""
720
-
721
- #: wp-to-twitter-oauth.php:242
722
- msgid "Twitter Consumer Key"
723
- msgstr ""
724
-
725
- #: wp-to-twitter-oauth.php:246
726
- msgid "Twitter Consumer Secret"
727
- msgstr ""
728
-
729
- #: wp-to-twitter-oauth.php:250
730
- msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
731
- msgstr ""
732
-
733
- #: wp-to-twitter-oauth.php:251
734
- 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."
735
- msgstr ""
736
-
737
- #: wp-to-twitter-oauth.php:254
738
- msgid "Access Token"
739
- msgstr ""
740
-
741
- #: wp-to-twitter-oauth.php:258
742
- msgid "Access Token Secret"
743
- msgstr ""
744
-
745
- #: wp-to-twitter-oauth.php:277
746
- msgid "Disconnect Your WordPress and Twitter Account"
747
- msgstr ""
748
-
749
- #: wp-to-twitter-oauth.php:281
750
- msgid "Disconnect your WordPress and Twitter Account"
751
- msgstr ""
752
-
753
- #: wp-to-twitter-oauth.php:292
754
- msgid "Disconnect from Twitter"
755
- msgstr ""
756
-
757
- #: wp-to-twitter-oauth.php:298
758
- msgid "Twitter Username "
759
- msgstr ""
760
-
761
- #: wp-to-twitter-oauth.php:299
762
- msgid "Consumer Key "
763
- msgstr ""
764
-
765
- #: wp-to-twitter-oauth.php:300
766
- msgid "Consumer Secret "
767
- msgstr ""
768
-
769
- #: wp-to-twitter-oauth.php:301
770
- msgid "Access Token "
771
- msgstr ""
772
-
773
- #: wp-to-twitter-oauth.php:302
774
- msgid "Access Token Secret "
775
- msgstr ""
776
-
777
- #: wp-to-twitter-oauth.php:202
778
- msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
779
- msgstr ""
780
-
781
- #: wp-to-twitter.php:310
782
- msgid "200 OK: Success!"
783
- msgstr ""
784
-
785
- #: wp-to-twitter.php:317
786
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
787
- msgstr ""
788
-
789
- #: wp-to-twitter.php:320
790
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
791
- msgstr ""
792
-
793
- #: wp-to-twitter.php:339
794
- msgid "500 Internal Server Error: Something is broken at Twitter."
795
- msgstr ""
796
-
797
- #: wp-to-twitter.php:345
798
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
799
- msgstr ""
800
-
801
- #: wp-to-twitter.php:342
802
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
803
- msgstr ""
804
-
805
- #: wp-to-twitter.php:385
806
- msgid "No Twitter OAuth connection found."
807
- msgstr ""
808
-
809
- #: wp-to-twitter.php:1160
810
- msgid "Previous Tweets"
811
- msgstr ""
812
-
813
- #: wp-to-twitter.php:1044
814
- msgid "Custom Twitter Post"
815
- msgstr ""
816
-
817
- #: wp-to-twitter.php:1055
818
- msgid "Your template:"
819
- msgstr ""
820
-
821
- #: wp-to-twitter.php:1059
822
- msgid "YOURLS Custom Keyword"
823
- msgstr ""
824
-
825
- #: wp-to-twitter.php:1143
826
- msgid "Upgrade to WP Tweets Pro"
827
- msgstr ""
828
-
829
- #: wp-to-twitter.php:1070
830
- msgid "Don't Tweet this post."
831
- msgstr "No Tweetear esta entrada."
832
-
833
- #: wp-to-twitter.php:1070
834
- msgid "Tweet this post."
835
- msgstr ""
836
-
837
- #: wp-to-twitter.php:1121
838
- msgid "Access to customizing WP to Twitter values is not allowed for your user role."
839
- msgstr ""
840
-
841
- #: wp-to-twitter.php:1232
842
- msgid "Characters left: "
843
- msgstr ""
844
-
845
- #: wp-to-twitter.php:1301
846
- msgid "WP Tweets User Settings"
847
- msgstr ""
848
-
849
- #: wp-to-twitter.php:1305
850
- msgid "Use My Twitter Username"
851
- msgstr ""
852
-
853
- #: wp-to-twitter.php:1306
854
- msgid "Tweet my posts with an @ reference to my username."
855
- msgstr ""
856
-
857
- #: wp-to-twitter.php:1307
858
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
859
- msgstr ""
860
-
861
- #: wp-to-twitter.php:1311
862
- msgid "Your Twitter Username"
863
- msgstr "Su nombre de usuario de Twitter"
864
-
865
- #: wp-to-twitter.php:1312
866
- msgid "Enter your own Twitter username."
867
- msgstr "Introduzca su nombre de usuario de Twitter"
868
-
869
- #: wp-to-twitter.php:1380
870
- msgid "Settings"
871
- msgstr "Configuración"
872
-
873
- #: wp-to-twitter.php:1418
874
- msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
875
- msgstr ""
876
-
877
- msgid "WP to Twitter"
878
- msgstr "WP to Twitter"
879
-
880
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
881
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
882
-
883
- msgid "Joseph Dolson"
884
- msgstr "Joseph Dolson"
885
-
886
- msgid "http://www.joedolson.com/"
887
- msgstr "http://www.joedolson.com/"
888
-
889
- #: wpt-functions.php:342
890
- msgid "Please read the FAQ and other Help documents before making a support request."
891
- msgstr ""
892
-
893
- #: wpt-functions.php:344
894
- msgid "Please describe your problem. I'm not psychic."
895
- msgstr ""
896
-
897
- #: wpt-functions.php:364
898
- 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."
899
- msgstr ""
900
-
901
- #: wpt-functions.php:391
902
- msgid "Send Support Request"
903
- msgstr ""
904
-
905
- #: wpt-functions.php:394
906
- msgid "The following additional information will be sent with your support request:"
907
- msgstr ""
908
-
909
- #: wp-to-twitter-manager.php:41
910
- msgid "No error information is available for your shortener."
911
- msgstr ""
912
-
913
- #: wp-to-twitter-manager.php:43
914
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
915
- msgstr ""
916
-
917
- #: wp-to-twitter-manager.php:46
918
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
919
- msgstr ""
920
-
921
- #: wp-to-twitter-manager.php:54
922
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
923
- msgstr ""
924
-
925
- #: wp-to-twitter-manager.php:57
926
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
927
- msgstr ""
928
-
929
- #: wp-to-twitter-manager.php:61
930
- msgid "You have not connected WordPress to Twitter."
931
- msgstr ""
932
-
933
- #: wp-to-twitter-manager.php:65
934
- 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>"
935
- msgstr ""
936
-
937
- #: wp-to-twitter-manager.php:69
938
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
939
- msgstr "<li><strong>Su servidor debe parece WP to Twitter correctamente.</strong></li>"
940
-
941
- #: wp-to-twitter-manager.php:88
942
- msgid "WP to Twitter Errors Cleared"
943
- msgstr "Errores de WP to Twitter eliminados"
944
-
945
- #: wp-to-twitter-manager.php:170
946
- msgid "WP to Twitter is now connected with Twitter."
947
- msgstr ""
948
-
949
- #: wp-to-twitter-manager.php:185
950
- msgid "OAuth Authentication Data Cleared."
951
- msgstr ""
952
-
953
- #: wp-to-twitter-manager.php:192
954
- 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."
955
- msgstr ""
956
-
957
- #: wp-to-twitter-manager.php:199
958
- msgid "OAuth Authentication response not understood."
959
- msgstr ""
960
-
961
- #: wp-to-twitter-manager.php:374
962
- msgid "WP to Twitter Advanced Options Updated"
963
- msgstr ""
964
-
965
- #: wp-to-twitter-shorteners.php:527
966
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
967
- msgstr "Debe introducir su login y clave API de Bit.ly para acortar URLs con Bit.ly."
968
-
969
- #: wp-to-twitter-shorteners.php:535
970
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
971
- msgstr ""
972
-
973
- #: wp-to-twitter-shorteners.php:539
974
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
975
- msgstr ""
976
-
977
- #: wp-to-twitter-manager.php:393
978
- msgid "WP to Twitter Options Updated"
979
- msgstr "Opciones de WP to Twitter actualizadas"
980
-
981
- #: wp-to-twitter-shorteners.php:407
982
- msgid "YOURLS password updated. "
983
- msgstr ""
984
-
985
- #: wp-to-twitter-shorteners.php:410
986
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
987
- msgstr ""
988
-
989
- #: wp-to-twitter-shorteners.php:412
990
- msgid "Failed to save your YOURLS password! "
991
- msgstr ""
992
-
993
- #: wp-to-twitter-shorteners.php:416
994
- msgid "YOURLS username added. "
995
- msgstr ""
996
-
997
- #: wp-to-twitter-shorteners.php:420
998
- msgid "YOURLS API url added. "
999
- msgstr ""
1000
-
1001
- #: wp-to-twitter-shorteners.php:423
1002
- msgid "YOURLS API url removed. "
1003
- msgstr ""
1004
-
1005
- #: wp-to-twitter-shorteners.php:428
1006
- msgid "YOURLS local server path added. "
1007
- msgstr ""
1008
-
1009
- #: wp-to-twitter-shorteners.php:430
1010
- msgid "The path to your YOURLS installation is not correct. "
1011
- msgstr ""
1012
-
1013
- #: wp-to-twitter-shorteners.php:434
1014
- msgid "YOURLS local server path removed. "
1015
- msgstr ""
1016
-
1017
- #: wp-to-twitter-shorteners.php:439
1018
- msgid "YOURLS will use Post ID for short URL slug."
1019
- msgstr ""
1020
-
1021
- #: wp-to-twitter-shorteners.php:441
1022
- msgid "YOURLS will use your custom keyword for short URL slug."
1023
- msgstr ""
1024
-
1025
- #: wp-to-twitter-shorteners.php:445
1026
- msgid "YOURLS will not use Post ID for the short URL slug."
1027
- msgstr ""
1028
-
1029
- #: wp-to-twitter-shorteners.php:453
1030
- msgid "Su.pr API Key and Username Updated"
1031
- msgstr ""
1032
-
1033
- #: wp-to-twitter-shorteners.php:457
1034
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
1035
- msgstr ""
1036
-
1037
- #: wp-to-twitter-shorteners.php:459
1038
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
1039
- msgstr ""
1040
-
1041
- #: wp-to-twitter-shorteners.php:465
1042
- msgid "Bit.ly API Key Updated."
1043
- msgstr "Bit.ly: clave de API actualizada."
1044
-
1045
- #: wp-to-twitter-shorteners.php:468
1046
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
1047
- msgstr "Clave API Bit.ly eliminada. You cannot use the Bit.ly API without an API key. "
1048
-
1049
- #: wp-to-twitter-shorteners.php:470
1050
- 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."
1051
- 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."
1052
-
1053
- #: wp-to-twitter-shorteners.php:474
1054
- msgid " Bit.ly User Login Updated."
1055
- msgstr "Bit.ly: usuario actualizado."
1056
-
1057
- #: wp-to-twitter-shorteners.php:477
1058
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
1059
- msgstr "Nombre de usuario de Bit.ly borrado. No puede usar el servicio Bit.ly sin proporcionar un nombre de usuario."
1060
-
1061
- #: wp-to-twitter-shorteners.php:479
1062
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
1063
- msgstr "Nombre de usuario de Bit.ly no añadido - ¡<a href='http://bit.ly/account/'>consiga uno</a>! "
1064
-
1065
- #: wp-to-twitter-manager.php:414
1066
- 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>"
1067
- msgstr ""
1068
-
1069
- #: wp-to-twitter-manager.php:420
1070
- 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. "
1071
- msgstr "Lo siento, no he podido contactar con los servidores de Twitter para notificar su nuevo enlace. Tendrá que Tweetearlo manualmente."
1072
-
1073
- #: wp-to-twitter-manager.php:423
1074
- 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>"
1075
- msgstr ""
1076
-
1077
- #: wp-to-twitter-manager.php:429
1078
- msgid "Clear 'WP to Twitter' Error Messages"
1079
- msgstr "Borrar los errores de WP to Twitter"
1080
-
1081
- #: wp-to-twitter-manager.php:435
1082
- msgid "WP to Twitter Options"
1083
- msgstr "Opciones de WP to Twitter"
1084
-
1085
- #: wp-to-twitter-manager.php:536
1086
- msgid "Update Twitter when you post a Blogroll link"
1087
- msgstr "Actualice Twitter cuando publique un enlace de Blogroll"
1088
-
1089
- #: wp-to-twitter-manager.php:537
1090
- msgid "Text for new link updates:"
1091
- msgstr "Texto para nuevos enlaces:"
1092
-
1093
- #: wp-to-twitter-manager.php:537
1094
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
1095
- msgstr "Códigos permitidos: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
1096
-
1097
- #: wp-to-twitter-shorteners.php:551
1098
- msgid "Don't shorten URLs."
1099
- msgstr "No acortar URLs."
1100
-
1101
- #: wp-to-twitter-shorteners.php:295
1102
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
1103
- msgstr ""
1104
-
1105
- #: wp-to-twitter-shorteners.php:299
1106
- msgid "Your Su.pr account details"
1107
- msgstr ""
1108
-
1109
- #: wp-to-twitter-shorteners.php:304
1110
- msgid "Your Su.pr Username:"
1111
- msgstr ""
1112
-
1113
- #: wp-to-twitter-shorteners.php:308
1114
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
1115
- msgstr ""
1116
-
1117
- #: wp-to-twitter-shorteners.php:315
1118
- 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."
1119
- msgstr ""
1120
-
1121
- #: wp-to-twitter-shorteners.php:321
1122
- msgid "Your Bit.ly account details"
1123
- msgstr "Detalles de su cuenta Bit.ly"
1124
-
1125
- #: wp-to-twitter-shorteners.php:326
1126
- msgid "Your Bit.ly username:"
1127
- msgstr "Su nombre de usuario de Bit.ly:"
1128
-
1129
- #: wp-to-twitter-shorteners.php:330
1130
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
1131
- msgstr "Su clave Bit.ly <abbr title='application programming interface'>API</abbr>:"
1132
-
1133
- #: wp-to-twitter-shorteners.php:338
1134
- msgid "Save Bit.ly API Key"
1135
- msgstr "Guardar clave Bit.ly"
1136
-
1137
- #: wp-to-twitter-shorteners.php:338
1138
- msgid "Clear Bit.ly API Key"
1139
- msgstr "Borrar clave Bit.ly"
1140
-
1141
- #: wp-to-twitter-shorteners.php:338
1142
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
1143
- 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."
1144
-
1145
- #: wp-to-twitter-shorteners.php:344
1146
- msgid "Your YOURLS account details"
1147
- msgstr ""
1148
-
1149
- #: wp-to-twitter-shorteners.php:349
1150
- msgid "Path to your YOURLS config file (Local installations)"
1151
- msgstr ""
1152
-
1153
- #: wp-to-twitter-shorteners.php:350 wp-to-twitter-shorteners.php:354
1154
- msgid "Example:"
1155
- msgstr ""
1156
-
1157
- #: wp-to-twitter-shorteners.php:353
1158
- msgid "URI to the YOURLS API (Remote installations)"
1159
- msgstr ""
1160
-
1161
- #: wp-to-twitter-shorteners.php:357
1162
- msgid "Your YOURLS username:"
1163
- msgstr ""
1164
-
1165
- #: wp-to-twitter-shorteners.php:361
1166
- msgid "Your YOURLS password:"
1167
- msgstr ""
1168
-
1169
- #: wp-to-twitter-shorteners.php:361
1170
- msgid "<em>Saved</em>"
1171
- msgstr ""
1172
-
1173
- #: wp-to-twitter-shorteners.php:365
1174
- msgid "Post ID for YOURLS url slug."
1175
- msgstr ""
1176
-
1177
- #: wp-to-twitter-shorteners.php:366
1178
- msgid "Custom keyword for YOURLS url slug."
1179
- msgstr ""
1180
-
1181
- #: wp-to-twitter-shorteners.php:367
1182
- msgid "Default: sequential URL numbering."
1183
- msgstr ""
1184
-
1185
- #: wp-to-twitter-shorteners.php:373
1186
- msgid "Save YOURLS Account Info"
1187
- msgstr ""
1188
-
1189
- #: wp-to-twitter-shorteners.php:373
1190
- msgid "Clear YOURLS password"
1191
- msgstr ""
1192
-
1193
- #: wp-to-twitter-shorteners.php:373
1194
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
1195
- msgstr ""
1196
-
1197
- #: wp-to-twitter-manager.php:557
1198
- msgid "Advanced Settings"
1199
- msgstr ""
1200
-
1201
- #: wp-to-twitter-manager.php:567
1202
- msgid "Strip nonalphanumeric characters from tags"
1203
- msgstr ""
1204
-
1205
- #: wp-to-twitter-manager.php:573
1206
- msgid "Spaces in tags replaced with:"
1207
- msgstr ""
1208
-
1209
- #: wp-to-twitter-manager.php:576
1210
- msgid "Maximum number of tags to include:"
1211
- msgstr "Número máximo de tags a incluir:"
1212
-
1213
- #: wp-to-twitter-manager.php:577
1214
- msgid "Maximum length in characters for included tags:"
1215
- msgstr "Máximo número de caracteres para los tags incluidos:"
1216
-
1217
- #: wp-to-twitter-manager.php:583
1218
- msgid "Length of post excerpt (in characters):"
1219
- msgstr "Longitud del extracto de entrada (en caracteres):"
1220
-
1221
- #: wp-to-twitter-manager.php:586
1222
- msgid "WP to Twitter Date Formatting:"
1223
- msgstr ""
1224
-
1225
- #: wp-to-twitter-manager.php:586
1226
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1227
- msgstr ""
1228
-
1229
- #: wp-to-twitter-manager.php:590
1230
- msgid "Custom text before all Tweets:"
1231
- msgstr ""
1232
-
1233
- #: wp-to-twitter-manager.php:593
1234
- msgid "Custom text after all Tweets:"
1235
- msgstr ""
1236
-
1237
- #: wp-to-twitter-manager.php:596
1238
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1239
- msgstr "Campo personalizado para una acortar y Tweetear una URL alternativa:"
1240
-
1241
- #: wp-to-twitter-manager.php:633
1242
- msgid "Special Cases when WordPress should send a Tweet"
1243
- msgstr "Casos especiales en los que Wordpress debe enviar un Tweet"
1244
-
1245
- #: wp-to-twitter-manager.php:636
1246
- msgid "Do not post Tweets by default"
1247
- msgstr ""
1248
-
1249
- #: wp-to-twitter-manager.php:640
1250
- msgid "Allow status updates from Quick Edit"
1251
- msgstr ""
1252
-
1253
- #: wp-to-twitter-manager.php:644
1254
- msgid "Google Analytics Settings"
1255
- msgstr ""
1256
-
1257
- #: wp-to-twitter-manager.php:645
1258
- 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."
1259
- msgstr ""
1260
-
1261
- #: wp-to-twitter-manager.php:648
1262
- msgid "Use a Static Identifier with WP-to-Twitter"
1263
- msgstr ""
1264
-
1265
- #: wp-to-twitter-manager.php:649
1266
- msgid "Static Campaign identifier for Google Analytics:"
1267
- msgstr ""
1268
-
1269
- #: wp-to-twitter-manager.php:653
1270
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1271
- msgstr ""
1272
-
1273
- #: wp-to-twitter-manager.php:654
1274
- msgid "What dynamic identifier would you like to use?"
1275
- msgstr ""
1276
-
1277
- #: wp-to-twitter-manager.php:656
1278
- msgid "Category"
1279
- msgstr ""
1280
-
1281
- #: wp-to-twitter-manager.php:657
1282
- msgid "Post ID"
1283
- msgstr ""
1284
-
1285
- #: wp-to-twitter-manager.php:658
1286
- msgid "Post Title"
1287
- msgstr ""
1288
-
1289
- #: wp-to-twitter-manager.php:659
1290
- msgid "Author"
1291
- msgstr ""
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-et_ET.po DELETED
@@ -1,759 +0,0 @@
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.po DELETED
@@ -1,1777 +0,0 @@
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."
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-ga_IR.po DELETED
@@ -1,585 +0,0 @@
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.po DELETED
@@ -1,1291 +0,0 @@
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: 2014-07-03 19:22:58+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:61
14
- msgid "No error message was returned."
15
- msgstr "Non è stato restituito alcun messaggio di errore."
16
-
17
- #: wp-to-twitter-manager.php:186
18
- msgid "WP to Twitter failed to connect with Twitter."
19
- msgstr "WP to Twitter ha fallito la connession a Twitter."
20
-
21
- #: wp-to-twitter-manager.php:420
22
- msgid "Last Tweet"
23
- msgstr "Ultimo Tweet"
24
-
25
- #: wp-to-twitter-manager.php:428
26
- 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."
27
- msgstr "Sono spiacente ma non sono stato in grado di contattare i server di Twitter per inviare il tuo <strong>new collegamento</strong>! Purtroppo devi inviarlo manualmente."
28
-
29
- #: wp-to-twitter-manager.php:721
30
- msgid "Disable Twitter Feed Stylesheet"
31
- msgstr ""
32
-
33
- #: wp-to-twitter-oauth.php:184
34
- msgid "Connection Problems? If you're getting an SSL related error, you'll need to contact your host."
35
- msgstr "Problemi di connessione? Se stai ottenendo un errore relativo ad SSL devi contattare il tuo servizio di hosting."
36
-
37
- #: wp-to-twitter-oauth.php:228
38
- msgid "2. Switch to the \"Permissions\" tab in Twitter apps"
39
- msgstr ""
40
-
41
- #: wp-to-twitter-oauth.php:233
42
- msgid "3. Switch to the API Keys tab and regenerate your API keys, then create your access token."
43
- msgstr ""
44
-
45
- #: wp-to-twitter-oauth.php:235
46
- msgid "Copy your API key and API secret from the top section."
47
- msgstr "Copia la tua API Key e il tuo API secret dalla sezione in alto."
48
-
49
- #: wp-to-twitter-oauth.php:236
50
- msgid "Copy your Access token and Access token secret from the bottom section."
51
- msgstr "Copia il tuo Token d'accesso ed il tuo Token d'accesso segreto dalla sezione in basso."
52
-
53
- #: wp-to-twitter-oauth.php:242
54
- msgid "API Key"
55
- msgstr "Chiave per le API"
56
-
57
- #: wp-to-twitter-oauth.php:246
58
- msgid "API Secret"
59
- msgstr "API Secret"
60
-
61
- #: wp-to-twitter.php:254
62
- msgid "Twitter requires all Tweets to be unique."
63
- msgstr "Twitter richiede che tutti i Tweet siano unici."
64
-
65
- #: wp-to-twitter.php:318
66
- msgid "403 Forbidden: The request is understood, but has been refused by Twitter. Possible reasons: too many Tweets, same Tweet submitted twice, Tweet longer than 140 characters."
67
- msgstr "403 Forbidden: La richiesta è stata compresa, ma è stata rigettata da Twitter. Le possibili cause sono: troppi Tweet, lo stesso Tweet inviato due volte, Tweet più lungo di 140 caratteri."
68
-
69
- #: wp-to-twitter.php:374
70
- msgid "Tweet sent successfully."
71
- msgstr "Tweet inviato con successo."
72
-
73
- #: wpt-functions.php:360
74
- msgid "Sorry! I couldn't send that message. Here's the text of your message:"
75
- msgstr "Sono spiacente ma non ho potuto inviare il messaggio. Questo è il testo del messaggio:"
76
-
77
- #: wp-to-twitter-manager.php:505
78
- msgid "These categories are currently <strong>excluded</strong> by the deprecated WP to Twitter category filters."
79
- msgstr "Queste categorie sono attualmente <strong>escluse</strong> dagli obsoleti filtri di categoria di WP to Twitter."
80
-
81
- #: wp-to-twitter-manager.php:507
82
- msgid "These categories are currently <strong>allowed</strong> by the deprecated WP to Twitter category filters."
83
- msgstr "Queste categorie sono attualmente <strong>consentite</strong> dagli obsoleti filtri di categoria di WP to Twitter."
84
-
85
- #: wp-to-twitter-manager.php:516
86
- msgid "<a href=\"%s\">Upgrade to WP Tweets PRO</a> to filter posts in all custom post types on any taxonomy."
87
- msgstr "<a href=\"%s\">Aggiorna a WP Tweets PRO</a> per filtrare gli articoli in tutti i tipi personalizzati di articoli su qualsiasi tassonomia."
88
-
89
- #: wp-to-twitter-manager.php:518
90
- msgid "Updating the WP Tweets PRO taxonomy filters will overwrite your old category filters."
91
- msgstr "Effettuare l'aggiornamento dei filtri per la tassonomia di WP Tweets PRO sovrascriverà i tuoi vecchi filtri per la categoria."
92
-
93
- #: wp-to-twitter-manager.php:465
94
- msgid "Status Update Templates"
95
- msgstr ""
96
-
97
- #: wp-to-twitter-manager.php:780
98
- msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a><br />Every donation matters - donate $5, $20, or $100 today!"
99
- msgstr "<a href=\"http://www.joedolson.com/donate.php\">Fai una donazione oggi!</a><br />Ogni donazione è importante - dona $5, $20, o $100 oggi!"
100
-
101
- #: wp-to-twitter-manager.php:805
102
- msgid "Authors can post to their own Twitter accounts"
103
- msgstr "Gli utenti della categoria Autori possono inviare ai loro account Twitter"
104
-
105
- #: wp-to-twitter-manager.php:806
106
- msgid "Delay Tweets minutes or hours after you publish"
107
- msgstr "Ritarda i Tweet di minuti od ore dopo la pubblicazione"
108
-
109
- #: wp-to-twitter-manager.php:809
110
- msgid "Filter Tweets by category, tag, or custom taxonomy"
111
- msgstr "Filtra i Tweet in base alla categoria, ai tag, od alla tassonomia personalizzata"
112
-
113
- #: wpt-widget.php:50
114
- msgid "Error: "
115
- msgstr "Errore: "
116
-
117
- #: wp-to-twitter-manager.php:470 wp-to-twitter-manager.php:553
118
- msgid "Save WP to Twitter Options"
119
- msgstr "Salva le opzioin di WP to Twitter"
120
-
121
- #: wp-to-twitter-manager.php:526
122
- msgid "Template for new %1$s updates"
123
- msgstr "Template per nuovi %1$s aggiornamenti"
124
-
125
- #: wp-to-twitter-manager.php:530
126
- msgid "Template for %1$s editing updates"
127
- msgstr ""
128
-
129
- #: wp-to-twitter-manager.php:485 wp-to-twitter-manager.php:541
130
- msgid "Links"
131
- msgstr "Collegamenti"
132
-
133
- #: wp-to-twitter-manager.php:570 wp-to-twitter-manager.php:729
134
- msgid "Save Advanced WP to Twitter Options"
135
- msgstr "Salva le opzioni avanzate di WP to Twitter"
136
-
137
- #: wp-to-twitter-manager.php:802
138
- msgid "Upgrade to <strong>WP Tweets PRO</strong>!"
139
- msgstr "Aggiorna a <strong>WP Tweets PRO</strong>!"
140
-
141
- #: wp-to-twitter-manager.php:803
142
- msgid "Bonuses in the PRO upgrade:"
143
- msgstr "Bonus derivanti dall'upgrade alla versione PRO:"
144
-
145
- #: wp-to-twitter-manager.php:807
146
- msgid "Automatically schedule Tweets to post again later"
147
- msgstr "Programma l'invio dei Tweet da inviare nuovamente più tardi"
148
-
149
- #: wp-to-twitter.php:1087
150
- msgid "WP Tweets PRO 1.5.2+ allows you to select Twitter accounts. <a href=\"%s\">Log in and download now!</a>"
151
- msgstr "WP Tweets PRO 1.5.2+ ti consente di scegliere gli account Twitter. <a href=\"%s\">Effettua il login e scaricalo ora!</a>"
152
-
153
- #: wp-to-twitter.php:1185
154
- msgid "Delete Tweet History"
155
- msgstr "Elimina lo storico dei Tweet"
156
-
157
- #: wpt-functions.php:378
158
- msgid "If you're having trouble with WP to Twitter, please try to answer these questions in your message:"
159
- msgstr "Se stati avendo problemi con WP to Twitter per favore prova a rispondere a queste domande nel tuo messaggio:"
160
-
161
- #: wpt-functions.php:381
162
- msgid "Did this error happen only once, or repeatedly?"
163
- msgstr "Questo errore è capitato una sola volta o si ripete?"
164
-
165
- #: wpt-functions.php:382
166
- msgid "What was the Tweet, or an example Tweet, that produced this error?"
167
- msgstr "Quale è stato il Tweet, o l'esempio di Tweet, che ha causato l'errore?"
168
-
169
- #: wpt-functions.php:383
170
- msgid "If there was an error message from WP to Twitter, what was it?"
171
- msgstr "Se c'era un messaggio di errore da WP to Twitter, quale era?"
172
-
173
- #: wpt-functions.php:384
174
- msgid "What is the template you're using for your Tweets?"
175
- msgstr "Quale è il template che stai usando per i tuoi Tweet?"
176
-
177
- #: wp-to-twitter-oauth.php:223
178
- msgid "Your application name cannot include the word \"Twitter.\""
179
- msgstr "Il nome della tua applicazione non può contenere \"Twitter\"."
180
-
181
- #: wp-to-twitter.php:308
182
- msgid "304 Not Modified: There was no new data to return"
183
- msgstr "304 Non Modificato: nessun nuovo dato da restituire"
184
-
185
- #: wp-to-twitter.php:327
186
- msgid "422 Unprocessable Entity: The image uploaded could not be processed.."
187
- msgstr "422 Entità Non Processabile: l'immagine inviata non può essere analizzata."
188
-
189
- #: wp-to-twitter.php:1089
190
- msgid "Upgrade to WP Tweets PRO to select Twitter accounts! <a href=\"%s\">Upgrade now!</a>"
191
- msgstr "Aggiorna a WP Tweets PRO per selezionare i tuoi account Twitter! <a href=\"%s\">Aggiorna ora!</a>"
192
-
193
- #: wp-to-twitter.php:1121
194
- msgid "Tweets must be less than 140 characters; Twitter counts URLs as 22 or 23 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>."
195
- msgstr "I tweet devono contenere al massimo 140 caratteri; Twitter conteggia le URL come 22 o 23 caratteri. 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>, oppure <code>#blog#</code>."
196
-
197
- #: wpt-feed.php:163
198
- msgid "Twitter returned an invalid response. It is probably down."
199
- msgstr "Twitter ha restituito una risposta non valida. Probabilmente è fuori servizio."
200
-
201
- #: wpt-widget.php:140
202
- msgid "Display a list of your latest tweets."
203
- msgstr "Mostra una lista dei tuoi ultimi tweet."
204
-
205
- #: wpt-widget.php:148
206
- msgid "WP to Twitter - Latest Tweets"
207
- msgstr "WP to Twitter - Ultimi tweet"
208
-
209
- #: wpt-widget.php:87
210
- msgid "<a href=\"%3$s\">about %1$s ago</a> via %2$s"
211
- msgstr "<a href=\"%3$s\">circa %1$s fa</a> attraverso %2$s"
212
-
213
- #: wpt-widget.php:89
214
- msgid "<a href=\"%2$s\">about %1$s ago</a>"
215
- msgstr "<a href=\"%2$s\">circa %1$s fa</a>"
216
-
217
- #: wpt-widget.php:203
218
- msgid "Title"
219
- msgstr "Titolo"
220
-
221
- #: wpt-widget.php:208
222
- msgid "Twitter Username"
223
- msgstr "Nome utente di Twitter"
224
-
225
- #: wpt-widget.php:213
226
- msgid "Number of Tweets to Show"
227
- msgstr "Numero di tweet da visualizzare"
228
-
229
- #: wpt-widget.php:219
230
- msgid "Hide @ Replies"
231
- msgstr "Nascondi risposte @"
232
-
233
- #: wpt-widget.php:224
234
- msgid "Include Retweets"
235
- msgstr "Includi i retweet"
236
-
237
- #: wpt-widget.php:229
238
- msgid "Parse links"
239
- msgstr "Analizza link"
240
-
241
- #: wpt-widget.php:234
242
- msgid "Parse @mentions"
243
- msgstr "Analizza @mentions"
244
-
245
- #: wpt-widget.php:239
246
- msgid "Parse #hashtags"
247
- msgstr "Analizza #hashtags"
248
-
249
- #: wpt-widget.php:244
250
- msgid "Include Reply/Retweet/Favorite Links"
251
- msgstr "Includi Risposte/Retweet/Link preferiti"
252
-
253
- #: wpt-widget.php:249
254
- msgid "Include Tweet source"
255
- msgstr "Includi sorgente tweet"
256
-
257
- #: wp-to-twitter-manager.php:187
258
- msgid "Error:"
259
- msgstr "Errore:"
260
-
261
- #: wp-to-twitter-manager.php:671
262
- msgid "No Analytics"
263
- msgstr "Nessun Analytics"
264
-
265
- #: wp-to-twitter-manager.php:808
266
- msgid "Send Tweets for approved comments"
267
- msgstr "Invia tweet per i commenti approvati"
268
-
269
- #: wp-to-twitter.php:59
270
- msgid "The current version of WP Tweets PRO is <strong>%s</strong>. <a href=\"http://www.joedolson.com/articles/account/\">Upgrade for best compatibility!</a>"
271
- msgstr "La versione attuale di WP Tweets PRO è <strong>%s</strong>. <a href=\"http://www.joedolson.com/articles/account/\">Aggiorna per avere la migliore compatibilità!</a>"
272
-
273
- #: wp-to-twitter.php:70
274
- msgid "Tweeting of comments has been moved to <a href=\"%1$s\">WP Tweets PRO</a>. You will need to upgrade in order to Tweet comments. <a href=\"%2$s\">Dismiss</a>"
275
- msgstr "Il tweet dei commenti è ora disponibile solo per <a href=\"%1$s\">WP Tweets PRO</a>. Devi effettuare l'aggiornamento per tweettare i commenti. <a href=\"%2$s\">Rinuncia</a>"
276
-
277
- #: wp-to-twitter.php:1023
278
- msgid "Tweeting %s edits is disabled."
279
- msgstr "Il tweet delle modifiche al %s è disabilitato,"
280
-
281
- #: wp-to-twitter.php:1489
282
- msgid "I hope you've enjoyed <strong>WP to Twitter</strong>! Take a look at <a href='%s'>upgrading to WP Tweets PRO</a> for advanced Tweeting with WordPress! <a href='%s'>Dismiss</a>"
283
- msgstr "Spero che <strong>WP to Twitter</strong> ti sia piaciuto! Dai un'occhiata a <a href='%s'>upgrading to WP Tweets PRO</a> per tweettare in modo avanzato con WordPress! <a href='%s'>Rinuncia</a>"
284
-
285
- msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your URL shortening service. Rich in features for customizing and promoting your Tweets."
286
- msgstr "Invia un Tweet quando aggiorni il tuo blog WordPress o pubblichi sul tuo blogroll, usando il tuo servizio di accorciamento URL. Ricco di funzionalità per la personalizzazione e promozione dei tuoi tweet."
287
-
288
- #: wp-to-twitter-shorteners.php:380
289
- msgid "Your jotURL account details"
290
- msgstr "Dati del tuo account jotURL"
291
-
292
- #: wp-to-twitter-shorteners.php:384
293
- msgid "Your jotURL public <abbr title='application programming interface'>API</abbr> key:"
294
- msgstr "La tua chiave pubblica per le <abbr title='application programming interface'>API</abbr> di jotURL:"
295
-
296
- #: wp-to-twitter-shorteners.php:385
297
- msgid "Your jotURL private <abbr title='application programming interface'>API</abbr> key:"
298
- msgstr "La tua chiave privata per le <abbr title='application programming interface'>API</abbr> di jotURL:"
299
-
300
- #: wp-to-twitter-shorteners.php:386
301
- msgid "Parameters to add to the long URL (before shortening):"
302
- msgstr "Parametri da aggiungere alla URL lunga (prima di accorciarla):"
303
-
304
- #: wp-to-twitter-shorteners.php:386
305
- msgid "Parameters to add to the short URL (after shortening):"
306
- msgstr "Parametri da aggiungere alla URL breve (dopo averla accorciata):"
307
-
308
- #: wp-to-twitter-shorteners.php:387
309
- msgid "View your jotURL public and private API key"
310
- msgstr "Visualizza la tua chiave pubblica e privata per le API di jotURL"
311
-
312
- #: wp-to-twitter-shorteners.php:390
313
- msgid "Save jotURL settings"
314
- msgstr "Salva le impostazioni per jotURL"
315
-
316
- #: wp-to-twitter-shorteners.php:390
317
- msgid "Clear jotURL settings"
318
- msgstr "Cancella le impostazioni di jotURL"
319
-
320
- #: wp-to-twitter-shorteners.php:391
321
- msgid "A jotURL public and private API key is required to shorten URLs via the jotURL API and WP to Twitter."
322
- 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."
323
-
324
- #: wp-to-twitter-shorteners.php:486
325
- msgid "jotURL private API Key Updated. "
326
- msgstr "La tua chiave privata per le API di jotURL è stata aggiornata."
327
-
328
- #: wp-to-twitter-shorteners.php:489
329
- msgid "jotURL private API Key deleted. You cannot use the jotURL API without a private API key. "
330
- msgstr "Chiave privata per le API di jotURL cancellata. Non puoi usare le API di jotURL senza una chiave privata."
331
-
332
- #: wp-to-twitter-shorteners.php:491
333
- 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. "
334
- 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."
335
-
336
- #: wp-to-twitter-shorteners.php:495
337
- msgid "jotURL public API Key Updated. "
338
- msgstr "Chiave pubblica per le API di jotURL aggiornata."
339
-
340
- #: wp-to-twitter-shorteners.php:498
341
- msgid "jotURL public API Key deleted. You cannot use the jotURL API without providing your public API Key. "
342
- 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."
343
-
344
- #: wp-to-twitter-shorteners.php:500
345
- msgid "jotURL public API Key not added - <a href='https://www.joturl.com/reserved/api.html'>get one here</a>! "
346
- msgstr "Chiave pubblica per le API di jorURL non aggiunta - <a href='https://www.joturl.com/reserved/api.html'>recuperane una qua</a>! "
347
-
348
- #: wp-to-twitter-shorteners.php:506
349
- msgid "Long URL parameters added. "
350
- msgstr "Parametri aggiunti per l'URL lungo."
351
-
352
- #: wp-to-twitter-shorteners.php:509
353
- msgid "Long URL parameters deleted. "
354
- msgstr "Parametri cancellati per l'URL lungo."
355
-
356
- #: wp-to-twitter-shorteners.php:515
357
- msgid "Short URL parameters added. "
358
- msgstr "Parametri aggiunti per l'URL breve."
359
-
360
- #: wp-to-twitter-shorteners.php:518
361
- msgid "Short URL parameters deleted. "
362
- msgstr "Parametri cancellati per l'URL breve."
363
-
364
- #: wp-to-twitter-shorteners.php:532
365
- msgid "You must add your jotURL public and private API key in order to shorten URLs with jotURL."
366
- msgstr "Devi aggiungere la tua chiave pubblica e privata per le API di jotURL per accorciare le URL tramite il servizio di jotURL."
367
-
368
- #: wp-to-twitter-manager.php:573
369
- msgid "Tags"
370
- msgstr "Tag"
371
-
372
- #: wp-to-twitter-manager.php:589
373
- msgid "Template Tag Settings"
374
- msgstr "Impostazioni Template Tag"
375
-
376
- #: wp-to-twitter-manager.php:591
377
- msgid "Extracted from the post. If you use the 'Excerpt' field, it will be used instead."
378
- msgstr "Estratto dall'articolo. Sarà utilizzato in alternativa se si utilizza il campo 'Riassunto'."
379
-
380
- #: wp-to-twitter-manager.php:634
381
- msgid "Template tag priority order"
382
- msgstr "Ordine di priorità dei Template Tag"
383
-
384
- #: wp-to-twitter-manager.php:635
385
- msgid "The order in which items will be abbreviated or removed from your Tweet if the Tweet is too long to send to Twitter."
386
- msgstr "L'ordine in cui gli elementi saranno abbreviati o rimossi dal tuo Tweet se quest'ultimo è troppo lungo per essere inviata a Twitter."
387
-
388
- #: wp-to-twitter-manager.php:675
389
- msgid "Author Settings"
390
- msgstr "Impostazioni autore"
391
-
392
- #: wp-to-twitter-manager.php:680
393
- 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."
394
- 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."
395
-
396
- #: wp-to-twitter-manager.php:684
397
- msgid "Permissions"
398
- msgstr "Permessi"
399
-
400
- #: wp-to-twitter-manager.php:719
401
- msgid "Error Messages and Debugging"
402
- msgstr "Messaggi di errore e di Debug"
403
-
404
- #: wp-to-twitter-manager.php:832
405
- msgid "<code>#cat_desc#</code>: custom value from the category description field"
406
- msgstr "<code>#cat_desc#</code>: valore personalizzato per il campo di descrizione della categoria"
407
-
408
- #: wp-to-twitter-manager.php:839
409
- msgid "<code>#@#</code>: the twitter @reference for the author or blank, if not set"
410
- msgstr "<code>#@#</code>: @reference di Twitter per l'autore o vuoto se non settato"
411
-
412
- #: wp-to-twitter-oauth.php:283
413
- 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>"
414
- 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>"
415
-
416
- #: wp-to-twitter-oauth.php:310 wp-to-twitter-oauth.php:316
417
- msgid "Twitter's server time: "
418
- msgstr "Ora del server di Twitter"
419
-
420
- #: wp-to-twitter.php:1375
421
- msgid "Upgrade"
422
- msgstr "Passa alla versione PRO"
423
-
424
- #: wp-to-twitter-manager.php:578
425
- msgid "Use tag slug as hashtag value"
426
- msgstr "Usa il tag slug come valore hashtag"
427
-
428
- #: wp-to-twitter-shorteners.php:550
429
- msgid "Choose a short URL service (account settings below)"
430
- msgstr "Scegli un servizio di accorciamento delle URL (impostazioni dell'account di seguito)"
431
-
432
- #: wp-to-twitter-shorteners.php:556
433
- msgid "YOURLS (on this server)"
434
- msgstr "YOURLS (su questo server)"
435
-
436
- #: wp-to-twitter-shorteners.php:557
437
- msgid "YOURLS (on a remote server)"
438
- msgstr "YOURLS (sul server remoto)"
439
-
440
- #: wpt-functions.php:355
441
- 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>."
442
- 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>."
443
-
444
- #: wpt-functions.php:357
445
- msgid "Thanks for using WP to Twitter. Please ensure that you can receive email at <code>%s</code>."
446
- msgstr "Grazie per l'uso di WP to Twitter. Per favore assicurati di poter ricevere email a <code>%s</code>."
447
-
448
- #: wpt-functions.php:389
449
- msgid "Reply to:"
450
- msgstr "Rispondi a:"
451
-
452
- #: wp-to-twitter-manager.php:700
453
- msgid "The lowest user group that can add their Twitter information"
454
- msgstr "Il gruppo di livello più basso che può aggiungere le proprie informazioni di Twitter"
455
-
456
- #: wp-to-twitter-manager.php:705
457
- msgid "The lowest user group that can see the Custom Tweet options when posting"
458
- msgstr "Il gruppo di livello più basso che può vedere l'opzione Tweet personalizzato quando scrive un articolo"
459
-
460
- #: wp-to-twitter-manager.php:710
461
- msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
462
- msgstr "Il gruppo di livello più basso che può attivare o disattivare l'opzione Inviare/Non inviare Tweet"
463
-
464
- #: wp-to-twitter-manager.php:715
465
- msgid "The lowest user group that can send Twitter updates"
466
- msgstr "Il gruppo di livello più basso che può inviare aggiornamenti su Twitter"
467
-
468
- #: wp-to-twitter-manager.php:836
469
- msgid "<code>#author#</code>: the post author (@reference if available, otherwise display name)"
470
- msgstr "<code>#author#</code>: l'autore dell'articolo (@account se disponibile, il nome da visualizzare altrimenti)"
471
-
472
- #: wp-to-twitter-manager.php:837
473
- msgid "<code>#displayname#</code>: post author's display name"
474
- msgstr "<code>#displayname#</code>: Il nome da visualizzare per l'autore dell'articolo"
475
-
476
- #: wp-to-twitter.php:262
477
- msgid "This tweet was blank and could not be sent to Twitter."
478
- msgstr "Questo tweet è vuoto e non può essere inviato a Twitter."
479
-
480
- #: wp-to-twitter.php:321
481
- msgid "404 Not Found: The URI requested is invalid or the resource requested does not exist."
482
- msgstr "404 Not Found: L'URI richiesto non è valido o la risorsa richiesta non esiste."
483
-
484
- #: wp-to-twitter.php:324
485
- msgid "406 Not Acceptable: Invalid Format Specified."
486
- msgstr "406 Not Acceptable: Il formato specificato non è valido."
487
-
488
- #: wp-to-twitter.php:330
489
- msgid "429 Too Many Requests: You have exceeded your rate limits."
490
- msgstr "429 Too Many Requests: Hai raggiunto la tua quota limite."
491
-
492
- #: wp-to-twitter.php:342
493
- 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."
494
- 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."
495
-
496
- #: wp-to-twitter.php:1037
497
- msgid "Your prepended Tweet text; not part of your template."
498
- msgstr "Testo inserito all'inizio dei tuoi Tweet (non fa parte dei tuo modello)."
499
-
500
- #: wp-to-twitter.php:1040
501
- msgid "Your appended Tweet text; not part of your template."
502
- msgstr "Testo inserito alla fine dei tuoi Tweet (non fa parte dei tuo modello)."
503
-
504
- #: wp-to-twitter.php:1140
505
- msgid "Your role does not have the ability to Post Tweets from this site."
506
- msgstr "Il tuo ruolo non permette di inviare Tweet da questo sito."
507
-
508
- #: wp-to-twitter.php:1309
509
- msgid "Hide account name in Tweets"
510
- msgstr "Nascondi il nome dell'account nei Tweet"
511
-
512
- #: wp-to-twitter.php:1310
513
- msgid "Do not display my account in the #account# template tag."
514
- msgstr "Non visualizzare il mio account nel template #account#."
515
-
516
- #: wpt-functions.php:392
517
- msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
518
- msgstr "Io ho letto <a href=\"%1$s\">le FAQ di questo plug-in</a> <span>(obbligatorio)</span>"
519
-
520
- #: wpt-functions.php:395
521
- msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
522
- msgstr "Io ho <a href=\"%1$s\"> fatto una donazione per supportare questo plugin</a>"
523
-
524
- #: wpt-functions.php:398
525
- msgid "Support Request:"
526
- msgstr "Richiesta di supporto:"
527
-
528
- #: wp-to-twitter-manager.php:526
529
- msgid "Update when %1$s %2$s is published"
530
- msgstr "Aggiorna quando %1$s %2$s è pubblicato"
531
-
532
- #: wp-to-twitter-manager.php:530
533
- msgid "Update when %1$s %2$s is edited"
534
- msgstr "Aggiorna quando %1$s %2$s è modificato"
535
-
536
- #: wp-to-twitter-oauth.php:218
537
- msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
538
- msgstr "Il fuso orario del tuo server (dovrebbe essere UTC,GMT,Europe/London o equivalente):"
539
-
540
- #: wp-to-twitter-shorteners.php:560
541
- msgid "Use Twitter Friendly Links."
542
- msgstr "Utilizza Link in formato gradito a Twitter."
543
-
544
- #: wp-to-twitter-shorteners.php:334
545
- msgid "View your Bit.ly username and API key"
546
- msgstr "Visualizza il tuo username di Bit.ly e la API key"
547
-
548
- #: wp-to-twitter-shorteners.php:396
549
- msgid "Your shortener does not require any account settings."
550
- msgstr "Il tuo accorciatore di URL non richiede alcuna impostazione."
551
-
552
- #: wp-to-twitter.php:299
553
- msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
554
- 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."
555
-
556
- #: wp-to-twitter.php:1164
557
- msgid "Failed Tweets"
558
- msgstr "Tweet falliti"
559
-
560
- #: wp-to-twitter.php:1179
561
- msgid "No failed tweets on this post."
562
- msgstr "Non ci sono tweet falliti in questo articolo."
563
-
564
- #: wp-to-twitter-manager.php:842
565
- 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."
566
- 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."
567
-
568
- #: wp-to-twitter-oauth.php:287
569
- msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
570
- msgstr "WP to Twitter non è riuscito a contattare i server di Twitter. Questo è l'errore ottenuto:"
571
-
572
- #: wp-to-twitter.php:243
573
- msgid "This account is not authorized to post to Twitter."
574
- msgstr "Questo account non è autorizzato per inviare messaggi su Twitter."
575
-
576
- #: wp-to-twitter.php:254
577
- msgid "This tweet is identical to another Tweet recently sent to this account."
578
- msgstr "Questo tweet è identico ad un altro tweet recentemente inviato a questo account."
579
-
580
- #: wp-to-twitter-shorteners.php:300
581
- msgid "(optional)"
582
- msgstr "(facoltativo)"
583
-
584
- #: wp-to-twitter-manager.php:646
585
- msgid "Do not post Tweets by default (editing only)"
586
- msgstr "Di default non inviare i Tweet (solo modifica)"
587
-
588
- #: wp-to-twitter-manager.php:834
589
- msgid "<code>#modified#</code>: the post modified date"
590
- msgstr "<code>#modified#</code>: la data di modifica del post"
591
-
592
- #: wp-to-twitter-oauth.php:285
593
- msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
594
- 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."
595
-
596
- #: wp-to-twitter-manager.php:678
597
- msgid "Authors have individual Twitter accounts"
598
- msgstr "Gli autori hanno degli account personali su Twitter"
599
-
600
- #: wp-to-twitter-manager.php:722
601
- msgid "Get Debugging Data for OAuth Connection"
602
- msgstr "Ottieni i dati di Debugging per la connessione OAuth"
603
-
604
- #: wp-to-twitter-manager.php:723
605
- msgid "I made a donation, so stop whinging at me, please."
606
- msgstr "Ho effettuato una donazione."
607
-
608
- #: wp-to-twitter-manager.php:738
609
- msgid "Get Plug-in Support"
610
- msgstr "Ottieni supporto per il plugin"
611
-
612
- #: wp-to-twitter-manager.php:749
613
- msgid "Check Support"
614
- msgstr "Verifica assistenza"
615
-
616
- #: wp-to-twitter-manager.php:749
617
- 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."
618
- 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."
619
-
620
- #: wp-to-twitter-manager.php:768
621
- msgid "Support WP to Twitter"
622
- msgstr "Supporta WP to Twitter"
623
-
624
- #: wp-to-twitter-manager.php:770
625
- msgid "WP to Twitter Support"
626
- msgstr "Assistenza WP to Twitter"
627
-
628
- #: wp-to-twitter-manager.php:778 wp-to-twitter.php:1131 wp-to-twitter.php:1133
629
- msgid "Get Support"
630
- msgstr "Ottieni assistenza"
631
-
632
- #: wp-to-twitter-manager.php:800
633
- msgid "Upgrade Now!"
634
- msgstr "Aggiorna ora!"
635
-
636
- #: wp-to-twitter-manager.php:824
637
- msgid "Shortcodes"
638
- msgstr "Codici brevi"
639
-
640
- #: wp-to-twitter-manager.php:826
641
- msgid "Available in post update templates:"
642
- msgstr "Disponibili nei template di aggiornamento del post:"
643
-
644
- #: wp-to-twitter-manager.php:828
645
- msgid "<code>#title#</code>: the title of your blog post"
646
- msgstr "<code>#title#</code>: il titolo del tuo post"
647
-
648
- #: wp-to-twitter-manager.php:829
649
- msgid "<code>#blog#</code>: the title of your blog"
650
- msgstr "<code>#blog#</code>: il titolo del tuo blog"
651
-
652
- #: wp-to-twitter-manager.php:830
653
- msgid "<code>#post#</code>: a short excerpt of the post content"
654
- msgstr "<code>#post#</code>: un breve riassunto dei contenuti del post"
655
-
656
- #: wp-to-twitter-manager.php:831
657
- msgid "<code>#category#</code>: the first selected category for the post"
658
- msgstr "<code>#category#</code>: la prima categoria selezionata per il post"
659
-
660
- #: wp-to-twitter-manager.php:833
661
- msgid "<code>#date#</code>: the post date"
662
- msgstr "<code>#date#</code>: la data del post"
663
-
664
- #: wp-to-twitter-manager.php:835
665
- msgid "<code>#url#</code>: the post URL"
666
- msgstr "<code>#url#</code>: l'URL del post"
667
-
668
- #: wp-to-twitter-manager.php:838
669
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
670
- msgstr "<code>#account#</code>: il riferimento Twitter @ per l'account (o per l'autore, previa attivazione ed impostazione.)"
671
-
672
- #: wp-to-twitter-manager.php:840
673
- msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
674
- msgstr "<code>#tags#</code>: i tuoi tag modificati in hashtag. Vedi le opzioni nelle Impostazioni Avanzate più in basso."
675
-
676
- #: wp-to-twitter-manager.php:845
677
- 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>"
678
- 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>"
679
-
680
- #: wp-to-twitter-oauth.php:114
681
- msgid "WP to Twitter was unable to establish a connection to Twitter."
682
- msgstr "WP to Twitter non è riuscito a stabilire una connessione con Twitter."
683
-
684
- #: wp-to-twitter-oauth.php:185
685
- msgid "There was an error querying Twitter's servers"
686
- msgstr "C'è stato un errore nell'interrogare i server di Twitter"
687
-
688
- #: wp-to-twitter-oauth.php:209 wp-to-twitter-oauth.php:212
689
- msgid "Connect to Twitter"
690
- msgstr "Collegati a Twitter"
691
-
692
- #: wp-to-twitter-oauth.php:215
693
- msgid "WP to Twitter Set-up"
694
- msgstr "Impostazioni WP to Twitter"
695
-
696
- #: wp-to-twitter-oauth.php:216 wp-to-twitter-oauth.php:310
697
- #: wp-to-twitter-oauth.php:315
698
- msgid "Your server time:"
699
- msgstr "Ora del tuo server:"
700
-
701
- #: wp-to-twitter-oauth.php:216
702
- msgid "Twitter's time:"
703
- msgstr "Orario di Twitter:"
704
-
705
- #: wp-to-twitter-oauth.php:216
706
- msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
707
- 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."
708
-
709
- #: wp-to-twitter-oauth.php:220
710
- msgid "1. Register this site as an application on "
711
- msgstr "1. Registra questo sito come una applicazione sulla "
712
-
713
- #: wp-to-twitter-oauth.php:220
714
- msgid "Twitter's application registration page"
715
- msgstr "pagina di registrazione applicazione Twitter"
716
-
717
- #: wp-to-twitter-oauth.php:222
718
- msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
719
- msgstr "Se non sei ancora loggato in Twitter, effettua il login nell'account che vuoi associare al sito"
720
-
721
- #: wp-to-twitter-oauth.php:224
722
- msgid "Your Application Description can be anything."
723
- msgstr "La descrizione dell'applicazione (Application Description) può essere qualsiasi cosa."
724
-
725
- #: wp-to-twitter-oauth.php:225
726
- msgid "The WebSite and Callback URL should be "
727
- msgstr "Il sito web ed il Callback URL dovrebbere essere "
728
-
729
- #: wp-to-twitter-oauth.php:227
730
- msgid "Agree to the Developer Rules of the Road and continue."
731
- msgstr "Acconsenti a Developer Rules of the Road e prosegui."
732
-
733
- #: wp-to-twitter-oauth.php:230
734
- msgid "Select \"Read and Write\" for the Application Type"
735
- msgstr "Seleziona \"Read and Write\" per il tipo di applicazione"
736
-
737
- #: wp-to-twitter-oauth.php:231
738
- msgid "Update the application settings"
739
- msgstr "Aggiorna impostazioni applicazione"
740
-
741
- #: wp-to-twitter-oauth.php:250
742
- msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
743
- msgstr "4. Copia ed incolla nei campi qui sotto il tuo token di accesso e secret"
744
-
745
- #: wp-to-twitter-oauth.php:251
746
- 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."
747
- 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."
748
-
749
- #: wp-to-twitter-oauth.php:254
750
- msgid "Access Token"
751
- msgstr "Token d'accesso"
752
-
753
- #: wp-to-twitter-oauth.php:258
754
- msgid "Access Token Secret"
755
- msgstr "Token d'accesso segreto"
756
-
757
- #: wp-to-twitter-oauth.php:277
758
- msgid "Disconnect Your WordPress and Twitter Account"
759
- msgstr "Scollega il tuo account WordPress e Twitter"
760
-
761
- #: wp-to-twitter-oauth.php:281
762
- msgid "Disconnect your WordPress and Twitter Account"
763
- msgstr "Disconnetti il tuo account WordPress e Twitter"
764
-
765
- #: wp-to-twitter-oauth.php:292
766
- msgid "Disconnect from Twitter"
767
- msgstr "Disconnettiti da Twitter"
768
-
769
- #: wp-to-twitter-oauth.php:298
770
- msgid "Twitter Username "
771
- msgstr "Nome utente Twitter"
772
-
773
- #: wp-to-twitter-oauth.php:299
774
- msgid "Consumer Key "
775
- msgstr "Consumer Key "
776
-
777
- #: wp-to-twitter-oauth.php:300
778
- msgid "Consumer Secret "
779
- msgstr "Consumer Secret "
780
-
781
- #: wp-to-twitter-oauth.php:301
782
- msgid "Access Token "
783
- msgstr "Token d'accesso"
784
-
785
- #: wp-to-twitter-oauth.php:302
786
- msgid "Access Token Secret "
787
- msgstr "Token d'accesso segreto"
788
-
789
- #: wp-to-twitter-oauth.php:200
790
- msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
791
- msgstr "Twitter necessita una autentificazione via OAuth. Aggiorna le tue <a href='%s'>impostazioni</a> per completare l'installazione di WP to Twitter."
792
-
793
- #: wp-to-twitter.php:304
794
- msgid "200 OK: Success!"
795
- msgstr "200 OK: Successo!"
796
-
797
- #: wp-to-twitter.php:311
798
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
799
- msgstr "400 Bad Request: La richiesta non é valida. L'utilizzo di questo codice é relativo al limite delle chiamate."
800
-
801
- #: wp-to-twitter.php:314
802
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
803
- msgstr "401 Unauthorized: quando mancano oppure sono inesatte le credenziali per l'autentificazione."
804
-
805
- #: wp-to-twitter.php:333
806
- msgid "500 Internal Server Error: Something is broken at Twitter."
807
- msgstr "500 Internal Server Error: problemi interni a Twitter."
808
-
809
- #: wp-to-twitter.php:339
810
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
811
- msgstr "503 Service Unavailable: i server di Twitter funzionano, ma sono sommersi di richieste. Prova più tardi."
812
-
813
- #: wp-to-twitter.php:336
814
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
815
- msgstr "502 Bad Gateway: Twitter é down oppure sotto aggiornamento."
816
-
817
- #: wp-to-twitter.php:378
818
- msgid "No Twitter OAuth connection found."
819
- msgstr "Non è stata trovata la connessione a Twitter OAuth."
820
-
821
- #: wp-to-twitter.php:1148
822
- msgid "Previous Tweets"
823
- msgstr "Tweet precedenti"
824
-
825
- #: wp-to-twitter.php:1032
826
- msgid "Custom Twitter Post"
827
- msgstr "Messaggio personalizzato Twitter"
828
-
829
- #: wp-to-twitter.php:1043
830
- msgid "Your template:"
831
- msgstr "Il tuo template:"
832
-
833
- #: wp-to-twitter.php:1047
834
- msgid "YOURLS Custom Keyword"
835
- msgstr "YOURLS - Custom Keyword"
836
-
837
- #: wp-to-twitter.php:1131
838
- msgid "Upgrade to WP Tweets Pro"
839
- msgstr "Aggiorna a WP Tweets Pro"
840
-
841
- #: wp-to-twitter.php:1058
842
- msgid "Don't Tweet this post."
843
- msgstr "Non segnalare a Twitter questo articolo."
844
-
845
- #: wp-to-twitter.php:1058
846
- msgid "Tweet this post."
847
- msgstr "Segnala a Twitter questo articolo."
848
-
849
- #: wp-to-twitter.php:1109
850
- msgid "Access to customizing WP to Twitter values is not allowed for your user role."
851
- msgstr "L'accesso alla personalizzazione dei valori per WP to Twitter non è permessa ad utenti col tuo ruolo."
852
-
853
- #: wp-to-twitter.php:1226
854
- msgid "Characters left: "
855
- msgstr "Caratteri mancanti:"
856
-
857
- #: wp-to-twitter.php:1295
858
- msgid "WP Tweets User Settings"
859
- msgstr "Impostazioni utente di WP Tweets"
860
-
861
- #: wp-to-twitter.php:1299
862
- msgid "Use My Twitter Username"
863
- msgstr "Utilizza il mio nome utente Twitter"
864
-
865
- #: wp-to-twitter.php:1300
866
- msgid "Tweet my posts with an @ reference to my username."
867
- msgstr "Segnala i miei articoli con un riferimento @ correlato al mio nome utente."
868
-
869
- #: wp-to-twitter.php:1301
870
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
871
- msgstr "Segnala i miei articoli con un riferimento @ correlato tanto al mio nome utente per il sito principale quanto al mio nome utente."
872
-
873
- #: wp-to-twitter.php:1305
874
- msgid "Your Twitter Username"
875
- msgstr "Nome utente Twitter"
876
-
877
- #: wp-to-twitter.php:1306
878
- msgid "Enter your own Twitter username."
879
- msgstr "Inserisci il tuo nome utente Twitter"
880
-
881
- #: wp-to-twitter.php:1374
882
- msgid "Settings"
883
- msgstr "Impostazioni"
884
-
885
- #: wp-to-twitter.php:1401
886
- msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
887
- msgstr "<br /><strong>Nota:</strong> Leggi il <a class=\"thickbox\" href=\"%1$s\">changelog</a> prima di aggiornare."
888
-
889
- msgid "WP to Twitter"
890
- msgstr "WP to Twitter"
891
-
892
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
893
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
894
-
895
- msgid "Joseph Dolson"
896
- msgstr "Joseph Dolson"
897
-
898
- msgid "http://www.joedolson.com/"
899
- msgstr "http://www.joedolson.com/"
900
-
901
- #: wpt-functions.php:348
902
- msgid "Please read the FAQ and other Help documents before making a support request."
903
- msgstr "Leggi le FAQ e le documentazioni di aiuto prima di inviare una richiesta di supporto."
904
-
905
- #: wpt-functions.php:350
906
- msgid "Please describe your problem. I'm not psychic."
907
- msgstr "Descrivi il tuo problema. Grazie."
908
-
909
- #: wpt-functions.php:374
910
- 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."
911
- 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."
912
-
913
- #: wpt-functions.php:401
914
- msgid "Send Support Request"
915
- msgstr "Invia richiesta supporto"
916
-
917
- #: wpt-functions.php:404
918
- msgid "The following additional information will be sent with your support request:"
919
- msgstr "Le seguenti informazioni saranno inviate insieme alla tua richiesta:"
920
-
921
- #: wp-to-twitter-manager.php:57
922
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
923
- 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>"
924
-
925
- #: wp-to-twitter-manager.php:64
926
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
927
- 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:"
928
-
929
- #: wp-to-twitter-manager.php:72
930
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
931
- msgstr "<li><strong>WP to Twitter ha inviato con successo l'aggiornamento dello stato a Twitter.</strong></li>"
932
-
933
- #: wp-to-twitter-manager.php:75
934
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
935
- msgstr "<li class=\"error\"><strong>WP to Twitter non é stato in grado di inviare l'aggiornamento a Twitter.</strong></li>"
936
-
937
- #: wp-to-twitter-manager.php:79
938
- msgid "You have not connected WordPress to Twitter."
939
- msgstr "Non hai connesso WordPress a Twitter."
940
-
941
- #: wp-to-twitter-manager.php:83
942
- 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>"
943
- 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>"
944
-
945
- #: wp-to-twitter-manager.php:87
946
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
947
- msgstr "<li><strong>WP to Twitter funziona correttamente per il tuo server.</strong></li>"
948
-
949
- #: wp-to-twitter-manager.php:180
950
- msgid "WP to Twitter is now connected with Twitter."
951
- msgstr "WP to Twitter é ora connesso a Twitter."
952
-
953
- #: wp-to-twitter-manager.php:193
954
- msgid "OAuth Authentication Data Cleared."
955
- msgstr "I dati della autentificazione OAuth sono stati svuotati."
956
-
957
- #: wp-to-twitter-manager.php:199
958
- 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."
959
- msgstr "Autentificazione OAuth fallita. L'ora del tuo sever non é sicronizzata con i server di Twitter. Comunica il problema al tuo fornitore di hosting."
960
-
961
- #: wp-to-twitter-manager.php:205
962
- msgid "OAuth Authentication response not understood."
963
- msgstr "Risposta Autentificazione OAuth non valida."
964
-
965
- #: wp-to-twitter-manager.php:377
966
- msgid "WP to Twitter Advanced Options Updated"
967
- msgstr "Le opzioni avanzate di WP to Twitter sono state aggiornate"
968
-
969
- #: wp-to-twitter-shorteners.php:528
970
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
971
- 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."
972
-
973
- #: wp-to-twitter-shorteners.php:536
974
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
975
- 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."
976
-
977
- #: wp-to-twitter-shorteners.php:540
978
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
979
- 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."
980
-
981
- #: wp-to-twitter-manager.php:396
982
- msgid "WP to Twitter Options Updated"
983
- msgstr "Le opzioni di WP to Twitter sono state aggiornate"
984
-
985
- #: wp-to-twitter-shorteners.php:408
986
- msgid "YOURLS password updated. "
987
- msgstr "La password di YOURLS é stata aggiornata."
988
-
989
- #: wp-to-twitter-shorteners.php:411
990
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
991
- msgstr "La tua password di YOURLS é stata cancellata. Non potrai utilizzare il tuo account remoto YOURLS per la creazione di URL brevi."
992
-
993
- #: wp-to-twitter-shorteners.php:413
994
- msgid "Failed to save your YOURLS password! "
995
- msgstr "Non é stato possibile salvare la tua password di YOURLS!"
996
-
997
- #: wp-to-twitter-shorteners.php:417
998
- msgid "YOURLS username added. "
999
- msgstr "Il nome utente YOURLS é stato aggiunto."
1000
-
1001
- #: wp-to-twitter-shorteners.php:421
1002
- msgid "YOURLS API url added. "
1003
- msgstr "L'url alla API YOURLS é stato aggiunto. "
1004
-
1005
- #: wp-to-twitter-shorteners.php:424
1006
- msgid "YOURLS API url removed. "
1007
- msgstr "L'url alla API YOURLS é stato rimosso. "
1008
-
1009
- #: wp-to-twitter-shorteners.php:429
1010
- msgid "YOURLS local server path added. "
1011
- msgstr "Il percorso al server locale di YOURLS é stato aggiunto. "
1012
-
1013
- #: wp-to-twitter-shorteners.php:431
1014
- msgid "The path to your YOURLS installation is not correct. "
1015
- msgstr "Il percorso alla tua installazione di YOURLS non é corretto. "
1016
-
1017
- #: wp-to-twitter-shorteners.php:435
1018
- msgid "YOURLS local server path removed. "
1019
- msgstr "Il percorso al server locale di YOURLS é stato rimosso. "
1020
-
1021
- #: wp-to-twitter-shorteners.php:440
1022
- msgid "YOURLS will use Post ID for short URL slug."
1023
- msgstr "YOURLS utilizzerà Post ID per lo slug degli URL brevi."
1024
-
1025
- #: wp-to-twitter-shorteners.php:442
1026
- msgid "YOURLS will use your custom keyword for short URL slug."
1027
- msgstr "YOURLS utilizzerà la tua keyword personalizzata per lo slug degli URL brevi."
1028
-
1029
- #: wp-to-twitter-shorteners.php:446
1030
- msgid "YOURLS will not use Post ID for the short URL slug."
1031
- msgstr "YOURLS non utilizzerà Post ID per lo slug degli URL brevi."
1032
-
1033
- #: wp-to-twitter-shorteners.php:454
1034
- msgid "Su.pr API Key and Username Updated"
1035
- msgstr "La chiave API ed il nome utente di Su.pr sono stati aggiornati"
1036
-
1037
- #: wp-to-twitter-shorteners.php:458
1038
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
1039
- 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. "
1040
-
1041
- #: wp-to-twitter-shorteners.php:460
1042
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
1043
- msgstr "Non é stata inserita la chiave API di Su.pr - <a href='http://su.pr/'>vai qui</a>! "
1044
-
1045
- #: wp-to-twitter-shorteners.php:466
1046
- msgid "Bit.ly API Key Updated."
1047
- msgstr "La chiave API di Bit.ly é stata aggiornata."
1048
-
1049
- #: wp-to-twitter-shorteners.php:469
1050
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
1051
- msgstr "La chiave API di Bit.ly é stata cancellata. Non puoi utilizzare la API di Bit.ly senza la chiave API. "
1052
-
1053
- #: wp-to-twitter-shorteners.php:471
1054
- 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."
1055
- 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."
1056
-
1057
- #: wp-to-twitter-shorteners.php:475
1058
- msgid " Bit.ly User Login Updated."
1059
- msgstr " Il login utente per Bit.ly é stato aggiornato."
1060
-
1061
- #: wp-to-twitter-shorteners.php:478
1062
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
1063
- 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. "
1064
-
1065
- #: wp-to-twitter-shorteners.php:480
1066
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
1067
- msgstr "Non sono stati inseriti i dati per il login a Bit.ly - <a href='http://bit.ly/account/'>vai qui</a>! "
1068
-
1069
- #: wp-to-twitter-manager.php:425
1070
- 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>"
1071
- 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>"
1072
-
1073
- #: wp-to-twitter-manager.php:431
1074
- 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>"
1075
- 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>"
1076
-
1077
- #: wp-to-twitter-manager.php:437
1078
- msgid "Clear 'WP to Twitter' Error Messages"
1079
- msgstr "Svuota i messaggiodi errore 'WP to Twitter'"
1080
-
1081
- #: wp-to-twitter-manager.php:443
1082
- msgid "WP to Twitter Options"
1083
- msgstr "Opzioni WP to Twitter"
1084
-
1085
- #: wp-to-twitter-manager.php:544
1086
- msgid "Update Twitter when you post a Blogroll link"
1087
- msgstr "Aggiorna Twitter quando viene aggiunto un nuovo link al blogroll"
1088
-
1089
- #: wp-to-twitter-manager.php:545
1090
- msgid "Text for new link updates:"
1091
- msgstr "Testo per gli aggiornamenti di un nuovo link:"
1092
-
1093
- #: wp-to-twitter-manager.php:545
1094
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
1095
- msgstr "Shortcode disponibili: <code>#url#</code>, <code>#title#</code> e <code>#description#</code>."
1096
-
1097
- #: wp-to-twitter-shorteners.php:552
1098
- msgid "Don't shorten URLs."
1099
- msgstr "Non usare gli URL brevi"
1100
-
1101
- #: wp-to-twitter-shorteners.php:296
1102
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
1103
- msgstr "Impostazione account per il servizio di accorciamento di <abbr title=\"Uniform Resource Locator\">URL</abbr>"
1104
-
1105
- #: wp-to-twitter-shorteners.php:300
1106
- msgid "Your Su.pr account details"
1107
- msgstr "Dati account Su.pr"
1108
-
1109
- #: wp-to-twitter-shorteners.php:305
1110
- msgid "Your Su.pr Username:"
1111
- msgstr "Nome utente Su.pr:"
1112
-
1113
- #: wp-to-twitter-shorteners.php:309
1114
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
1115
- msgstr "La tua chiave <abbr title='application programming interface'>API</abbr> di Su.pr:"
1116
-
1117
- #: wp-to-twitter-shorteners.php:316
1118
- 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."
1119
- 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."
1120
-
1121
- #: wp-to-twitter-shorteners.php:322
1122
- msgid "Your Bit.ly account details"
1123
- msgstr "Dati account Bit.ly"
1124
-
1125
- #: wp-to-twitter-shorteners.php:327
1126
- msgid "Your Bit.ly username:"
1127
- msgstr "Nome utente Bit.ly:"
1128
-
1129
- #: wp-to-twitter-shorteners.php:331
1130
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
1131
- msgstr "La tua chiave <abbr title='application programming interface'>API</abbr> di Bit.ly:"
1132
-
1133
- #: wp-to-twitter-shorteners.php:339
1134
- msgid "Save Bit.ly API Key"
1135
- msgstr "Salva la chiave API di Bit.ly"
1136
-
1137
- #: wp-to-twitter-shorteners.php:339
1138
- msgid "Clear Bit.ly API Key"
1139
- msgstr "Svuota la chiave API di Bit.ly"
1140
-
1141
- #: wp-to-twitter-shorteners.php:339
1142
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
1143
- 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."
1144
-
1145
- #: wp-to-twitter-shorteners.php:345
1146
- msgid "Your YOURLS account details"
1147
- msgstr "I dettagli del tuo account YOURLS"
1148
-
1149
- #: wp-to-twitter-shorteners.php:350
1150
- msgid "Path to your YOURLS config file (Local installations)"
1151
- msgstr "Percorso al file di configurazione YOURLS (installazioni locali)"
1152
-
1153
- #: wp-to-twitter-shorteners.php:351 wp-to-twitter-shorteners.php:355
1154
- msgid "Example:"
1155
- msgstr "Esempio:"
1156
-
1157
- #: wp-to-twitter-shorteners.php:354
1158
- msgid "URI to the YOURLS API (Remote installations)"
1159
- msgstr "URI alla API di YOURLS (installazioni remote)"
1160
-
1161
- #: wp-to-twitter-shorteners.php:358
1162
- msgid "Your YOURLS username:"
1163
- msgstr "Nome utente YOURLS:"
1164
-
1165
- #: wp-to-twitter-shorteners.php:362
1166
- msgid "Your YOURLS password:"
1167
- msgstr "Password YOURLS:"
1168
-
1169
- #: wp-to-twitter-shorteners.php:362
1170
- msgid "<em>Saved</em>"
1171
- msgstr "<em>Salvato</em>"
1172
-
1173
- #: wp-to-twitter-shorteners.php:366
1174
- msgid "Post ID for YOURLS url slug."
1175
- msgstr "ID post per lo slug degli url di YOURLS."
1176
-
1177
- #: wp-to-twitter-shorteners.php:367
1178
- msgid "Custom keyword for YOURLS url slug."
1179
- msgstr "Keyword personalizzata per lo slug degli url di YOURLS."
1180
-
1181
- #: wp-to-twitter-shorteners.php:368
1182
- msgid "Default: sequential URL numbering."
1183
- msgstr "Predefinito: numerazione sequenziale URL."
1184
-
1185
- #: wp-to-twitter-shorteners.php:374
1186
- msgid "Save YOURLS Account Info"
1187
- msgstr "Salva le info account di YOURLS"
1188
-
1189
- #: wp-to-twitter-shorteners.php:374
1190
- msgid "Clear YOURLS password"
1191
- msgstr "Svuota la password di YOURLS"
1192
-
1193
- #: wp-to-twitter-shorteners.php:374
1194
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
1195
- msgstr "Nome utente e password sono necessari per accorciare le URL attraverso le API di YOURLS e di WP to Twitter."
1196
-
1197
- #: wp-to-twitter-manager.php:565
1198
- msgid "Advanced Settings"
1199
- msgstr "Impostazioni avanzate"
1200
-
1201
- #: wp-to-twitter-manager.php:575
1202
- msgid "Strip nonalphanumeric characters from tags"
1203
- msgstr "Rimuovi i caratteri non alfanumerici dai tag"
1204
-
1205
- #: wp-to-twitter-manager.php:581
1206
- msgid "Spaces in tags replaced with:"
1207
- msgstr "Sostituisci gli spazi trai tag con:"
1208
-
1209
- #: wp-to-twitter-manager.php:584
1210
- msgid "Maximum number of tags to include:"
1211
- msgstr "Numero massimo di tag da includere:"
1212
-
1213
- #: wp-to-twitter-manager.php:585
1214
- msgid "Maximum length in characters for included tags:"
1215
- msgstr "Lunghezza massima in caratteri per i tag inclusi:"
1216
-
1217
- #: wp-to-twitter-manager.php:591
1218
- msgid "Length of post excerpt (in characters):"
1219
- msgstr "Lunghezza riassunto messaggi (in caratteri)"
1220
-
1221
- #: wp-to-twitter-manager.php:594
1222
- msgid "WP to Twitter Date Formatting:"
1223
- msgstr "Formattazione data WP to Twitter:"
1224
-
1225
- #: wp-to-twitter-manager.php:594
1226
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1227
- msgstr "Predefinito dalle impostazioni generali. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Info formattazione data</a>."
1228
-
1229
- #: wp-to-twitter-manager.php:598
1230
- msgid "Custom text before all Tweets:"
1231
- msgstr "Testo personalizzato prima di tutti i messaggi:"
1232
-
1233
- #: wp-to-twitter-manager.php:601
1234
- msgid "Custom text after all Tweets:"
1235
- msgstr "Testo personalizzato dopo tutti i messaggi:"
1236
-
1237
- #: wp-to-twitter-manager.php:604
1238
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1239
- msgstr "Campo personalizzato per inserire una URL alternativa da accorciare e inviare a Twitter:"
1240
-
1241
- #: wp-to-twitter-manager.php:641
1242
- msgid "Special Cases when WordPress should send a Tweet"
1243
- msgstr "Casi particolari nei quali WordPress dovrebbe inviare un messaggio"
1244
-
1245
- #: wp-to-twitter-manager.php:644
1246
- msgid "Do not post Tweets by default"
1247
- msgstr "Di default non inviare i Tweet"
1248
-
1249
- #: wp-to-twitter-manager.php:648
1250
- msgid "Allow status updates from Quick Edit"
1251
- msgstr "Permetti aggiornamenti stato via Quick Edit"
1252
-
1253
- #: wp-to-twitter-manager.php:652
1254
- msgid "Google Analytics Settings"
1255
- msgstr "Impostazioni Google Analytics"
1256
-
1257
- #: wp-to-twitter-manager.php:653
1258
- 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."
1259
- 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."
1260
-
1261
- #: wp-to-twitter-manager.php:656
1262
- msgid "Use a Static Identifier with WP-to-Twitter"
1263
- msgstr "Utilizza un identificatore statico per WP-to-Twitter"
1264
-
1265
- #: wp-to-twitter-manager.php:657
1266
- msgid "Static Campaign identifier for Google Analytics:"
1267
- msgstr "Identificatore statico Google Analytics:"
1268
-
1269
- #: wp-to-twitter-manager.php:661
1270
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1271
- msgstr "Utilizza un identificatore dinamico per Google Analytics e WP-to-Twitter"
1272
-
1273
- #: wp-to-twitter-manager.php:662
1274
- msgid "What dynamic identifier would you like to use?"
1275
- msgstr "Quale identificatore dinamico desideri utilizzare?"
1276
-
1277
- #: wp-to-twitter-manager.php:664
1278
- msgid "Category"
1279
- msgstr "Categoria"
1280
-
1281
- #: wp-to-twitter-manager.php:665
1282
- msgid "Post ID"
1283
- msgstr "ID post"
1284
-
1285
- #: wp-to-twitter-manager.php:666
1286
- msgid "Post Title"
1287
- msgstr "Titolo post"
1288
-
1289
- #: wp-to-twitter-manager.php:667
1290
- msgid "Author"
1291
- msgstr "Autore"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-ja.po DELETED
@@ -1,892 +0,0 @@
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
- #~ "ではないかもしれません。ですがタイムゾーンを考慮すると正しいはずです)"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-lt_LT.po DELETED
@@ -1,548 +0,0 @@
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 CHANGED
Binary file
lang/wp-to-twitter-nl_NL.po DELETED
@@ -1,1291 +0,0 @@
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: 2014-04-25 16:02: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:61
14
- msgid "No error message was returned."
15
- msgstr "Geen foutmelding ontvangen."
16
-
17
- #: wp-to-twitter-manager.php:186
18
- msgid "WP to Twitter failed to connect with Twitter."
19
- msgstr "Wp to Twitter heeft geen verbinding met Twitter kunnen maken."
20
-
21
- #: wp-to-twitter-manager.php:420
22
- msgid "Last Tweet"
23
- msgstr "Laatste Tweet"
24
-
25
- #: wp-to-twitter-manager.php:428
26
- 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."
27
- msgstr "Ik kon geen verbinding maken met de Twitter servers om uw <strong>nieuwe link</strong> te posten! U zult dit handmatig moeten posten."
28
-
29
- #: wp-to-twitter-manager.php:721
30
- msgid "Disable Twitter Feed Stylesheet"
31
- msgstr "Schakel Twitter Feed Stylesheet uit"
32
-
33
- #: wp-to-twitter-oauth.php:184
34
- msgid "Connection Problems? If you're getting an SSL related error, you'll need to contact your host."
35
- msgstr "Verbindingsproblemen? Als u een SSL-gerelateerde foutmelding krijgt, zult u contact op moeten nemen met uw hostingprovider."
36
-
37
- #: wp-to-twitter-oauth.php:228
38
- msgid "2. Switch to the \"Permissions\" tab in Twitter apps"
39
- msgstr "Ga naar de \"Permissions\" tab in Twitter apps"
40
-
41
- #: wp-to-twitter-oauth.php:233
42
- msgid "3. Switch to the API Keys tab and regenerate your API keys, then create your access token."
43
- msgstr "Ga naar de \"API Keys\" tab en maak uw API keys opnieuw, daarna maakt u uw access token."
44
-
45
- #: wp-to-twitter-oauth.php:235
46
- msgid "Copy your API key and API secret from the top section."
47
- msgstr "Kopieer uw API Key en API secret uit de bovenste sectie."
48
-
49
- #: wp-to-twitter-oauth.php:236
50
- msgid "Copy your Access token and Access token secret from the bottom section."
51
- msgstr "Kopieer uw \"Access token\" en \"Access token\" secret uit de onderste sectie"
52
-
53
- #: wp-to-twitter-oauth.php:242
54
- msgid "API Key"
55
- msgstr "API key"
56
-
57
- #: wp-to-twitter-oauth.php:246
58
- msgid "API Secret"
59
- msgstr "API Secret"
60
-
61
- #: wp-to-twitter.php:254
62
- msgid "Twitter requires all Tweets to be unique."
63
- msgstr "Twitter verlangt dat alle Tweets uniek zijn."
64
-
65
- #: wp-to-twitter.php:318
66
- msgid "403 Forbidden: The request is understood, but has been refused by Twitter. Possible reasons: too many Tweets, same Tweet submitted twice, Tweet longer than 140 characters."
67
- msgstr "403 Verboden: het verzoek is begrepen, echter is het geweigerd door Twitter. Mogelijke redenen: te veel Tweets, dezelfde Tweet meermaals verzonden, Tweet langer dan 140 karakters."
68
-
69
- #: wp-to-twitter.php:374
70
- msgid "Tweet sent successfully."
71
- msgstr "Tweet succesvol verzonden."
72
-
73
- #: wpt-functions.php:360
74
- msgid "Sorry! I couldn't send that message. Here's the text of your message:"
75
- msgstr "Sorry! Ik heb dat bericht niet kunnen verzenden. Hier is de tekst van uw bericht:"
76
-
77
- #: wp-to-twitter-manager.php:505
78
- msgid "These categories are currently <strong>excluded</strong> by the deprecated WP to Twitter category filters."
79
- msgstr "Deze categorieën zijn tegenwoordig <strong>uitgesloten</strong> van de afgeschafte WP to Twitter categoriefilters"
80
-
81
- #: wp-to-twitter-manager.php:507
82
- msgid "These categories are currently <strong>allowed</strong> by the deprecated WP to Twitter category filters."
83
- msgstr "Deze categorieën zijn tegenwoordig <strong>toegestane</strong> van de afgeschafte WP to Twitter categoriefilters"
84
-
85
- #: wp-to-twitter-manager.php:516
86
- msgid "<a href=\"%s\">Upgrade to WP Tweets PRO</a> to filter posts in all custom post types on any taxonomy."
87
- msgstr "<a href=\"%s\">Upgrade naar WP Tweets Pro</a> om berichten in alle aangepaste post types op elke taxonomie te filteren."
88
-
89
- #: wp-to-twitter-manager.php:518
90
- msgid "Updating the WP Tweets PRO taxonomy filters will overwrite your old category filters."
91
- msgstr "Het updaten van de WP Tweets PRO taxonomiefilters zal uw oude categoriefilters overschrijven."
92
-
93
- #: wp-to-twitter-manager.php:465
94
- msgid "Status Update Templates"
95
- msgstr "Status Update Templates"
96
-
97
- #: wp-to-twitter-manager.php:780
98
- msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a><br />Every donation matters - donate $5, $20, or $100 today!"
99
- msgstr "<a href=\"http://www.joedolson.com/donate.php\">Doneer vandaag nog!</a><br />Elke donatie telt mee - doneer vandaag nog $5, $20 of $100."
100
-
101
- #: wp-to-twitter-manager.php:805
102
- msgid "Authors can post to their own Twitter accounts"
103
- msgstr "Auteurs kunnen naar hun eigen Twitter accounts posten."
104
-
105
- #: wp-to-twitter-manager.php:806
106
- msgid "Delay Tweets minutes or hours after you publish"
107
- msgstr "Stel Tweets minuten of uren uit nadat je hebt gepubliceerd."
108
-
109
- #: wp-to-twitter-manager.php:809
110
- msgid "Filter Tweets by category, tag, or custom taxonomy"
111
- msgstr "Filter Tweets op categorie, tag, of willekeurige ordening"
112
-
113
- #: wpt-widget.php:50
114
- msgid "Error: "
115
- msgstr "Foutmelding:"
116
-
117
- #: wp-to-twitter-manager.php:470 wp-to-twitter-manager.php:553
118
- msgid "Save WP to Twitter Options"
119
- msgstr "Sla WP to Twitter instellingen op"
120
-
121
- #: wp-to-twitter-manager.php:526
122
- msgid "Template for new %1$s updates"
123
- msgstr "Template voor nieuwe %1$s updates"
124
-
125
- #: wp-to-twitter-manager.php:530
126
- msgid "Template for %1$s editing updates"
127
- msgstr "Template voor %1$s editing updates"
128
-
129
- #: wp-to-twitter-manager.php:485 wp-to-twitter-manager.php:541
130
- msgid "Links"
131
- msgstr "Links"
132
-
133
- #: wp-to-twitter-manager.php:570 wp-to-twitter-manager.php:729
134
- msgid "Save Advanced WP to Twitter Options"
135
- msgstr "Sla Geavanceerde WP to Twitter Opties op"
136
-
137
- #: wp-to-twitter-manager.php:802
138
- msgid "Upgrade to <strong>WP Tweets PRO</strong>!"
139
- msgstr "Upgrade naar <strong>WP Tweets PRO</strong>!"
140
-
141
- #: wp-to-twitter-manager.php:803
142
- msgid "Bonuses in the PRO upgrade:"
143
- msgstr "Extra's in de PRO upgrade:"
144
-
145
- #: wp-to-twitter-manager.php:807
146
- msgid "Automatically schedule Tweets to post again later"
147
- msgstr "Post Tweets automatisch later weer"
148
-
149
- #: wp-to-twitter.php:1087
150
- msgid "WP Tweets PRO 1.5.2+ allows you to select Twitter accounts. <a href=\"%s\">Log in and download now!</a>"
151
- msgstr "WP Tweets PRO 1.5.2+ biedt u de mogelijkheid Twitter accounts te kiezen. <a href=\"%s\">Log in en download nu!</a>"
152
-
153
- #: wp-to-twitter.php:1185
154
- msgid "Delete Tweet History"
155
- msgstr "Verwijder Tweet geschiedenis"
156
-
157
- #: wpt-functions.php:378
158
- msgid "If you're having trouble with WP to Twitter, please try to answer these questions in your message:"
159
- msgstr "Als u problemen heeft met WP to Twitter, probeer in uw bericht alstublieft de volgende vragen te beantwoorden:"
160
-
161
- #: wpt-functions.php:381
162
- msgid "Did this error happen only once, or repeatedly?"
163
- msgstr "Kreeg u deze foutmelding slechts één keer of herhaaldelijk?"
164
-
165
- #: wpt-functions.php:382
166
- msgid "What was the Tweet, or an example Tweet, that produced this error?"
167
- msgstr "Bij welke Tweet, of een voorbeeld van een Tweet, werd deze foutmelding gegenereerd?"
168
-
169
- #: wpt-functions.php:383
170
- msgid "If there was an error message from WP to Twitter, what was it?"
171
- msgstr "Kreeg u een foutmelding vanuit WP to Twitter, welke melding was dit?"
172
-
173
- #: wpt-functions.php:384
174
- msgid "What is the template you're using for your Tweets?"
175
- msgstr "Welke template gebruikt u voor uw Tweets?"
176
-
177
- #: wp-to-twitter-oauth.php:223
178
- msgid "Your application name cannot include the word \"Twitter.\""
179
- msgstr "Uw applicatie naam kan niet het woord \"Twitter\" bevatten."
180
-
181
- #: wp-to-twitter.php:308
182
- msgid "304 Not Modified: There was no new data to return"
183
- msgstr "304 Not Modified: Er was geen nieuwe data om terug te verzenden"
184
-
185
- #: wp-to-twitter.php:327
186
- msgid "422 Unprocessable Entity: The image uploaded could not be processed.."
187
- msgstr "422 Unprocessable Entity: De geuploade afbeelding kon niet worden verwerkt.."
188
-
189
- #: wp-to-twitter.php:1089
190
- msgid "Upgrade to WP Tweets PRO to select Twitter accounts! <a href=\"%s\">Upgrade now!</a>"
191
- msgstr "Upgrade naar WP Tweets PRO om Twitter accounts te selecteren! <a href=\"%s\">Upgrade nu!</a>"
192
-
193
- #: wp-to-twitter.php:1121
194
- msgid "Tweets must be less than 140 characters; Twitter counts URLs as 22 or 23 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>."
195
- msgstr "Tweets moeten minder zijn 140 karakters; Twitter telt URLs als 22 of 23 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>, of <code>#blog#</code>."
196
-
197
- #: wpt-feed.php:163
198
- msgid "Twitter returned an invalid response. It is probably down."
199
- msgstr "Twitter geeft een ongeldig antwoord. Waarschijnlijk zijn er problemen."
200
-
201
- #: wpt-widget.php:140
202
- msgid "Display a list of your latest tweets."
203
- msgstr "Geef een lijst weer van uw laatste tweets."
204
-
205
- #: wpt-widget.php:148
206
- msgid "WP to Twitter - Latest Tweets"
207
- msgstr "WP to Twitter - Laatste Tweets"
208
-
209
- #: wpt-widget.php:87
210
- msgid "<a href=\"%3$s\">about %1$s ago</a> via %2$s"
211
- msgstr "<a href=\"%3$s\">ongeveer %1$s geleden</a> via %2$s"
212
-
213
- #: wpt-widget.php:89
214
- msgid "<a href=\"%2$s\">about %1$s ago</a>"
215
- msgstr "<a href=\"%2$s\">ongeveer %1$s geleden</a>"
216
-
217
- #: wpt-widget.php:203
218
- msgid "Title"
219
- msgstr "Titel"
220
-
221
- #: wpt-widget.php:208
222
- msgid "Twitter Username"
223
- msgstr "Twitter Gebruikersnaam"
224
-
225
- #: wpt-widget.php:213
226
- msgid "Number of Tweets to Show"
227
- msgstr "Aantal weer te geven Tweets"
228
-
229
- #: wpt-widget.php:219
230
- msgid "Hide @ Replies"
231
- msgstr "Verberg @ Antwoorden"
232
-
233
- #: wpt-widget.php:224
234
- msgid "Include Retweets"
235
- msgstr "Bijsluiten Retweets"
236
-
237
- #: wpt-widget.php:229
238
- msgid "Parse links"
239
- msgstr "Ontleed Links"
240
-
241
- #: wpt-widget.php:234
242
- msgid "Parse @mentions"
243
- msgstr "Ontleed @vermeldingen"
244
-
245
- #: wpt-widget.php:239
246
- msgid "Parse #hashtags"
247
- msgstr "Ontleed #hashtags"
248
-
249
- #: wpt-widget.php:244
250
- msgid "Include Reply/Retweet/Favorite Links"
251
- msgstr "Bijsluiten Antwoord/Retweet/Favorieten Links"
252
-
253
- #: wpt-widget.php:249
254
- msgid "Include Tweet source"
255
- msgstr "Bijsluiten Tweet bron"
256
-
257
- #: wp-to-twitter-manager.php:187
258
- msgid "Error:"
259
- msgstr "Fout:"
260
-
261
- #: wp-to-twitter-manager.php:671
262
- msgid "No Analytics"
263
- msgstr "Geen Analytics"
264
-
265
- #: wp-to-twitter-manager.php:808
266
- msgid "Send Tweets for approved comments"
267
- msgstr "Verzend Tweets voor goedgekeurde reacties"
268
-
269
- #: wp-to-twitter.php:59
270
- msgid "The current version of WP Tweets PRO is <strong>%s</strong>. <a href=\"http://www.joedolson.com/articles/account/\">Upgrade for best compatibility!</a>"
271
- msgstr "De huidige versie van WP Tweets PRO is <strong>%s</strong>. <a href=\"http://www.joedolson.com/articles/account/\">Upgrade voor de beste compatibiliteit!</a>"
272
-
273
- #: wp-to-twitter.php:70
274
- msgid "Tweeting of comments has been moved to <a href=\"%1$s\">WP Tweets PRO</a>. You will need to upgrade in order to Tweet comments. <a href=\"%2$s\">Dismiss</a>"
275
- msgstr "Tweeten van reacties is verplaatst naar <a href=\"%1$s\">WP Tweets PRO</a>. U moet upgraden om reacties te kunnen tweeten. <a href=\"%2$s\">Verberg</a>"
276
-
277
- #: wp-to-twitter.php:1023
278
- msgid "Tweeting %s edits is disabled."
279
- msgstr "Tweet bewerking van %s is uitgeschakeld."
280
-
281
- #: wp-to-twitter.php:1489
282
- msgid "I hope you've enjoyed <strong>WP to Twitter</strong>! Take a look at <a href='%s'>upgrading to WP Tweets PRO</a> for advanced Tweeting with WordPress! <a href='%s'>Dismiss</a>"
283
- msgstr "Ik hoop dat u plezier heeft van <strong>WP to Twitter</strong>! Kijk ook naar een <a href='%s'>upgrade naar WP Tweets PRO</a> voor geavanceerd tweeten met WordPress! <a href='%s'>Verberg</a>"
284
-
285
- msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your URL shortening service. Rich in features for customizing and promoting your Tweets."
286
- msgstr "Plaats een tweet wanneer u uw WordPress blog update of iets op uw blogroll plaatst met gebruik van uw URL verkortingsservice. Rijk aan functies voor het aanpassen en het promoten van uw tweets."
287
-
288
- #: wp-to-twitter-shorteners.php:380
289
- msgid "Your jotURL account details"
290
- msgstr "Uw jotURL account gegevens"
291
-
292
- #: wp-to-twitter-shorteners.php:384
293
- msgid "Your jotURL public <abbr title='application programming interface'>API</abbr> key:"
294
- msgstr "Uw jotURL public <abbr title='application programming interface'>API</abbr> sleutel:"
295
-
296
- #: wp-to-twitter-shorteners.php:385
297
- msgid "Your jotURL private <abbr title='application programming interface'>API</abbr> key:"
298
- msgstr "Uw jotURL private <abbr title='application programming interface'>API</abbr> sleutel:"
299
-
300
- #: wp-to-twitter-shorteners.php:386
301
- msgid "Parameters to add to the long URL (before shortening):"
302
- msgstr "Parameters om toe te voegen aan de lange URL (voor verkorting):"
303
-
304
- #: wp-to-twitter-shorteners.php:386
305
- msgid "Parameters to add to the short URL (after shortening):"
306
- msgstr "Parameters om toe te voegen aan de korte URL (na verkorting):"
307
-
308
- #: wp-to-twitter-shorteners.php:387
309
- msgid "View your jotURL public and private API key"
310
- msgstr "Bekijk uw jotURL public and private API sleutels"
311
-
312
- #: wp-to-twitter-shorteners.php:390
313
- msgid "Save jotURL settings"
314
- msgstr "Bewaar jotURL instellingen"
315
-
316
- #: wp-to-twitter-shorteners.php:390
317
- msgid "Clear jotURL settings"
318
- msgstr "Verwijder jotURL instellingen"
319
-
320
- #: wp-to-twitter-shorteners.php:391
321
- msgid "A jotURL public and private API key is required to shorten URLs via the jotURL API and WP to Twitter."
322
- msgstr "Een jotURL public en private API sleutel zijn benodigd om URLs te verkorten via de jotURL API en WP to Twitter."
323
-
324
- #: wp-to-twitter-shorteners.php:486
325
- msgid "jotURL private API Key Updated. "
326
- msgstr "jotURL private API sleutel bijgewerkt. "
327
-
328
- #: wp-to-twitter-shorteners.php:489
329
- msgid "jotURL private API Key deleted. You cannot use the jotURL API without a private API key. "
330
- msgstr "jotURL private API sleutel verwijderd. U kan niet de jotURL API gebruiken zonder een private API sleutel. "
331
-
332
- #: wp-to-twitter-shorteners.php:491
333
- 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. "
334
- msgstr "jotURL private API sleutel niet toegevoegd - <a href='https://www.joturl.com/reserved/api.html'>verkrijg er een hier</a>! Een private API sleutel is benodigd om gebruik te kunnen maken van de jotURL URL verkorter. "
335
-
336
- #: wp-to-twitter-shorteners.php:495
337
- msgid "jotURL public API Key Updated. "
338
- msgstr "jotURL public API sleutel bijgewerkt. "
339
-
340
- #: wp-to-twitter-shorteners.php:498
341
- msgid "jotURL public API Key deleted. You cannot use the jotURL API without providing your public API Key. "
342
- msgstr "jotURL public API sleutel verwijderd. U kan niet de jotURL API gebruiken zonder uw public API sleutel in te geven. "
343
-
344
- #: wp-to-twitter-shorteners.php:500
345
- msgid "jotURL public API Key not added - <a href='https://www.joturl.com/reserved/api.html'>get one here</a>! "
346
- msgstr "jotURL public API sleutel niet ingevuld - <a href='https://www.joturl.com/reserved/api.html'>verkrijg er een hier</a>! "
347
-
348
- #: wp-to-twitter-shorteners.php:506
349
- msgid "Long URL parameters added. "
350
- msgstr "Lange URL parameters toegevoegd. "
351
-
352
- #: wp-to-twitter-shorteners.php:509
353
- msgid "Long URL parameters deleted. "
354
- msgstr "Lange URL parameters verwijderd. "
355
-
356
- #: wp-to-twitter-shorteners.php:515
357
- msgid "Short URL parameters added. "
358
- msgstr "Korte URL parameters toegevoegd. "
359
-
360
- #: wp-to-twitter-shorteners.php:518
361
- msgid "Short URL parameters deleted. "
362
- msgstr "Korte URL parameters verwijderd. "
363
-
364
- #: wp-to-twitter-shorteners.php:532
365
- msgid "You must add your jotURL public and private API key in order to shorten URLs with jotURL."
366
- msgstr "U moet uw jotURL public en private API sleutels toevoegen om URLs te verkorten met jotURL."
367
-
368
- #: wp-to-twitter-manager.php:573
369
- msgid "Tags"
370
- msgstr "Tags"
371
-
372
- #: wp-to-twitter-manager.php:589
373
- msgid "Template Tag Settings"
374
- msgstr "Template Tag Instellingen"
375
-
376
- #: wp-to-twitter-manager.php:591
377
- msgid "Extracted from the post. If you use the 'Excerpt' field, it will be used instead."
378
- msgstr "Uittreksel van het bericht. Als u het 'Excerpt' veld gebruikt zal het in plaats daarvan worden gebruikt."
379
-
380
- #: wp-to-twitter-manager.php:634
381
- msgid "Template tag priority order"
382
- msgstr "Prioriteitsvolgorde template tag"
383
-
384
- #: wp-to-twitter-manager.php:635
385
- msgid "The order in which items will be abbreviated or removed from your Tweet if the Tweet is too long to send to Twitter."
386
- msgstr "De volgorde waarin onderdelen worden afgekort of verwijderd van uw Tweet als uw Tweet te lang is om naar Twitter te sturen."
387
-
388
- #: wp-to-twitter-manager.php:675
389
- msgid "Author Settings"
390
- msgstr "Auteur Instellingen"
391
-
392
- #: wp-to-twitter-manager.php:680
393
- 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."
394
- msgstr "Auteurs kunnen hun gebruikersnaam toevoegen in hun gebruikersprofiel. Met de gratis versie van WP to Twitter wordt een @verwijzing toegevoegd naar de auteur. De @ verwijzing wordt geplaatst met gebruikmaking van de <code>#account#</code> shortcode, welke het standaardaccount zal selecteren wanneer de gebruikersaccount niet is geconfigureerd."
395
-
396
- #: wp-to-twitter-manager.php:684
397
- msgid "Permissions"
398
- msgstr "Rechten"
399
-
400
- #: wp-to-twitter-manager.php:719
401
- msgid "Error Messages and Debugging"
402
- msgstr "Foutmeldingen en Debuggen"
403
-
404
- #: wp-to-twitter-manager.php:832
405
- msgid "<code>#cat_desc#</code>: custom value from the category description field"
406
- msgstr "<code>#cat_desc#</code>: aangepaste waarde van het categorie omschrijvingsveld"
407
-
408
- #: wp-to-twitter-manager.php:839
409
- msgid "<code>#@#</code>: the twitter @reference for the author or blank, if not set"
410
- msgstr "<code>#@#</code>: de twitter @verwijzing voor de auteur of leeg, indien niet ingesteld"
411
-
412
- #: wp-to-twitter-oauth.php:283
413
- 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>"
414
- msgstr "<strong>Probleemoplossing tip:</strong> Connectie gemaakt, maar een foutmelding dat uw authenticatie gegevens niet ingevuld of onjuist zijn? Controleer dat uw Access token lees- en schrijfrechten heeft. Zo niet, dan moet u een nieuw token genereren. <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/#q1\">lees de FAQ (Engels)</a>"
415
-
416
- #: wp-to-twitter-oauth.php:310 wp-to-twitter-oauth.php:316
417
- msgid "Twitter's server time: "
418
- msgstr "Twitter's servertijd:"
419
-
420
- #: wp-to-twitter.php:1375
421
- msgid "Upgrade"
422
- msgstr "Upgrade"
423
-
424
- #: wp-to-twitter-manager.php:578
425
- msgid "Use tag slug as hashtag value"
426
- msgstr "Gebruik tag slug als hashtag waarde"
427
-
428
- #: wp-to-twitter-shorteners.php:550
429
- msgid "Choose a short URL service (account settings below)"
430
- msgstr "Kies een URL verkorter (account instellingen onder)"
431
-
432
- #: wp-to-twitter-shorteners.php:556
433
- msgid "YOURLS (on this server)"
434
- msgstr "YOURLS (op deze server)"
435
-
436
- #: wp-to-twitter-shorteners.php:557
437
- msgid "YOURLS (on a remote server)"
438
- msgstr "YOURLS (op een remote server)"
439
-
440
- #: wpt-functions.php:355
441
- 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>."
442
- msgstr "Dank u voor de ondersteuning t.b.v. de verdere ontwikkeling van deze plugin! Ik neem zo snel mogelijk contact met u op. Wees er zeker van dat u email kunt ontvangen via <code>%s</code>."
443
-
444
- #: wpt-functions.php:357
445
- msgid "Thanks for using WP to Twitter. Please ensure that you can receive email at <code>%s</code>."
446
- msgstr "Bedankt voor het gebruiken van WP to Twitter. Wees er zeker van dat u email kunt ontvangen via <code>%s</code>."
447
-
448
- #: wpt-functions.php:389
449
- msgid "Reply to:"
450
- msgstr "Antwoord naar:"
451
-
452
- #: wp-to-twitter-manager.php:700
453
- msgid "The lowest user group that can add their Twitter information"
454
- msgstr "De laagste gebruikersgroep die hun Twitter informatie kunnen toevoegen"
455
-
456
- #: wp-to-twitter-manager.php:705
457
- msgid "The lowest user group that can see the Custom Tweet options when posting"
458
- msgstr "De laagste gebruikersgroep die de Aangepaste Tweet opties kunnen zien bij het plaatsen"
459
-
460
- #: wp-to-twitter-manager.php:710
461
- msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
462
- msgstr "De laagste user groep dat Tweet / Geen Tweet opties aan en uit kan zetten"
463
-
464
- #: wp-to-twitter-manager.php:715
465
- msgid "The lowest user group that can send Twitter updates"
466
- msgstr "De laagste user groep dat Twitter updates kan sturen"
467
-
468
- #: wp-to-twitter-manager.php:836
469
- msgid "<code>#author#</code>: the post author (@reference if available, otherwise display name)"
470
- msgstr "<code>#author#</code>: auteur van het bericht (@verwijzing indien beschikbaar, anders weergave naam)"
471
-
472
- #: wp-to-twitter-manager.php:837
473
- msgid "<code>#displayname#</code>: post author's display name"
474
- msgstr "<code>#displayname#</code>: plaats weergave naam auteur"
475
-
476
- #: wp-to-twitter.php:262
477
- msgid "This tweet was blank and could not be sent to Twitter."
478
- msgstr "Deze Tweet was leeg en kon niet naar Twitter verzonden worden"
479
-
480
- #: wp-to-twitter.php:321
481
- msgid "404 Not Found: The URI requested is invalid or the resource requested does not exist."
482
- msgstr "404 Not Found: De gevraagde URI is ongeldig of de opgevraagde bron bestaat niet."
483
-
484
- #: wp-to-twitter.php:324
485
- msgid "406 Not Acceptable: Invalid Format Specified."
486
- msgstr "406 Not Acceptable: Ongeldig Format Gespecificeerd."
487
-
488
- #: wp-to-twitter.php:330
489
- msgid "429 Too Many Requests: You have exceeded your rate limits."
490
- msgstr "429 Too Many Requests: U heeft uw limiet overschreden."
491
-
492
- #: wp-to-twitter.php:342
493
- 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."
494
- msgstr "504 Gateway Timeout: De Twitter-servers werken, maar het verzoek kon niet worden gehonoreerd vanwege een fout in onze stack. Probeer het later opnieuw."
495
-
496
- #: wp-to-twitter.php:1037
497
- msgid "Your prepended Tweet text; not part of your template."
498
- msgstr "Uw voorgevoegde Tweet tekst; geen onderdeel van uw template."
499
-
500
- #: wp-to-twitter.php:1040
501
- msgid "Your appended Tweet text; not part of your template."
502
- msgstr "Uw toegevoegde Tweet tekst; geen onderdeel van uw template."
503
-
504
- #: wp-to-twitter.php:1140
505
- msgid "Your role does not have the ability to Post Tweets from this site."
506
- msgstr "Uw rol heeft niet de mogelijkheid om Tweets te plaatsen vanaf deze site."
507
-
508
- #: wp-to-twitter.php:1309
509
- msgid "Hide account name in Tweets"
510
- msgstr "Verberg accountnaam in Tweets"
511
-
512
- #: wp-to-twitter.php:1310
513
- msgid "Do not display my account in the #account# template tag."
514
- msgstr "Geef mijn account niet weer in de #account# template tag."
515
-
516
- #: wpt-functions.php:392
517
- msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
518
- msgstr "I heb de <a href=\"%1$s\">FAQ voor deze plugin (Engels)</a> gelezen<span>(vereist)</span>"
519
-
520
- #: wpt-functions.php:395
521
- msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
522
- msgstr "I heb <a href=\"%1$s\">een donatie gemaakt om deze plugin te ondersteunen</a>"
523
-
524
- #: wpt-functions.php:398
525
- msgid "Support Request:"
526
- msgstr "Support Aanvraag:"
527
-
528
- #: wp-to-twitter-manager.php:526
529
- msgid "Update when %1$s %2$s is published"
530
- msgstr "Update wanneer %1$s %2$s is geplaatst"
531
-
532
- #: wp-to-twitter-manager.php:530
533
- msgid "Update when %1$s %2$s is edited"
534
- msgstr "Update wanneer %1$s %2$s is bewerkt"
535
-
536
- #: wp-to-twitter-oauth.php:218
537
- msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
538
- msgstr "Uw server tijdzone (moet UTC, GMT, Europa/Londen of gelijkwaardig zijn):"
539
-
540
- #: wp-to-twitter-shorteners.php:560
541
- msgid "Use Twitter Friendly Links."
542
- msgstr "Gebruik Twitter-Vriendelijke Links."
543
-
544
- #: wp-to-twitter-shorteners.php:334
545
- msgid "View your Bit.ly username and API key"
546
- msgstr "Bekijk uw Bit.ly gebruikersnaam en API sleutel"
547
-
548
- #: wp-to-twitter-shorteners.php:396
549
- msgid "Your shortener does not require any account settings."
550
- msgstr "Uw verkorter vereist geen enkele account instelling."
551
-
552
- #: wp-to-twitter.php:299
553
- msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
554
- msgstr "Uw Twitter applicatie heeft geen lees- en schrijfrechten. Ga naar <a href=\"%s\">uw Twitter applicaties</a> om deze instellingen aan te passen."
555
-
556
- #: wp-to-twitter.php:1164
557
- msgid "Failed Tweets"
558
- msgstr "Mislukte Tweets"
559
-
560
- #: wp-to-twitter.php:1179
561
- msgid "No failed tweets on this post."
562
- msgstr "Geen mislukte tweets voor dit bericht."
563
-
564
- #: wp-to-twitter-manager.php:842
565
- 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."
566
- msgstr "<code>#reference#</code>: Alleen gebruikt in co-tweeten. @verwijzing naar het standaardaccount wanneer geplaatst is naar het auteursaccount, @verwijzing naar het auteursaccount in het bericht naar het standaardaccount."
567
-
568
- #: wp-to-twitter-oauth.php:287
569
- msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
570
- msgstr "WP to Twitter kon geen contact maken met de externe server van Twitter. Deze fout wordt getriggerd:"
571
-
572
- #: wp-to-twitter.php:243
573
- msgid "This account is not authorized to post to Twitter."
574
- msgstr "Dit account is niet bevoegd om te posten op Twitter."
575
-
576
- #: wp-to-twitter.php:254
577
- msgid "This tweet is identical to another Tweet recently sent to this account."
578
- msgstr "Deze tweet is identiek aan een andere Tweet welke onlangs is verzonden naar dit account."
579
-
580
- #: wp-to-twitter-shorteners.php:300
581
- msgid "(optional)"
582
- msgstr "(optioneel)"
583
-
584
- #: wp-to-twitter-manager.php:646
585
- msgid "Do not post Tweets by default (editing only)"
586
- msgstr "Plaats tweets niet standaard (alleen bij bijwerking)"
587
-
588
- #: wp-to-twitter-manager.php:834
589
- msgid "<code>#modified#</code>: the post modified date"
590
- msgstr "<code>#modified#</code>: tijdstip waarop bericht is aangepast"
591
-
592
- #: wp-to-twitter-oauth.php:285
593
- msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
594
- msgstr "Er zit meer dan 5 minuten verschil tussen uw server en Twitter. Uw server connectie met Twitter kan hierdoor verbroken worden."
595
-
596
- #: wp-to-twitter-manager.php:678
597
- msgid "Authors have individual Twitter accounts"
598
- msgstr "Auteurs hebben individuele Twitter accounts"
599
-
600
- #: wp-to-twitter-manager.php:722
601
- msgid "Get Debugging Data for OAuth Connection"
602
- msgstr "Verkrijg debugging data voor OAuth connectie"
603
-
604
- #: wp-to-twitter-manager.php:723
605
- msgid "I made a donation, so stop whinging at me, please."
606
- msgstr "Ik heb al gedoneerd, dus stop a.u.b. met zeuren."
607
-
608
- #: wp-to-twitter-manager.php:738
609
- msgid "Get Plug-in Support"
610
- msgstr "Vraag Plugin Support "
611
-
612
- #: wp-to-twitter-manager.php:749
613
- msgid "Check Support"
614
- msgstr "Support Raadplegen"
615
-
616
- #: wp-to-twitter-manager.php:749
617
- 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."
618
- msgstr "Selecteer of uw 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 uw geselecteerde methodes."
619
-
620
- #: wp-to-twitter-manager.php:768
621
- msgid "Support WP to Twitter"
622
- msgstr "Support WP to Twitter "
623
-
624
- #: wp-to-twitter-manager.php:770
625
- msgid "WP to Twitter Support"
626
- msgstr "WP to Twitter Support "
627
-
628
- #: wp-to-twitter-manager.php:778 wp-to-twitter.php:1131 wp-to-twitter.php:1133
629
- msgid "Get Support"
630
- msgstr "Verkrijg Support"
631
-
632
- #: wp-to-twitter-manager.php:800
633
- msgid "Upgrade Now!"
634
- msgstr "Upgrade nu!"
635
-
636
- #: wp-to-twitter-manager.php:824
637
- msgid "Shortcodes"
638
- msgstr "Shortcodes"
639
-
640
- #: wp-to-twitter-manager.php:826
641
- msgid "Available in post update templates:"
642
- msgstr "Beschikbaar in bericht bijwerkingstemplates"
643
-
644
- #: wp-to-twitter-manager.php:828
645
- msgid "<code>#title#</code>: the title of your blog post"
646
- msgstr "<code>#title#</code>: de titel van uw blog bericht"
647
-
648
- #: wp-to-twitter-manager.php:829
649
- msgid "<code>#blog#</code>: the title of your blog"
650
- msgstr "<code>#blog#</code>: de titel van uw blog"
651
-
652
- #: wp-to-twitter-manager.php:830
653
- msgid "<code>#post#</code>: a short excerpt of the post content"
654
- msgstr "<code>#post#</code>: een korte samenvatting van het bericht"
655
-
656
- #: wp-to-twitter-manager.php:831
657
- msgid "<code>#category#</code>: the first selected category for the post"
658
- msgstr "<code>#category#</code>: de eerste geselecteerde categorie voor het bericht"
659
-
660
- #: wp-to-twitter-manager.php:833
661
- msgid "<code>#date#</code>: the post date"
662
- msgstr "<code>#date#</code>: de bericht datum"
663
-
664
- #: wp-to-twitter-manager.php:835
665
- msgid "<code>#url#</code>: the post URL"
666
- msgstr "<code>#url#</code>: de bericht URL"
667
-
668
- #: wp-to-twitter-manager.php:838
669
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
670
- msgstr "<code>#account#</code>: de twitter @referentie voor het account (of auteur, als auteur instellingen geactiveerd en ingesteld zijn)."
671
-
672
- #: wp-to-twitter-manager.php:840
673
- msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
674
- msgstr "<code>#tags#</code>: uw tags zijn veranderd in hashtags. Zie de opties onder bij Geavanceerde Instellingen."
675
-
676
- #: wp-to-twitter-manager.php:845
677
- 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>"
678
- msgstr "U kan ook aangepaste shortcodes creëeren voor toegang tot aangepaste WordPress velden. Gebruik dubbele [ ] om de naam van uw aangepast veld om de waarde hiervan toe te voegen aan uw status update. Voorbeeld: <code>[[custom_field]]</code></p>"
679
-
680
- #: wp-to-twitter-oauth.php:114
681
- msgid "WP to Twitter was unable to establish a connection to Twitter."
682
- msgstr "WP to Twitter kon geen verbinding maken met Twitter. "
683
-
684
- #: wp-to-twitter-oauth.php:185
685
- msgid "There was an error querying Twitter's servers"
686
- msgstr "Er trad een fout op tijdens het informeren van de Twitter servers"
687
-
688
- #: wp-to-twitter-oauth.php:209 wp-to-twitter-oauth.php:212
689
- msgid "Connect to Twitter"
690
- msgstr "Verbinding maken met Twitter"
691
-
692
- #: wp-to-twitter-oauth.php:215
693
- msgid "WP to Twitter Set-up"
694
- msgstr "WP to Twitter Instellen"
695
-
696
- #: wp-to-twitter-oauth.php:216 wp-to-twitter-oauth.php:310
697
- #: wp-to-twitter-oauth.php:315
698
- msgid "Your server time:"
699
- msgstr "Uw server tijd:"
700
-
701
- #: wp-to-twitter-oauth.php:216
702
- msgid "Twitter's time:"
703
- msgstr "Twitter's tijd: "
704
-
705
- #: wp-to-twitter-oauth.php:216
706
- msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
707
- msgstr "Als deze timestamps niet binnen 5 minuten op elkaar volgen, zal uw server geen connectie maken met Twitter."
708
-
709
- #: wp-to-twitter-oauth.php:220
710
- msgid "1. Register this site as an application on "
711
- msgstr "1. Registreer deze site als een applicatie op "
712
-
713
- #: wp-to-twitter-oauth.php:220
714
- msgid "Twitter's application registration page"
715
- msgstr "Twitter's applicatie registratie pagina"
716
-
717
- #: wp-to-twitter-oauth.php:222
718
- msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
719
- msgstr "Als u nog niet aangemeld bent bij Twitter log dan in met het account dat u voor deze site wilt gebruiken"
720
-
721
- #: wp-to-twitter-oauth.php:224
722
- msgid "Your Application Description can be anything."
723
- msgstr "Uw applicatiebeschrijving kan van alles zijn."
724
-
725
- #: wp-to-twitter-oauth.php:225
726
- msgid "The WebSite and Callback URL should be "
727
- msgstr "De website en callback URL moeten zijn "
728
-
729
- #: wp-to-twitter-oauth.php:227
730
- msgid "Agree to the Developer Rules of the Road and continue."
731
- msgstr "Ga akkoord met de regels van de developer en ga door."
732
-
733
- #: wp-to-twitter-oauth.php:230
734
- msgid "Select \"Read and Write\" for the Application Type"
735
- msgstr "Kies \"Read and Write\" als Applicatie Type"
736
-
737
- #: wp-to-twitter-oauth.php:231
738
- msgid "Update the application settings"
739
- msgstr "Werk de applicatie instellingen bij"
740
-
741
- #: wp-to-twitter-oauth.php:250
742
- msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
743
- msgstr "4. Kopiër en plak het Access Token en Access Token Secret in onderstaande velden"
744
-
745
- #: wp-to-twitter-oauth.php:251
746
- 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."
747
- msgstr "Als het Access level (\"Access niveau\") voor uw Access Token niet \"<em>Read and Write </em>\" (\"Lezen en Schrijven\") is moet u terug naar stap 2 en een nieuwe Access Token genereren."
748
-
749
- #: wp-to-twitter-oauth.php:254
750
- msgid "Access Token"
751
- msgstr "Toegangstoken (Access Token)"
752
-
753
- #: wp-to-twitter-oauth.php:258
754
- msgid "Access Token Secret"
755
- msgstr "Toegangstoken Geheim (Access Token Secret)"
756
-
757
- #: wp-to-twitter-oauth.php:277
758
- msgid "Disconnect Your WordPress and Twitter Account"
759
- msgstr "Verbreek de verbinding met WordPress en Twitter"
760
-
761
- #: wp-to-twitter-oauth.php:281
762
- msgid "Disconnect your WordPress and Twitter Account"
763
- msgstr "Log uit bij uw WordPress en Twitter Accounts"
764
-
765
- #: wp-to-twitter-oauth.php:292
766
- msgid "Disconnect from Twitter"
767
- msgstr "Twitter verbinding verbreken"
768
-
769
- #: wp-to-twitter-oauth.php:298
770
- msgid "Twitter Username "
771
- msgstr "Twitter Gebruikersnaam"
772
-
773
- #: wp-to-twitter-oauth.php:299
774
- msgid "Consumer Key "
775
- msgstr "Gebruikerssleutel (Consumer Secret) "
776
-
777
- #: wp-to-twitter-oauth.php:300
778
- msgid "Consumer Secret "
779
- msgstr "Gebruikersgeheim (Consumer Secret) "
780
-
781
- #: wp-to-twitter-oauth.php:301
782
- msgid "Access Token "
783
- msgstr "Toegangstoken (Access Token) "
784
-
785
- #: wp-to-twitter-oauth.php:302
786
- msgid "Access Token Secret "
787
- msgstr "Toegangstoken Geheim (Access Token Secret) "
788
-
789
- #: wp-to-twitter-oauth.php:200
790
- msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
791
- msgstr "Twitter vereist OAuth authenticatie. U dient uw <a href='%s'> instellingen bij te werken</a> om de installatie van WP to Twitter te kunnen voltooien."
792
-
793
- #: wp-to-twitter.php:304
794
- msgid "200 OK: Success!"
795
- msgstr "200 OK: Success!"
796
-
797
- #: wp-to-twitter.php:311
798
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
799
- msgstr "400 Bad Request: De aanvraag was onjuist. Dit is de status code welke wordt teruggegeven tijdens rato beperking."
800
-
801
- #: wp-to-twitter.php:314
802
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
803
- msgstr "401 Unauthorized: Authenticatie logingegevens zijn onvolledig of onjuist."
804
-
805
- #: wp-to-twitter.php:333
806
- msgid "500 Internal Server Error: Something is broken at Twitter."
807
- msgstr "500 Internal Server Error: Er is iets kapot bij Twitter."
808
-
809
- #: wp-to-twitter.php:339
810
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
811
- msgstr "503 Service Unavailable: De Twitter servers zijn beschikbaar, maar overbelast met verzoeken - probeer het later nog eens"
812
-
813
- #: wp-to-twitter.php:336
814
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
815
- msgstr "502 Bad Gateway: Twitter is buiten werking of wordt bijgewerkt."
816
-
817
- #: wp-to-twitter.php:378
818
- msgid "No Twitter OAuth connection found."
819
- msgstr "Geen Twitter OAuth verbinding of connectie gevonden."
820
-
821
- #: wp-to-twitter.php:1148
822
- msgid "Previous Tweets"
823
- msgstr "Vorige Tweets"
824
-
825
- #: wp-to-twitter.php:1032
826
- msgid "Custom Twitter Post"
827
- msgstr "Aangepast Twitter Bericht"
828
-
829
- #: wp-to-twitter.php:1043
830
- msgid "Your template:"
831
- msgstr "Uw template: "
832
-
833
- #: wp-to-twitter.php:1047
834
- msgid "YOURLS Custom Keyword"
835
- msgstr "YOURLS Aangepast Trefwoord"
836
-
837
- #: wp-to-twitter.php:1131
838
- msgid "Upgrade to WP Tweets Pro"
839
- msgstr "Upgrade naar WP Tweets Pro "
840
-
841
- #: wp-to-twitter.php:1058
842
- msgid "Don't Tweet this post."
843
- msgstr "Dit bericht niet twitteren."
844
-
845
- #: wp-to-twitter.php:1058
846
- msgid "Tweet this post."
847
- msgstr "Tweet dit bericht."
848
-
849
- #: wp-to-twitter.php:1109
850
- msgid "Access to customizing WP to Twitter values is not allowed for your user role."
851
- msgstr "Aanpassen van WP naar Twitter instellingen is niet toegestaan ​​voor uw gebruikersrol."
852
-
853
- #: wp-to-twitter.php:1226
854
- msgid "Characters left: "
855
- msgstr "Aantal karakters over:"
856
-
857
- #: wp-to-twitter.php:1295
858
- msgid "WP Tweets User Settings"
859
- msgstr "WP Tweets Gebruikers Instellingen "
860
-
861
- #: wp-to-twitter.php:1299
862
- msgid "Use My Twitter Username"
863
- msgstr "Gebruik Mijn Twitter gebruikersnaam"
864
-
865
- #: wp-to-twitter.php:1300
866
- msgid "Tweet my posts with an @ reference to my username."
867
- msgstr "Tweet mijn berichten met een @ verwijzing naar mijn gebruikersnaam."
868
-
869
- #: wp-to-twitter.php:1301
870
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
871
- msgstr "Tweet mijn berichten met een @ verwijzing naar mijn gebruikersnaam en de algemene site gebruikersnaam."
872
-
873
- #: wp-to-twitter.php:1305
874
- msgid "Your Twitter Username"
875
- msgstr "Uw Twitter Gebruikersnaam"
876
-
877
- #: wp-to-twitter.php:1306
878
- msgid "Enter your own Twitter username."
879
- msgstr "Geef uw eigen Twitter gebruikersnaam in."
880
-
881
- #: wp-to-twitter.php:1374
882
- msgid "Settings"
883
- msgstr "Instellingen"
884
-
885
- #: wp-to-twitter.php:1401
886
- msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
887
- msgstr "<br /><strong>Opmerking:</strong>Controleer svp het <a class=\"thickbox\" href=\"%1$s\">veranderingslogboek</a> voor het upgraden."
888
-
889
- msgid "WP to Twitter"
890
- msgstr "WP to Twitter"
891
-
892
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
893
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
894
-
895
- msgid "Joseph Dolson"
896
- msgstr "Joseph Dolson"
897
-
898
- msgid "http://www.joedolson.com/"
899
- msgstr "http://www.joedolson.com/"
900
-
901
- #: wpt-functions.php:348
902
- msgid "Please read the FAQ and other Help documents before making a support request."
903
- msgstr "Lees svp de FAQ en andere help documenten door voordat u een support vraag stelt."
904
-
905
- #: wpt-functions.php:350
906
- msgid "Please describe your problem. I'm not psychic."
907
- msgstr "Beschrijf svp uw probleem, ik ben geen helderziende. "
908
-
909
- #: wpt-functions.php:374
910
- 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."
911
- 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 dit dan svp in uw bericht."
912
-
913
- #: wpt-functions.php:401
914
- msgid "Send Support Request"
915
- msgstr "Verstuur verzoek om support"
916
-
917
- #: wpt-functions.php:404
918
- msgid "The following additional information will be sent with your support request:"
919
- msgstr "De volgende additionele informatie wordt meegestuurd met uw support aanvraag: "
920
-
921
- #: wp-to-twitter-manager.php:57
922
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
923
- msgstr "<li class=\"error\"><strong>WP to Twitter kon geen contact maken met uw geselecteerde URL verkorter.</strong></li>"
924
-
925
- #: wp-to-twitter-manager.php:64
926
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
927
- msgstr "<li><strong>WP to Twitter heeft succesvol contact gemaakt met uw geselecteerde URL verkorter.</strong> De volgende link moet naar uw blog homepage wijzen:"
928
-
929
- #: wp-to-twitter-manager.php:72
930
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
931
- msgstr "<li><strong>WP to Twitter heeft succesvol een status update geplaatst op Twitter.</strong></li>"
932
-
933
- #: wp-to-twitter-manager.php:75
934
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
935
- msgstr "<li class=\"error\"><strong>Het is WP to Twitter niet gelukt om een update naar Twitter te sturen.</strong></li>"
936
-
937
- #: wp-to-twitter-manager.php:79
938
- msgid "You have not connected WordPress to Twitter."
939
- msgstr "U heeft geen connectie met WordPress to Twitter."
940
-
941
- #: wp-to-twitter-manager.php:83
942
- 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>"
943
- msgstr "<li class=\"error\"><strong>Uw server lijkt niet de benodigde methodes te ondersteunen om WP to Twitter te laten functioneren.</strong> U kunt het altijd proberen - deze tests zijn niet perfect</li>"
944
-
945
- #: wp-to-twitter-manager.php:87
946
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
947
- msgstr "<li><strong>WP to Twitter zou probleemloos op uw server moeten werken.</strong></li>"
948
-
949
- #: wp-to-twitter-manager.php:180
950
- msgid "WP to Twitter is now connected with Twitter."
951
- msgstr "WP to Twitter is nu verbonden met Twitter."
952
-
953
- #: wp-to-twitter-manager.php:193
954
- msgid "OAuth Authentication Data Cleared."
955
- msgstr "OAuth Authenticatie Data Verwijderd."
956
-
957
- #: wp-to-twitter-manager.php:199
958
- 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."
959
- msgstr "OAuth Authenticatie mislukt. Uw servertijd loopt niet gelijk aan die van de Twitterservers. Neem contact op met uw hoster en vraag wat zij hier aan kunnen doen."
960
-
961
- #: wp-to-twitter-manager.php:205
962
- msgid "OAuth Authentication response not understood."
963
- msgstr "OAuth Authenticatie respons is niet begrepen."
964
-
965
- #: wp-to-twitter-manager.php:377
966
- msgid "WP to Twitter Advanced Options Updated"
967
- msgstr "WP to Twitter Geavanceerde Opties Bijgewerkt"
968
-
969
- #: wp-to-twitter-shorteners.php:528
970
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
971
- msgstr "U moet uw Bit.ly login en API sleutel ingeven om URL's te verkorten met Bit.ly."
972
-
973
- #: wp-to-twitter-shorteners.php:536
974
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
975
- msgstr "U moet uw YOURLS remote URL, login en wachtwoord toevoegen om URL's te verkorten met een installatie op afstand van YOURLS."
976
-
977
- #: wp-to-twitter-shorteners.php:540
978
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
979
- msgstr "U moet uw YOURLS server pad ingeven om URL's te verkorten met een installatie op afstand van YOURLS."
980
-
981
- #: wp-to-twitter-manager.php:396
982
- msgid "WP to Twitter Options Updated"
983
- msgstr "WP to Twitter Opties Bijgewerkt"
984
-
985
- #: wp-to-twitter-shorteners.php:408
986
- msgid "YOURLS password updated. "
987
- msgstr "YOURLS wachtwoord bijgewerkt. "
988
-
989
- #: wp-to-twitter-shorteners.php:411
990
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
991
- msgstr "YOURLS wachtwoord verwijderd. U kunt uw remote YOURLS account niet gebruiken om verkorte URL's te creëeren."
992
-
993
- #: wp-to-twitter-shorteners.php:413
994
- msgid "Failed to save your YOURLS password! "
995
- msgstr "YOURLS wachtwoord opslaan is mislukt! "
996
-
997
- #: wp-to-twitter-shorteners.php:417
998
- msgid "YOURLS username added. "
999
- msgstr "YOURLS gebruikersnaam toegevoegd. "
1000
-
1001
- #: wp-to-twitter-shorteners.php:421
1002
- msgid "YOURLS API url added. "
1003
- msgstr "YOURLS API url toegevoegd. "
1004
-
1005
- #: wp-to-twitter-shorteners.php:424
1006
- msgid "YOURLS API url removed. "
1007
- msgstr "YOURLS API url verwijderd. "
1008
-
1009
- #: wp-to-twitter-shorteners.php:429
1010
- msgid "YOURLS local server path added. "
1011
- msgstr "YOURLS lokaal server pad toegevoegd. "
1012
-
1013
- #: wp-to-twitter-shorteners.php:431
1014
- msgid "The path to your YOURLS installation is not correct. "
1015
- msgstr "Het pad naar uw YOURLS installatie is niet correct."
1016
-
1017
- #: wp-to-twitter-shorteners.php:435
1018
- msgid "YOURLS local server path removed. "
1019
- msgstr "YOURLS lokaal server pad verwijderd. "
1020
-
1021
- #: wp-to-twitter-shorteners.php:440
1022
- msgid "YOURLS will use Post ID for short URL slug."
1023
- msgstr "YOURLS zal een bericht ID gebruiken voor een korte URL slug."
1024
-
1025
- #: wp-to-twitter-shorteners.php:442
1026
- msgid "YOURLS will use your custom keyword for short URL slug."
1027
- msgstr "YOURLS gebruikt uw aangepaste trefwoord voor de korte URL slug. "
1028
-
1029
- #: wp-to-twitter-shorteners.php:446
1030
- msgid "YOURLS will not use Post ID for the short URL slug."
1031
- msgstr "YOURLS zal geen bericht ID gebruiken voor een korte URL slug."
1032
-
1033
- #: wp-to-twitter-shorteners.php:454
1034
- msgid "Su.pr API Key and Username Updated"
1035
- msgstr "Su.pr API sleutel en gebruikersnaam (\"Username\") zijn geupdate "
1036
-
1037
- #: wp-to-twitter-shorteners.php:458
1038
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
1039
- msgstr "Su.pr API sleutel en gebruikersnaam (\"username\") zijn verwijderd. Su.pr URLs aangemaakt door WP to Twitter zullen niet langer geassocieerd worden met uw account."
1040
-
1041
- #: wp-to-twitter-shorteners.php:460
1042
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
1043
- msgstr "Su.pr API Key niet toegevoegd - <a href='http://su.pr/'>hier verkrijgbaar</a>! "
1044
-
1045
- #: wp-to-twitter-shorteners.php:466
1046
- msgid "Bit.ly API Key Updated."
1047
- msgstr "Bit.ly API sleutel bijgewerkt."
1048
-
1049
- #: wp-to-twitter-shorteners.php:469
1050
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
1051
- msgstr "Bit.ly API sleutel verwijderd. U kunt de Bit.ly API niet gebruiken zonder API sleutel. "
1052
-
1053
- #: wp-to-twitter-shorteners.php:471
1054
- 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."
1055
- 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."
1056
-
1057
- #: wp-to-twitter-shorteners.php:475
1058
- msgid " Bit.ly User Login Updated."
1059
- msgstr " Bit.ly gebruikerslogin bijgewerkt."
1060
-
1061
- #: wp-to-twitter-shorteners.php:478
1062
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
1063
- msgstr "Bit.ly gebruikerslogin verwijderd. U kunt niet de Bit.ly API gebruiken zonder uw gebruikersnaam in te voeren. "
1064
-
1065
- #: wp-to-twitter-shorteners.php:480
1066
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
1067
- msgstr "Bit.ly Login niet toegevoegd - maak <a href='http://bit.ly/account/'>HIER</a> een account aan!"
1068
-
1069
- #: wp-to-twitter-manager.php:425
1070
- 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>"
1071
- 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>"
1072
-
1073
- #: wp-to-twitter-manager.php:431
1074
- 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>"
1075
- 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> "
1076
-
1077
- #: wp-to-twitter-manager.php:437
1078
- msgid "Clear 'WP to Twitter' Error Messages"
1079
- msgstr "Verwijderden 'WP to Twitter' Foutmeldingen"
1080
-
1081
- #: wp-to-twitter-manager.php:443
1082
- msgid "WP to Twitter Options"
1083
- msgstr "WP to Twitter Opties"
1084
-
1085
- #: wp-to-twitter-manager.php:544
1086
- msgid "Update Twitter when you post a Blogroll link"
1087
- msgstr "Bijwerken Twitter wanneer u een blogrol link plaatst"
1088
-
1089
- #: wp-to-twitter-manager.php:545
1090
- msgid "Text for new link updates:"
1091
- msgstr "Tekst voor nieuwe link updates:"
1092
-
1093
- #: wp-to-twitter-manager.php:545
1094
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
1095
- msgstr "Beschikbare shortcodes: <code>#url#</code>, <code>#title#</code> en <code>#description#</code>."
1096
-
1097
- #: wp-to-twitter-shorteners.php:552
1098
- msgid "Don't shorten URLs."
1099
- msgstr "URL's niet verkorten."
1100
-
1101
- #: wp-to-twitter-shorteners.php:296
1102
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
1103
- msgstr "<abbr title=\"Uniform Resource Locator\">URL</abbr> Verkorter Account Instellingen"
1104
-
1105
- #: wp-to-twitter-shorteners.php:300
1106
- msgid "Your Su.pr account details"
1107
- msgstr "Uw Su.pr account details "
1108
-
1109
- #: wp-to-twitter-shorteners.php:305
1110
- msgid "Your Su.pr Username:"
1111
- msgstr "Uw Su.pr gebruikersnaam: "
1112
-
1113
- #: wp-to-twitter-shorteners.php:309
1114
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
1115
- msgstr "Uw Su.pr <abbr title='application programming interface'>API</abbr> sleutel: "
1116
-
1117
- #: wp-to-twitter-shorteners.php:316
1118
- 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."
1119
- msgstr "Geen Su.pr account of API sleutel? <a href='http://su.pr/'>Die zijn hier verkrijgbaar</a>!<br />U heeft ook een API sleutel nodig om de URLs die U maakt te kunnen koppelen aan het Su.pr account. "
1120
-
1121
- #: wp-to-twitter-shorteners.php:322
1122
- msgid "Your Bit.ly account details"
1123
- msgstr "Uw Biy.ly account informatie"
1124
-
1125
- #: wp-to-twitter-shorteners.php:327
1126
- msgid "Your Bit.ly username:"
1127
- msgstr "Uw Bit.ly gebruikersnaam:"
1128
-
1129
- #: wp-to-twitter-shorteners.php:331
1130
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
1131
- msgstr "Uw Bit.ly <abbr title='application programming interface'>API</abbr> sleutel:"
1132
-
1133
- #: wp-to-twitter-shorteners.php:339
1134
- msgid "Save Bit.ly API Key"
1135
- msgstr "Opslaan Bit.ly API sleutel"
1136
-
1137
- #: wp-to-twitter-shorteners.php:339
1138
- msgid "Clear Bit.ly API Key"
1139
- msgstr "Verwijderen Bit.ly API sleutel"
1140
-
1141
- #: wp-to-twitter-shorteners.php:339
1142
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
1143
- msgstr "Een Bit.ly API en gebruikersnaam is nodig om URL's te verkorten met de Bit.ly API en WP to Twitter."
1144
-
1145
- #: wp-to-twitter-shorteners.php:345
1146
- msgid "Your YOURLS account details"
1147
- msgstr "Uw YOURLS account informatie"
1148
-
1149
- #: wp-to-twitter-shorteners.php:350
1150
- msgid "Path to your YOURLS config file (Local installations)"
1151
- msgstr "Pad van uw YOURLS config file (Local installations) "
1152
-
1153
- #: wp-to-twitter-shorteners.php:351 wp-to-twitter-shorteners.php:355
1154
- msgid "Example:"
1155
- msgstr "Voorbeeld:"
1156
-
1157
- #: wp-to-twitter-shorteners.php:354
1158
- msgid "URI to the YOURLS API (Remote installations)"
1159
- msgstr "URI naar de YOURLS API (Remote installaties)"
1160
-
1161
- #: wp-to-twitter-shorteners.php:358
1162
- msgid "Your YOURLS username:"
1163
- msgstr "Uw YOURLS gebruikersnaam:"
1164
-
1165
- #: wp-to-twitter-shorteners.php:362
1166
- msgid "Your YOURLS password:"
1167
- msgstr "Uw YOURLS wachtwoord:"
1168
-
1169
- #: wp-to-twitter-shorteners.php:362
1170
- msgid "<em>Saved</em>"
1171
- msgstr "<em>Opgeslagen</em>"
1172
-
1173
- #: wp-to-twitter-shorteners.php:366
1174
- msgid "Post ID for YOURLS url slug."
1175
- msgstr "Post ID voor YOURLS url slug. "
1176
-
1177
- #: wp-to-twitter-shorteners.php:367
1178
- msgid "Custom keyword for YOURLS url slug."
1179
- msgstr "Aangepast trefwoord voor YOURLS url slug. "
1180
-
1181
- #: wp-to-twitter-shorteners.php:368
1182
- msgid "Default: sequential URL numbering."
1183
- msgstr "Standaard: sequentiële URL nummering. "
1184
-
1185
- #: wp-to-twitter-shorteners.php:374
1186
- msgid "Save YOURLS Account Info"
1187
- msgstr "Opslaan YOURLS Account Info"
1188
-
1189
- #: wp-to-twitter-shorteners.php:374
1190
- msgid "Clear YOURLS password"
1191
- msgstr "Wissen YOURLS wachtwoord"
1192
-
1193
- #: wp-to-twitter-shorteners.php:374
1194
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
1195
- msgstr "Een YOURLS wachtwoord en gebruikersnaam is nodig om URL's te verkorten met de YOURLS API en WP to Twitter."
1196
-
1197
- #: wp-to-twitter-manager.php:565
1198
- msgid "Advanced Settings"
1199
- msgstr "Geavanceerde Instellingen"
1200
-
1201
- #: wp-to-twitter-manager.php:575
1202
- msgid "Strip nonalphanumeric characters from tags"
1203
- msgstr "Verwijder non-alphanumerieke karakters uit tags "
1204
-
1205
- #: wp-to-twitter-manager.php:581
1206
- msgid "Spaces in tags replaced with:"
1207
- msgstr "Vervang spaties in tags voor: "
1208
-
1209
- #: wp-to-twitter-manager.php:584
1210
- msgid "Maximum number of tags to include:"
1211
- msgstr "Maximaal aantal tags om in te voegen:"
1212
-
1213
- #: wp-to-twitter-manager.php:585
1214
- msgid "Maximum length in characters for included tags:"
1215
- msgstr "Maximale lengte in karakters voor ingevoegde tags:"
1216
-
1217
- #: wp-to-twitter-manager.php:591
1218
- msgid "Length of post excerpt (in characters):"
1219
- msgstr "Lengte van de bericht samenvatting (in karakters):"
1220
-
1221
- #: wp-to-twitter-manager.php:594
1222
- msgid "WP to Twitter Date Formatting:"
1223
- msgstr "WP to Twitter Datum Opmaak:"
1224
-
1225
- #: wp-to-twitter-manager.php:594
1226
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1227
- msgstr "Standaard is van uw algemene instellingen. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Documentatie Datum Opmaak (Eng)</a>."
1228
-
1229
- #: wp-to-twitter-manager.php:598
1230
- msgid "Custom text before all Tweets:"
1231
- msgstr "Aangepaste tekst vóór alle Tweets:"
1232
-
1233
- #: wp-to-twitter-manager.php:601
1234
- msgid "Custom text after all Tweets:"
1235
- msgstr "Aangepaste tekst ná alle Tweets:"
1236
-
1237
- #: wp-to-twitter-manager.php:604
1238
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1239
- msgstr "Aangepast veld voor een alternatieve URL om te verkorten en Tweeten:"
1240
-
1241
- #: wp-to-twitter-manager.php:641
1242
- msgid "Special Cases when WordPress should send a Tweet"
1243
- msgstr "Speciale gevallen wanneer WordPress een Tweet moet versturen"
1244
-
1245
- #: wp-to-twitter-manager.php:644
1246
- msgid "Do not post Tweets by default"
1247
- msgstr "Post geen Tweets als standaard instelling"
1248
-
1249
- #: wp-to-twitter-manager.php:648
1250
- msgid "Allow status updates from Quick Edit"
1251
- msgstr "Sta status updates toe via Quick Edit "
1252
-
1253
- #: wp-to-twitter-manager.php:652
1254
- msgid "Google Analytics Settings"
1255
- msgstr "Google Analytics Instellingen"
1256
-
1257
- #: wp-to-twitter-manager.php:653
1258
- 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."
1259
- msgstr "U kunt de respons van Twitter bijhouden met gebruik van Google Analytics door een campagne ID te definiëren. U kunt 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 u in staat om statistieken onder te verdelen met een extra variabele."
1260
-
1261
- #: wp-to-twitter-manager.php:656
1262
- msgid "Use a Static Identifier with WP-to-Twitter"
1263
- msgstr "Gebruik statische identifier met WP-to-Twitter"
1264
-
1265
- #: wp-to-twitter-manager.php:657
1266
- msgid "Static Campaign identifier for Google Analytics:"
1267
- msgstr "Statische Campagne Identifier voor Google Analytics:"
1268
-
1269
- #: wp-to-twitter-manager.php:661
1270
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1271
- msgstr "Gebruik een dynamische identifier met Google Analytics en WP-to-Twitter"
1272
-
1273
- #: wp-to-twitter-manager.php:662
1274
- msgid "What dynamic identifier would you like to use?"
1275
- msgstr "Welke dynamische ID wilt u gebruiken?"
1276
-
1277
- #: wp-to-twitter-manager.php:664
1278
- msgid "Category"
1279
- msgstr "Categorie"
1280
-
1281
- #: wp-to-twitter-manager.php:665
1282
- msgid "Post ID"
1283
- msgstr "Bericht ID"
1284
-
1285
- #: wp-to-twitter-manager.php:666
1286
- msgid "Post Title"
1287
- msgstr "Bericht Titel"
1288
-
1289
- #: wp-to-twitter-manager.php:667
1290
- msgid "Author"
1291
- msgstr "Auteur"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-pt_BR.po DELETED
@@ -1,1303 +0,0 @@
1
- # Translation of WP to Twitter in Portuguese (Brazil)
2
- # This file is distributed under the same license as the WP to Twitter package.
3
- msgid ""
4
- msgstr ""
5
- "PO-Revision-Date: 2013-11-23 17:34:09+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-oauth.php:224
14
- msgid "Your application name cannot include the word \"Twitter.\""
15
- msgstr "Seu nome do aplicativo não pode incluir a palavra \"Twitter\"."
16
-
17
- #: wp-to-twitter-oauth.php:229
18
- msgid "<em>Do NOT create your access token yet.</em>"
19
- msgstr "<em>NÃO crie seu token de acesso ainda.</em>"
20
-
21
- #: wp-to-twitter-oauth.php:233
22
- msgid "Return to the Details tab and create your access token."
23
- msgstr "Retorne para a aba Detalhes e crie seu token de acesso."
24
-
25
- #: wp-to-twitter.php:326
26
- msgid "304 Not Modified: There was no new data to return"
27
- msgstr "304 Não Modificado: Não houve novos dados para retornar"
28
-
29
- #: wp-to-twitter.php:345
30
- msgid "422 Unprocessable Entity: The image uploaded could not be processed.."
31
- msgstr "422 Entidade improcessável: A imagem carregada não pôde ser processada.."
32
-
33
- #: wp-to-twitter.php:1076
34
- msgid "WP Tweets PRO 1.5.2 allows you to select Twitter accounts. <a href=\"%s\">Log in and download now!</a>"
35
- msgstr "WP Tweets PRO 1.5.2 permite selecionar contas do Twitter. <a href=\"%s\">Entre e faça download agora!</a>"
36
-
37
- #: wp-to-twitter.php:1078
38
- msgid "Upgrade to WP Tweets PRO to select Twitter accounts! <a href=\"%s\">Upgrade now!</a>"
39
- msgstr "Atualize para WP Tweets PRO para selecionar contas do Twitter! <a href=\"%s\">Atualize agora!</a>"
40
-
41
- #: wp-to-twitter.php:1109
42
- msgid "Tweets must be less than 140 characters; Twitter counts URLs as 22 or 23 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>."
43
- msgstr "Tweets devem conter menos de 140 caracteres; Twitter conta URLs como 22 ou 23 caracteres. Modelo de 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>."
44
-
45
- #: wp-to-twitter.php:1499
46
- msgid "Tweet Status"
47
- msgstr "Tweet Status"
48
-
49
- #: wpt-feed.php:149
50
- msgid "Twitter returned an invalid response. It is probably down."
51
- msgstr "Twitter retornou uma resposta inválida. Está, provavelmente, fora do ar."
52
-
53
- #: wpt-widget.php:50
54
- msgid "Display a list of your latest tweets."
55
- msgstr "Exibir uma lista de seus últimos tweets."
56
-
57
- #: wpt-widget.php:59
58
- msgid "WP to Twitter - Latest Tweets"
59
- msgstr "WP to Twitter - Últimos Tweets"
60
-
61
- #: wpt-widget.php:121
62
- msgid "<a href=\"%3$s\">about %1$s ago</a> via %2$s"
63
- msgstr "<a href=\"%3$s\">há %1$s atrás</a> via %2$s"
64
-
65
- #: wpt-widget.php:123
66
- msgid "<a href=\"%2$s\">about %1$s ago</a>"
67
- msgstr "<a href=\"%2$s\">há %1$s atrás</a>"
68
-
69
- #: wpt-widget.php:179
70
- msgid "Title"
71
- msgstr "Título"
72
-
73
- #: wpt-widget.php:184
74
- msgid "Twitter Username"
75
- msgstr "Twitter Username"
76
-
77
- #: wpt-widget.php:189
78
- msgid "Number of Tweets to Show"
79
- msgstr "Número de Tweets à exibir"
80
-
81
- #: wpt-widget.php:195
82
- msgid "Hide @ Replies"
83
- msgstr "Esconder @ Menções"
84
-
85
- #: wpt-widget.php:200
86
- msgid "Include Retweets"
87
- msgstr "Incluir Retweets"
88
-
89
- #: wpt-widget.php:205
90
- msgid "Parse links"
91
- msgstr "Analisar links"
92
-
93
- #: wpt-widget.php:210
94
- msgid "Parse @mentions"
95
- msgstr "Analisar @menções"
96
-
97
- #: wpt-widget.php:215
98
- msgid "Parse #hashtags"
99
- msgstr "Analisar #hashtags"
100
-
101
- #: wpt-widget.php:220
102
- msgid "Include Reply/Retweet/Favorite Links"
103
- msgstr "Incluir Reply/Retweet/Favoritar Links"
104
-
105
- #: wpt-widget.php:225
106
- msgid "Include Tweet source"
107
- msgstr "Incluir fonte do Tweet"
108
-
109
- #: wp-to-twitter-manager.php:178
110
- msgid "Error:"
111
- msgstr "Erro:"
112
-
113
- #: wp-to-twitter-manager.php:643
114
- msgid "No Analytics"
115
- msgstr "Sem estatísticas"
116
-
117
- #: wp-to-twitter-manager.php:792
118
- msgid "Allow users to post to their own Twitter accounts"
119
- msgstr "Permitir aos usuários postar suas próprias contas do Twitter"
120
-
121
- #: wp-to-twitter-manager.php:793
122
- msgid "Set a timer to send your Tweet minutes or hours after you publish"
123
- msgstr "Definir um temporizador para enviar seu tweet minutos ou horas depois de publicar"
124
-
125
- #: wp-to-twitter-manager.php:794
126
- msgid "Automatically re-send Tweets after publishing"
127
- msgstr "Automaticamente reenviar Tweets depois de publicar"
128
-
129
- #: wp-to-twitter-manager.php:795
130
- msgid "Send Tweets for approved comments"
131
- msgstr "Enviar Tweets para comentários aprovados"
132
-
133
- #: wp-to-twitter.php:64
134
- msgid "The current version of WP Tweets PRO is <strong>%s</strong>. <a href=\"http://www.joedolson.com/articles/account/\">Upgrade for best compatibility!</a>"
135
- msgstr "A versão atual de WP Tweets PRO é <strong>%s</strong>. <a href=\"http://www.joedolson.com/articles/account/\">Atualize para melhor compatibilidade!</a>"
136
-
137
- #: wp-to-twitter.php:86
138
- msgid "Tweeting of comments has been moved to <a href=\"%1$s\">WP Tweets PRO</a>. You will need to upgrade in order to Tweet comments. <a href=\"%2$s\">Dismiss</a>"
139
- msgstr "Tweetar nos comentários foi movido para <a href=\"%1$s\">WP Tweets PRO</a>. Você terá que atualizar a fim de Tweetar nos comentários. <a href=\"%2$s\">Recusar</a>"
140
-
141
- #: wp-to-twitter.php:1010
142
- msgid "Tweeting %s edits is disabled."
143
- msgstr "Edição de %s Tweets foi desabilitada."
144
-
145
- #: wp-to-twitter.php:1454
146
- msgid "I hope you've enjoyed <strong>WP to Twitter</strong>! Take a look at <a href='%s'>upgrading to WP Tweets PRO</a> for advanced Tweeting with WordPress! <a href='%s'>Dismiss</a>"
147
- msgstr "Espero que tenha aproveitado o <strong>WP to Twitter</strong>! Conheça <a href='%s'>upgrading to WP Tweets PRO</a> para um modo avançado de Tweetar com WordPress! <a href='%s'>Recusar</a>"
148
-
149
- msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your URL shortening service. Rich in features for customizing and promoting your Tweets."
150
- msgstr "Poste um Tweet quando atualizar seu blog no WordPress ou poste para sua lista de blogs, usando seu serviço de encurtamento de URL. Rico em recurso para customizar e promover seus Tweets."
151
-
152
- #: wp-to-twitter-shorteners.php:378
153
- msgid "Your jotURL account details"
154
- msgstr ""
155
-
156
- #: wp-to-twitter-shorteners.php:382
157
- msgid "Your jotURL public <abbr title='application programming interface'>API</abbr> key:"
158
- msgstr ""
159
-
160
- #: wp-to-twitter-shorteners.php:383
161
- msgid "Your jotURL private <abbr title='application programming interface'>API</abbr> key:"
162
- msgstr ""
163
-
164
- #: wp-to-twitter-shorteners.php:384
165
- msgid "Parameters to add to the long URL (before shortening):"
166
- msgstr ""
167
-
168
- #: wp-to-twitter-shorteners.php:384
169
- msgid "Parameters to add to the short URL (after shortening):"
170
- msgstr ""
171
-
172
- #: wp-to-twitter-shorteners.php:385
173
- msgid "View your jotURL public and private API key"
174
- msgstr ""
175
-
176
- #: wp-to-twitter-shorteners.php:388
177
- msgid "Save jotURL settings"
178
- msgstr ""
179
-
180
- #: wp-to-twitter-shorteners.php:388
181
- msgid "Clear jotURL settings"
182
- msgstr ""
183
-
184
- #: wp-to-twitter-shorteners.php:389
185
- msgid "A jotURL public and private API key is required to shorten URLs via the jotURL API and WP to Twitter."
186
- msgstr ""
187
-
188
- #: wp-to-twitter-shorteners.php:484
189
- msgid "jotURL private API Key Updated. "
190
- msgstr ""
191
-
192
- #: wp-to-twitter-shorteners.php:487
193
- msgid "jotURL private API Key deleted. You cannot use the jotURL API without a private API key. "
194
- msgstr ""
195
-
196
- #: wp-to-twitter-shorteners.php:489
197
- 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. "
198
- msgstr ""
199
-
200
- #: wp-to-twitter-shorteners.php:493
201
- msgid "jotURL public API Key Updated. "
202
- msgstr ""
203
-
204
- #: wp-to-twitter-shorteners.php:496
205
- msgid "jotURL public API Key deleted. You cannot use the jotURL API without providing your public API Key. "
206
- msgstr ""
207
-
208
- #: wp-to-twitter-shorteners.php:498
209
- msgid "jotURL public API Key not added - <a href='https://www.joturl.com/reserved/api.html'>get one here</a>! "
210
- msgstr ""
211
-
212
- #: wp-to-twitter-shorteners.php:504
213
- msgid "Long URL parameters added. "
214
- msgstr ""
215
-
216
- #: wp-to-twitter-shorteners.php:507
217
- msgid "Long URL parameters deleted. "
218
- msgstr ""
219
-
220
- #: wp-to-twitter-shorteners.php:513
221
- msgid "Short URL parameters added. "
222
- msgstr ""
223
-
224
- #: wp-to-twitter-shorteners.php:516
225
- msgid "Short URL parameters deleted. "
226
- msgstr ""
227
-
228
- #: wp-to-twitter-shorteners.php:530
229
- msgid "You must add your jotURL public and private API key in order to shorten URLs with jotURL."
230
- msgstr ""
231
-
232
- #: wp-to-twitter-manager.php:530
233
- msgid "Tags"
234
- msgstr "Tags"
235
-
236
- #: wp-to-twitter-manager.php:546
237
- msgid "Template Tag Settings"
238
- msgstr ""
239
-
240
- #: wp-to-twitter-manager.php:548
241
- msgid "Extracted from the post. If you use the 'Excerpt' field, it will be used instead."
242
- msgstr ""
243
-
244
- #: wp-to-twitter-manager.php:591
245
- msgid "Template tag priority order"
246
- msgstr ""
247
-
248
- #: wp-to-twitter-manager.php:592
249
- msgid "The order in which items will be abbreviated or removed from your Tweet if the Tweet is too long to send to Twitter."
250
- msgstr ""
251
-
252
- #: wp-to-twitter-manager.php:647
253
- msgid "Author Settings"
254
- msgstr "Configuração do Autor"
255
-
256
- #: wp-to-twitter-manager.php:652
257
- 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."
258
- msgstr ""
259
-
260
- #: wp-to-twitter-manager.php:656
261
- msgid "Permissions"
262
- msgstr "Permissões"
263
-
264
- #: wp-to-twitter-manager.php:691
265
- msgid "Error Messages and Debugging"
266
- msgstr ""
267
-
268
- #: wp-to-twitter-manager.php:812
269
- msgid "<code>#cat_desc#</code>: custom value from the category description field"
270
- msgstr ""
271
-
272
- #: wp-to-twitter-manager.php:819
273
- msgid "<code>#@#</code>: the twitter @reference for the author or blank, if not set"
274
- msgstr ""
275
-
276
- #: wp-to-twitter-oauth.php:184
277
- msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>."
278
- msgstr ""
279
-
280
- #: wp-to-twitter-oauth.php:280
281
- 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>"
282
- msgstr ""
283
-
284
- #: wp-to-twitter-oauth.php:306 wp-to-twitter-oauth.php:312
285
- msgid "Twitter's server time: "
286
- msgstr ""
287
-
288
- #: wp-to-twitter.php:73
289
- 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>"
290
- msgstr ""
291
-
292
- #: wp-to-twitter.php:336
293
- 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."
294
- msgstr ""
295
-
296
- #: wp-to-twitter.php:1377
297
- msgid "Upgrade"
298
- msgstr "Atualizar"
299
-
300
- #: wp-to-twitter-manager.php:535
301
- msgid "Use tag slug as hashtag value"
302
- msgstr ""
303
-
304
- #: wp-to-twitter-manager.php:177
305
- msgid "WP to Twitter failed to connect with Twitter. Try <a href=\"#wpt_http\">switching to an HTTP connection</a>."
306
- msgstr ""
307
-
308
- #: wp-to-twitter-shorteners.php:548
309
- msgid "Choose a short URL service (account settings below)"
310
- msgstr ""
311
-
312
- #: wp-to-twitter-shorteners.php:554
313
- msgid "YOURLS (on this server)"
314
- msgstr ""
315
-
316
- #: wp-to-twitter-shorteners.php:555
317
- msgid "YOURLS (on a remote server)"
318
- msgstr ""
319
-
320
- #: wpt-functions.php:264
321
- 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>."
322
- msgstr ""
323
-
324
- #: wpt-functions.php:266
325
- msgid "Thanks for using WP to Twitter. Please ensure that you can receive email at <code>%s</code>."
326
- msgstr ""
327
-
328
- #: wpt-functions.php:285
329
- msgid "Reply to:"
330
- msgstr ""
331
-
332
- #: wp-to-twitter-manager.php:672
333
- msgid "The lowest user group that can add their Twitter information"
334
- msgstr ""
335
-
336
- #: wp-to-twitter-manager.php:677
337
- msgid "The lowest user group that can see the Custom Tweet options when posting"
338
- msgstr ""
339
-
340
- #: wp-to-twitter-manager.php:682
341
- msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
342
- msgstr ""
343
-
344
- #: wp-to-twitter-manager.php:687
345
- msgid "The lowest user group that can send Twitter updates"
346
- msgstr ""
347
-
348
- #: wp-to-twitter-manager.php:816
349
- msgid "<code>#author#</code>: the post author (@reference if available, otherwise display name)"
350
- msgstr ""
351
-
352
- #: wp-to-twitter-manager.php:817
353
- msgid "<code>#displayname#</code>: post author's display name"
354
- msgstr ""
355
-
356
- #: wp-to-twitter.php:291
357
- msgid "This tweet was blank and could not be sent to Twitter."
358
- msgstr ""
359
-
360
- #: wp-to-twitter.php:339
361
- msgid "404 Not Found: The URI requested is invalid or the resource requested does not exist."
362
- msgstr ""
363
-
364
- #: wp-to-twitter.php:342
365
- msgid "406 Not Acceptable: Invalid Format Specified."
366
- msgstr ""
367
-
368
- #: wp-to-twitter.php:348
369
- msgid "429 Too Many Requests: You have exceeded your rate limits."
370
- msgstr ""
371
-
372
- #: wp-to-twitter.php:360
373
- 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."
374
- msgstr ""
375
-
376
- #: wp-to-twitter.php:1028
377
- msgid "Your prepended Tweet text; not part of your template."
378
- msgstr ""
379
-
380
- #: wp-to-twitter.php:1031
381
- msgid "Your appended Tweet text; not part of your template."
382
- msgstr ""
383
-
384
- #: wp-to-twitter.php:1130
385
- msgid "Your role does not have the ability to Post Tweets from this site."
386
- msgstr ""
387
-
388
- #: wp-to-twitter.php:1275
389
- msgid "Hide account name in Tweets"
390
- msgstr ""
391
-
392
- #: wp-to-twitter.php:1276
393
- msgid "Do not display my account in the #account# template tag."
394
- msgstr ""
395
-
396
- #: wpt-functions.php:288
397
- msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
398
- msgstr ""
399
-
400
- #: wpt-functions.php:291
401
- msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
402
- msgstr ""
403
-
404
- #: wpt-functions.php:294
405
- msgid "Support Request:"
406
- msgstr ""
407
-
408
- #: wp-to-twitter-manager.php:485
409
- msgid "Settings for type \"%1$s\""
410
- msgstr ""
411
-
412
- #: wp-to-twitter-manager.php:488
413
- msgid "Update when %1$s %2$s is published"
414
- msgstr ""
415
-
416
- #: wp-to-twitter-manager.php:488
417
- msgid "Text for new %1$s updates"
418
- msgstr ""
419
-
420
- #: wp-to-twitter-manager.php:492
421
- msgid "Update when %1$s %2$s is edited"
422
- msgstr ""
423
-
424
- #: wp-to-twitter-manager.php:492
425
- msgid "Text for %1$s editing updates"
426
- msgstr ""
427
-
428
- #: wp-to-twitter-oauth.php:217
429
- msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
430
- msgstr ""
431
-
432
- #: wp-to-twitter-shorteners.php:558
433
- msgid "Use Twitter Friendly Links."
434
- msgstr ""
435
-
436
- #: wp-to-twitter-shorteners.php:332
437
- msgid "View your Bit.ly username and API key"
438
- msgstr ""
439
-
440
- #: wp-to-twitter-shorteners.php:394
441
- msgid "Your shortener does not require any account settings."
442
- msgstr ""
443
-
444
- #: wp-to-twitter.php:317
445
- msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
446
- msgstr ""
447
-
448
- #: wp-to-twitter.php:1152
449
- msgid "Failed Tweets"
450
- msgstr ""
451
-
452
- #: wp-to-twitter.php:1167
453
- msgid "No failed tweets on this post."
454
- msgstr ""
455
-
456
- #: wp-to-twitter-manager.php:789
457
- msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
458
- msgstr ""
459
-
460
- #: wp-to-twitter-manager.php:822
461
- 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."
462
- msgstr ""
463
-
464
- #: wp-to-twitter-oauth.php:284
465
- msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
466
- msgstr ""
467
-
468
- #: wp-to-twitter.php:276
469
- msgid "This account is not authorized to post to Twitter."
470
- msgstr ""
471
-
472
- #: wp-to-twitter.php:285
473
- msgid "This tweet is identical to another Tweet recently sent to this account."
474
- msgstr ""
475
-
476
- #: wp-to-twitter-shorteners.php:298
477
- msgid "(optional)"
478
- msgstr ""
479
-
480
- #: wp-to-twitter-manager.php:603
481
- msgid "Do not post Tweets by default (editing only)"
482
- msgstr ""
483
-
484
- #: wp-to-twitter-manager.php:814
485
- msgid "<code>#modified#</code>: the post modified date"
486
- msgstr ""
487
-
488
- #: wp-to-twitter-oauth.php:282
489
- msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
490
- msgstr ""
491
-
492
- #: wp-to-twitter-manager.php:650
493
- msgid "Authors have individual Twitter accounts"
494
- msgstr "Autores possuem contas individuais no twitter"
495
-
496
- #: wp-to-twitter-manager.php:693
497
- msgid "Disable global URL shortener error messages."
498
- msgstr "Desabilitar mensagens de erros de encurtadores de URL"
499
-
500
- #: wp-to-twitter-manager.php:694
501
- msgid "Disable global Twitter API error messages."
502
- msgstr "Desabilitar mensagens de erro da API do twitter"
503
-
504
- #: wp-to-twitter-manager.php:696
505
- msgid "Get Debugging Data for OAuth Connection"
506
- msgstr "Pegar dados para debug para a conexão OAuth"
507
-
508
- #: wp-to-twitter-manager.php:698
509
- msgid "Switch to <code>http</code> connection. (Default is https)"
510
- msgstr ""
511
-
512
- #: wp-to-twitter-manager.php:700
513
- msgid "I made a donation, so stop whinging at me, please."
514
- msgstr ""
515
-
516
- #: wp-to-twitter-manager.php:714
517
- msgid "Limit Updating Categories"
518
- msgstr "Limite atualizando categorias"
519
-
520
- #: wp-to-twitter-manager.php:717
521
- msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
522
- msgstr ""
523
-
524
- #: wp-to-twitter-manager.php:718
525
- msgid "<em>Category limits are disabled.</em>"
526
- msgstr "<em>Limite de categorias estão desabilitados.</em>"
527
-
528
- #: wp-to-twitter-manager.php:727
529
- msgid "Get Plug-in Support"
530
- msgstr ""
531
-
532
- #: wp-to-twitter-manager.php:738
533
- msgid "Check Support"
534
- msgstr "Verifique suporte"
535
-
536
- #: wp-to-twitter-manager.php:738
537
- 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."
538
- 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. "
539
-
540
- #: wp-to-twitter-manager.php:756
541
- msgid "Support WP to Twitter"
542
- msgstr ""
543
-
544
- #: wp-to-twitter-manager.php:758
545
- msgid "WP to Twitter Support"
546
- msgstr ""
547
-
548
- #: wp-to-twitter-manager.php:766 wp-to-twitter.php:1119 wp-to-twitter.php:1121
549
- msgid "Get Support"
550
- msgstr "Receba suporte"
551
-
552
- #: wp-to-twitter-manager.php:769
553
- 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!"
554
- msgstr ""
555
-
556
- #: wp-to-twitter-manager.php:787
557
- msgid "Upgrade Now!"
558
- msgstr ""
559
-
560
- #: wp-to-twitter-manager.php:790
561
- msgid "Extra features with the PRO upgrade:"
562
- msgstr ""
563
-
564
- #: wp-to-twitter-manager.php:804
565
- msgid "Shortcodes"
566
- msgstr ""
567
-
568
- #: wp-to-twitter-manager.php:806
569
- msgid "Available in post update templates:"
570
- msgstr ""
571
-
572
- #: wp-to-twitter-manager.php:808
573
- msgid "<code>#title#</code>: the title of your blog post"
574
- msgstr "<code>#title#</code>: Título do seu post."
575
-
576
- #: wp-to-twitter-manager.php:809
577
- msgid "<code>#blog#</code>: the title of your blog"
578
- msgstr "<code>#blog#</code>: Título do seu Blog"
579
-
580
- #: wp-to-twitter-manager.php:810
581
- msgid "<code>#post#</code>: a short excerpt of the post content"
582
- msgstr "<code>#post#</code>: uma pequena parte do conteúdo do post="
583
-
584
- #: wp-to-twitter-manager.php:811
585
- msgid "<code>#category#</code>: the first selected category for the post"
586
- msgstr "<code>#category#</code>: a primeira categoria selecionada para o post"
587
-
588
- #: wp-to-twitter-manager.php:813
589
- msgid "<code>#date#</code>: the post date"
590
- msgstr "<code>#date#</code>: data do post"
591
-
592
- #: wp-to-twitter-manager.php:815
593
- msgid "<code>#url#</code>: the post URL"
594
- msgstr "<code>#url#</code>: endereço do post"
595
-
596
- #: wp-to-twitter-manager.php:818
597
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
598
- msgstr "<code>#account#</code>: uma @referencia para a conta do Twitter (ou ao autor, se as configurações estiverem habilitadas e configuradas.)"
599
-
600
- #: wp-to-twitter-manager.php:820
601
- msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
602
- msgstr ""
603
-
604
- #: wp-to-twitter-manager.php:825
605
- 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>"
606
- 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>"
607
-
608
- #: wp-to-twitter-oauth.php:115
609
- msgid "WP to Twitter was unable to establish a connection to Twitter."
610
- msgstr ""
611
-
612
- #: wp-to-twitter-oauth.php:185
613
- msgid "There was an error querying Twitter's servers"
614
- msgstr ""
615
-
616
- #: wp-to-twitter-oauth.php:209 wp-to-twitter-oauth.php:211
617
- msgid "Connect to Twitter"
618
- msgstr "Conectar ao Twitter"
619
-
620
- #: wp-to-twitter-oauth.php:214
621
- msgid "WP to Twitter Set-up"
622
- msgstr ""
623
-
624
- #: wp-to-twitter-oauth.php:215 wp-to-twitter-oauth.php:306
625
- #: wp-to-twitter-oauth.php:311
626
- msgid "Your server time:"
627
- msgstr ""
628
-
629
- #: wp-to-twitter-oauth.php:215
630
- msgid "Twitter's time:"
631
- msgstr ""
632
-
633
- #: wp-to-twitter-oauth.php:215
634
- msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
635
- msgstr ""
636
-
637
- #: wp-to-twitter-oauth.php:221
638
- msgid "1. Register this site as an application on "
639
- msgstr "1. Registre este site como um aplicativo no"
640
-
641
- #: wp-to-twitter-oauth.php:221
642
- msgid "Twitter's application registration page"
643
- msgstr "Página de registro de aplicação do Twitter"
644
-
645
- #: wp-to-twitter-oauth.php:223
646
- msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
647
- msgstr "Se você não estiver logado ao Twitter, entre com a conta que deseja associar à este site"
648
-
649
- #: wp-to-twitter-oauth.php:225
650
- msgid "Your Application Description can be anything."
651
- msgstr ""
652
-
653
- #: wp-to-twitter-oauth.php:226
654
- msgid "The WebSite and Callback URL should be "
655
- msgstr ""
656
-
657
- #: wp-to-twitter-oauth.php:228
658
- msgid "Agree to the Developer Rules of the Road and continue."
659
- msgstr ""
660
-
661
- #: wp-to-twitter-oauth.php:229
662
- msgid "2. Switch to the \"Settings\" tab in Twitter apps"
663
- msgstr ""
664
-
665
- #: wp-to-twitter-oauth.php:231
666
- msgid "Select \"Read and Write\" for the Application Type"
667
- msgstr ""
668
-
669
- #: wp-to-twitter-oauth.php:232
670
- msgid "Update the application settings"
671
- msgstr ""
672
-
673
- #: wp-to-twitter-oauth.php:235
674
- msgid "Once you have registered your site as an application, you will be provided with four keys."
675
- msgstr ""
676
-
677
- #: wp-to-twitter-oauth.php:236
678
- msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
679
- msgstr ""
680
-
681
- #: wp-to-twitter-oauth.php:239
682
- msgid "Twitter Consumer Key"
683
- msgstr "Twitter Consumer Key"
684
-
685
- #: wp-to-twitter-oauth.php:243
686
- msgid "Twitter Consumer Secret"
687
- msgstr "Twitter Consumer Secret"
688
-
689
- #: wp-to-twitter-oauth.php:247
690
- msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
691
- msgstr ""
692
-
693
- #: wp-to-twitter-oauth.php:248
694
- 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."
695
- msgstr ""
696
-
697
- #: wp-to-twitter-oauth.php:251
698
- msgid "Access Token"
699
- msgstr "Access Token"
700
-
701
- #: wp-to-twitter-oauth.php:255
702
- msgid "Access Token Secret"
703
- msgstr "Access Token Secret"
704
-
705
- #: wp-to-twitter-oauth.php:274
706
- msgid "Disconnect Your WordPress and Twitter Account"
707
- msgstr "Desconectar seu Wordpress e conta do Twitter"
708
-
709
- #: wp-to-twitter-oauth.php:278
710
- msgid "Disconnect your WordPress and Twitter Account"
711
- msgstr "Disconecte seu WordPress e Conta do Twitter"
712
-
713
- #: wp-to-twitter-oauth.php:288
714
- msgid "Disconnect from Twitter"
715
- msgstr "Desconectar do Twitter"
716
-
717
- #: wp-to-twitter-oauth.php:294
718
- msgid "Twitter Username "
719
- msgstr "Usuário Twitter"
720
-
721
- #: wp-to-twitter-oauth.php:295
722
- msgid "Consumer Key "
723
- msgstr "Consumer Key"
724
-
725
- #: wp-to-twitter-oauth.php:296
726
- msgid "Consumer Secret "
727
- msgstr "Consumer Secret"
728
-
729
- #: wp-to-twitter-oauth.php:297
730
- msgid "Access Token "
731
- msgstr "Access Token"
732
-
733
- #: wp-to-twitter-oauth.php:298
734
- msgid "Access Token Secret "
735
- msgstr "Access Token Secret"
736
-
737
- #: wp-to-twitter.php:43
738
- msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
739
- msgstr ""
740
-
741
- #: wp-to-twitter-oauth.php:200
742
- msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
743
- msgstr ""
744
-
745
- #: wp-to-twitter.php:322
746
- msgid "200 OK: Success!"
747
- msgstr "200: OK: Sucesso!"
748
-
749
- #: wp-to-twitter.php:329
750
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
751
- msgstr "400 Bad Request: A requisição foi inválida. Este é o código de status retornado."
752
-
753
- #: wp-to-twitter.php:332
754
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
755
- msgstr "401 Unauthorized: Credenciais de autenticação faltando ou incorretas."
756
-
757
- #: wp-to-twitter.php:351
758
- msgid "500 Internal Server Error: Something is broken at Twitter."
759
- msgstr "500 Internal Server Error: Algo está quebrado no Twitter."
760
-
761
- #: wp-to-twitter.php:357
762
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
763
- msgstr ""
764
-
765
- #: wp-to-twitter.php:354
766
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
767
- msgstr "502 Bad Gateway: Twitter está fora ou sendo atualizado."
768
-
769
- #: wp-to-twitter.php:397
770
- msgid "No Twitter OAuth connection found."
771
- msgstr ""
772
-
773
- #: wp-to-twitter.php:1138
774
- msgid "Previous Tweets"
775
- msgstr "Tweets Anteriores"
776
-
777
- #: wp-to-twitter.php:1023
778
- msgid "Custom Twitter Post"
779
- msgstr "Publicação Personalizada no Twitter"
780
-
781
- #: wp-to-twitter.php:1034
782
- msgid "Your template:"
783
- msgstr ""
784
-
785
- #: wp-to-twitter.php:1038
786
- msgid "YOURLS Custom Keyword"
787
- msgstr ""
788
-
789
- #: wp-to-twitter.php:1119
790
- msgid "Upgrade to WP Tweets Pro"
791
- msgstr "Atualizar para WP Tweets Pro"
792
-
793
- #: wp-to-twitter.php:1049
794
- msgid "Don't Tweet this post."
795
- msgstr "Não Tweete esta publicação"
796
-
797
- #: wp-to-twitter.php:1049
798
- msgid "Tweet this post."
799
- msgstr "Tweetar esse post."
800
-
801
- #: wp-to-twitter.php:1097
802
- msgid "Access to customizing WP to Twitter values is not allowed for your user role."
803
- msgstr ""
804
-
805
- #: wp-to-twitter.php:1196
806
- msgid "Characters left: "
807
- msgstr "Caracteres restantes:"
808
-
809
- #: wp-to-twitter.php:1261
810
- msgid "WP Tweets User Settings"
811
- msgstr "WP Tweets Configuração de Usuário"
812
-
813
- #: wp-to-twitter.php:1265
814
- msgid "Use My Twitter Username"
815
- msgstr "Use meu usuário do Twitter"
816
-
817
- #: wp-to-twitter.php:1266
818
- msgid "Tweet my posts with an @ reference to my username."
819
- msgstr "Publique meus Posts com um @ referenciando meu usuário."
820
-
821
- #: wp-to-twitter.php:1267
822
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
823
- msgstr "Publique meus Posts com um @ referenciando ambos meu usuário e usuário principal do site."
824
-
825
- #: wp-to-twitter.php:1271
826
- msgid "Your Twitter Username"
827
- msgstr "Seu usuário do Twitter"
828
-
829
- #: wp-to-twitter.php:1272
830
- msgid "Enter your own Twitter username."
831
- msgstr "Insira seu próprio usuário do Twitter"
832
-
833
- #: wp-to-twitter.php:1329
834
- msgid "Check off categories to tweet"
835
- msgstr ""
836
-
837
- #: wp-to-twitter.php:1333
838
- msgid "Do not tweet posts in checked categories (Reverses default behavior)"
839
- msgstr ""
840
-
841
- #: wp-to-twitter.php:1350
842
- 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."
843
- msgstr ""
844
-
845
- #: wp-to-twitter.php:1353
846
- msgid "Set Categories"
847
- msgstr "Defina categorias"
848
-
849
- #: wp-to-twitter.php:1376
850
- msgid "Settings"
851
- msgstr "Configurações"
852
-
853
- #: wp-to-twitter.php:1414
854
- msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
855
- msgstr ""
856
-
857
- msgid "WP to Twitter"
858
- msgstr "WP to Twitter"
859
-
860
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
861
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
862
-
863
- msgid "Joseph Dolson"
864
- msgstr "Joseph Dolson"
865
-
866
- msgid "http://www.joedolson.com/"
867
- msgstr "http://www.joedolson.com/"
868
-
869
- #: wpt-functions.php:258
870
- msgid "Please read the FAQ and other Help documents before making a support request."
871
- msgstr "Por favor, leia o FAQ e outros documentos de Ajuda antes de fazer um pedido de suporte."
872
-
873
- #: wpt-functions.php:260
874
- msgid "Please describe your problem. I'm not psychic."
875
- msgstr ""
876
-
877
- #: wpt-functions.php:280
878
- 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."
879
- msgstr ""
880
-
881
- #: wpt-functions.php:297
882
- msgid "Send Support Request"
883
- msgstr "Enviar Pedido de Suporte"
884
-
885
- #: wpt-functions.php:300
886
- msgid "The following additional information will be sent with your support request:"
887
- msgstr "A informação adicional à seguir será enviada com seu pedido:"
888
-
889
- #: wp-to-twitter-manager.php:41
890
- msgid "No error information is available for your shortener."
891
- msgstr "Nenhuma informação de erro está disponivel para seu encurtador."
892
-
893
- #: wp-to-twitter-manager.php:43
894
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
895
- msgstr "<li class=\"error\"><strong>WP to Twitter foi incapaz de conectar com o seu serviço de encurtar URL.</strong></li>"
896
-
897
- #: wp-to-twitter-manager.php:46
898
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
899
- 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:"
900
-
901
- #: wp-to-twitter-manager.php:54
902
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
903
- msgstr "<li><strong>WP to Twitter enviou com sucesso atualização de status para o Twitter.</strong></li>"
904
-
905
- #: wp-to-twitter-manager.php:57
906
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
907
- msgstr "<li class=\"error\"><strong>WP to Twitter falhou ao enviar atualização parao Twitter</strong></li>"
908
-
909
- #: wp-to-twitter-manager.php:61
910
- msgid "You have not connected WordPress to Twitter."
911
- msgstr "Você não tem o Wordpress conectado ao Twitter."
912
-
913
- #: wp-to-twitter-manager.php:65
914
- 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>"
915
- 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>"
916
-
917
- #: wp-to-twitter-manager.php:69
918
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
919
- msgstr "<li><strong>Seu servidor deve rodar WP to Twitter com sucesso.</strong></li>"
920
-
921
- #: wp-to-twitter-manager.php:87
922
- msgid "WP to Twitter Errors Cleared"
923
- msgstr "WP to Twitter erros limpos"
924
-
925
- #: wp-to-twitter-manager.php:170
926
- msgid "WP to Twitter is now connected with Twitter."
927
- msgstr "WP to Twitter está agora conectado com o Twitter."
928
-
929
- #: wp-to-twitter-manager.php:185
930
- msgid "OAuth Authentication Data Cleared."
931
- msgstr "Dados de autenticação OAuth limpos."
932
-
933
- #: wp-to-twitter-manager.php:192
934
- 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."
935
- 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."
936
-
937
- #: wp-to-twitter-manager.php:199
938
- msgid "OAuth Authentication response not understood."
939
- msgstr "Resposta de autenticação OAuth não compreendida."
940
-
941
- #: wp-to-twitter-manager.php:376
942
- msgid "WP to Twitter Advanced Options Updated"
943
- msgstr "WP to Twitter Opções Avançadas de Atualização"
944
-
945
- #: wp-to-twitter-shorteners.php:526
946
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
947
- msgstr "Você deve adicionar seu usuário Bit.ly e API key para encurtar URLs com Bit.ly"
948
-
949
- #: wp-to-twitter-shorteners.php:534
950
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
951
- msgstr "Você deve adicionar sua URL remota do YOURLS, usuário e senha para encurtar URLs com uma instalação remota do YOURLS."
952
-
953
- #: wp-to-twitter-shorteners.php:538
954
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
955
- msgstr "Você deve adicionar o caminho do servidor para encurtar suas URLs com uma instalação remota do YOURLS."
956
-
957
- #: wp-to-twitter-manager.php:394
958
- msgid "WP to Twitter Options Updated"
959
- msgstr "WP to Twitter Opções atualizadas"
960
-
961
- #: wp-to-twitter-manager.php:403
962
- msgid "Category limits updated."
963
- msgstr "Limites de categorias atualizados."
964
-
965
- #: wp-to-twitter-manager.php:407
966
- msgid "Category limits unset."
967
- msgstr "Limite de categorias indefinido."
968
-
969
- #: wp-to-twitter-shorteners.php:406
970
- msgid "YOURLS password updated. "
971
- msgstr "YOURLS senha atualizada"
972
-
973
- #: wp-to-twitter-shorteners.php:409
974
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
975
- msgstr "YOURLS senha deletada. Você será incapaz de usar seu YOURLS remote para encurtar URLS."
976
-
977
- #: wp-to-twitter-shorteners.php:411
978
- msgid "Failed to save your YOURLS password! "
979
- msgstr "Falha ao salvar sua senha YOURLS!"
980
-
981
- #: wp-to-twitter-shorteners.php:415
982
- msgid "YOURLS username added. "
983
- msgstr "YOURS usuário adicionado"
984
-
985
- #: wp-to-twitter-shorteners.php:419
986
- msgid "YOURLS API url added. "
987
- msgstr "YOURLS API url adicionada."
988
-
989
- #: wp-to-twitter-shorteners.php:422
990
- msgid "YOURLS API url removed. "
991
- msgstr "YOURLS API url removida."
992
-
993
- #: wp-to-twitter-shorteners.php:427
994
- msgid "YOURLS local server path added. "
995
- msgstr "YOURLS caminho local do servidor adicionado."
996
-
997
- #: wp-to-twitter-shorteners.php:429
998
- msgid "The path to your YOURLS installation is not correct. "
999
- msgstr "O caminho para a instalação do seu YOURLS está incorreto."
1000
-
1001
- #: wp-to-twitter-shorteners.php:433
1002
- msgid "YOURLS local server path removed. "
1003
- msgstr "YOURLS caminho local do servidor removido."
1004
-
1005
- #: wp-to-twitter-shorteners.php:438
1006
- msgid "YOURLS will use Post ID for short URL slug."
1007
- msgstr "YOURLS utilizará ID do Post para chave da sua URL encurtada."
1008
-
1009
- #: wp-to-twitter-shorteners.php:440
1010
- msgid "YOURLS will use your custom keyword for short URL slug."
1011
- msgstr ""
1012
-
1013
- #: wp-to-twitter-shorteners.php:444
1014
- msgid "YOURLS will not use Post ID for the short URL slug."
1015
- msgstr "YOURLS não utilizará ID do Post para chave da sua URL encurtada."
1016
-
1017
- #: wp-to-twitter-shorteners.php:452
1018
- msgid "Su.pr API Key and Username Updated"
1019
- msgstr "Su.pr API Key e usuários atualizados"
1020
-
1021
- #: wp-to-twitter-shorteners.php:456
1022
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
1023
- 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."
1024
-
1025
- #: wp-to-twitter-shorteners.php:458
1026
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
1027
- msgstr "Su.pr API Key não adicionada - <a href='http://su.pr/'>pegue uma aqui</a>! "
1028
-
1029
- #: wp-to-twitter-shorteners.php:464
1030
- msgid "Bit.ly API Key Updated."
1031
- msgstr "Bit.ly API Key atualizada."
1032
-
1033
- #: wp-to-twitter-shorteners.php:467
1034
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
1035
- msgstr "Bit.ly API Key deletada. Você não pode usar API do Bit.ly sem uma API key."
1036
-
1037
- #: wp-to-twitter-shorteners.php:469
1038
- 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."
1039
- 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"
1040
-
1041
- #: wp-to-twitter-shorteners.php:473
1042
- msgid " Bit.ly User Login Updated."
1043
- msgstr "Bit.ly usuário atualizado."
1044
-
1045
- #: wp-to-twitter-shorteners.php:476
1046
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
1047
- msgstr "Bit.ly usuário deletado. Você não pode utilizar a API do Bit.ly sem um usuário."
1048
-
1049
- #: wp-to-twitter-shorteners.php:478
1050
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
1051
- msgstr "Bit.ly Usuário não adicionado - - <a href='http://bit.ly/account/'>pegue um aqui</a>! "
1052
-
1053
- #: wp-to-twitter-manager.php:427
1054
- 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>"
1055
- msgstr ""
1056
-
1057
- #: wp-to-twitter-manager.php:433
1058
- 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. "
1059
- 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."
1060
-
1061
- #: wp-to-twitter-manager.php:436
1062
- 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>"
1063
- msgstr ""
1064
-
1065
- #: wp-to-twitter-manager.php:442
1066
- msgid "Clear 'WP to Twitter' Error Messages"
1067
- msgstr "Limpar mensagens de erro do 'WP to Twitter' "
1068
-
1069
- #: wp-to-twitter-manager.php:448
1070
- msgid "WP to Twitter Options"
1071
- msgstr "WP to Twitter Opções"
1072
-
1073
- #: wp-to-twitter-manager.php:461
1074
- msgid "Basic Settings"
1075
- msgstr "Configurações Básicas"
1076
-
1077
- #: wp-to-twitter-manager.php:467 wp-to-twitter-manager.php:511
1078
- msgid "Save WP->Twitter Options"
1079
- msgstr "Salvar opções do WP->Twitter "
1080
-
1081
- #: wp-to-twitter-manager.php:500
1082
- msgid "Settings for Links"
1083
- msgstr "Configurações para Links"
1084
-
1085
- #: wp-to-twitter-manager.php:503
1086
- msgid "Update Twitter when you post a Blogroll link"
1087
- msgstr "Atualize o Twitter quando postar um link Blogroll"
1088
-
1089
- #: wp-to-twitter-manager.php:504
1090
- msgid "Text for new link updates:"
1091
- msgstr "Texto para atualização de novos links:"
1092
-
1093
- #: wp-to-twitter-manager.php:504
1094
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
1095
- msgstr "Shortcodes disponiveis: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
1096
-
1097
- #: wp-to-twitter-shorteners.php:550
1098
- msgid "Don't shorten URLs."
1099
- msgstr "Não encurte URLs."
1100
-
1101
- #: wp-to-twitter-shorteners.php:294
1102
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
1103
- msgstr "Configurações da Conta do Encurtador de <abbr title=\"Uniform Resource Locator\">URL</abbr>"
1104
-
1105
- #: wp-to-twitter-shorteners.php:298
1106
- msgid "Your Su.pr account details"
1107
- msgstr "Seus detalhes de conta do Su.pr"
1108
-
1109
- #: wp-to-twitter-shorteners.php:303
1110
- msgid "Your Su.pr Username:"
1111
- msgstr "Seu usuário Su.pr:"
1112
-
1113
- #: wp-to-twitter-shorteners.php:307
1114
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
1115
- msgstr "Sua <abbr title='application programming interface'>API</abbr> Key para Su.pr"
1116
-
1117
- #: wp-to-twitter-shorteners.php:314
1118
- 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."
1119
- 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."
1120
-
1121
- #: wp-to-twitter-shorteners.php:320
1122
- msgid "Your Bit.ly account details"
1123
- msgstr "Seus detalhes de conta Bit.ly"
1124
-
1125
- #: wp-to-twitter-shorteners.php:325
1126
- msgid "Your Bit.ly username:"
1127
- msgstr "Seu usuário Bit.ly:"
1128
-
1129
- #: wp-to-twitter-shorteners.php:329
1130
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
1131
- msgstr "Sua <abbr title='application programming interface'>API</abbr> Key para Bit.ly"
1132
-
1133
- #: wp-to-twitter-shorteners.php:337
1134
- msgid "Save Bit.ly API Key"
1135
- msgstr "Salvar API Key do Bit.ly"
1136
-
1137
- #: wp-to-twitter-shorteners.php:337
1138
- msgid "Clear Bit.ly API Key"
1139
- msgstr "Limpar API Key do Bit.ly"
1140
-
1141
- #: wp-to-twitter-shorteners.php:337
1142
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
1143
- msgstr "Uma API Key e usuário do Bit.ly são necessário para encurtar URLs usando Bit.ly e WP to Twitter."
1144
-
1145
- #: wp-to-twitter-shorteners.php:343
1146
- msgid "Your YOURLS account details"
1147
- msgstr "Seus detalhes de conta do YOURLS"
1148
-
1149
- #: wp-to-twitter-shorteners.php:348
1150
- msgid "Path to your YOURLS config file (Local installations)"
1151
- msgstr "Caminho para seu arquivo de configuração do YOURLS (instalação local)"
1152
-
1153
- #: wp-to-twitter-shorteners.php:349 wp-to-twitter-shorteners.php:353
1154
- msgid "Example:"
1155
- msgstr "Exemplo:"
1156
-
1157
- #: wp-to-twitter-shorteners.php:352
1158
- msgid "URI to the YOURLS API (Remote installations)"
1159
- msgstr "URI para sua API do YOURLS (instalação remota)"
1160
-
1161
- #: wp-to-twitter-shorteners.php:356
1162
- msgid "Your YOURLS username:"
1163
- msgstr "Seu usuário do YOURLS:"
1164
-
1165
- #: wp-to-twitter-shorteners.php:360
1166
- msgid "Your YOURLS password:"
1167
- msgstr "Sua senha do YOURLS:"
1168
-
1169
- #: wp-to-twitter-shorteners.php:360
1170
- msgid "<em>Saved</em>"
1171
- msgstr "<em>Salvo</em>"
1172
-
1173
- #: wp-to-twitter-shorteners.php:364
1174
- msgid "Post ID for YOURLS url slug."
1175
- msgstr ""
1176
-
1177
- #: wp-to-twitter-shorteners.php:365
1178
- msgid "Custom keyword for YOURLS url slug."
1179
- msgstr ""
1180
-
1181
- #: wp-to-twitter-shorteners.php:366
1182
- msgid "Default: sequential URL numbering."
1183
- msgstr ""
1184
-
1185
- #: wp-to-twitter-shorteners.php:372
1186
- msgid "Save YOURLS Account Info"
1187
- msgstr "Salvar informações da conta do YOURLS"
1188
-
1189
- #: wp-to-twitter-shorteners.php:372
1190
- msgid "Clear YOURLS password"
1191
- msgstr "Limpar senha do YOURLS"
1192
-
1193
- #: wp-to-twitter-shorteners.php:372
1194
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
1195
- msgstr "Um usuário e senha do YOURLS são necessário para encurtar URLs usando API remota do YOURLS e WP to Twitter."
1196
-
1197
- #: wp-to-twitter-manager.php:522
1198
- msgid "Advanced Settings"
1199
- msgstr "Configurações avançadas"
1200
-
1201
- #: wp-to-twitter-manager.php:527 wp-to-twitter-manager.php:706
1202
- msgid "Save Advanced WP->Twitter Options"
1203
- msgstr "Salvar opções avançadas do WP->Twitter"
1204
-
1205
- #: wp-to-twitter-manager.php:532
1206
- msgid "Strip nonalphanumeric characters from tags"
1207
- msgstr ""
1208
-
1209
- #: wp-to-twitter-manager.php:538
1210
- msgid "Spaces in tags replaced with:"
1211
- msgstr "Espaços em tags substituidos com:"
1212
-
1213
- #: wp-to-twitter-manager.php:541
1214
- msgid "Maximum number of tags to include:"
1215
- msgstr "Número máximo de tags para incluir:"
1216
-
1217
- #: wp-to-twitter-manager.php:542
1218
- msgid "Maximum length in characters for included tags:"
1219
- msgstr "Número máximo de caracteres para tags incluidas:"
1220
-
1221
- #: wp-to-twitter-manager.php:548
1222
- msgid "Length of post excerpt (in characters):"
1223
- msgstr "Tamanho do pedaço do texto do post (em caracteres):"
1224
-
1225
- #: wp-to-twitter-manager.php:551
1226
- msgid "WP to Twitter Date Formatting:"
1227
- msgstr "Formato da Data do WP to Twitter:"
1228
-
1229
- #: wp-to-twitter-manager.php:551
1230
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1231
- msgstr "Padrão é da sua configuração geral. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1232
-
1233
- #: wp-to-twitter-manager.php:555
1234
- msgid "Custom text before all Tweets:"
1235
- msgstr "Texto padrão antes de todos os Tweets:"
1236
-
1237
- #: wp-to-twitter-manager.php:558
1238
- msgid "Custom text after all Tweets:"
1239
- msgstr "Texto padrão depois de todos os Tweets:"
1240
-
1241
- #: wp-to-twitter-manager.php:561
1242
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1243
- msgstr "Campo personalizado para URL alternativa a ser encurtada e Tweetar:"
1244
-
1245
- #: wp-to-twitter-manager.php:598
1246
- msgid "Special Cases when WordPress should send a Tweet"
1247
- msgstr "Casos especiais que o WordPress deve enviar um Tweet"
1248
-
1249
- #: wp-to-twitter-manager.php:601
1250
- msgid "Do not post Tweets by default"
1251
- msgstr ""
1252
-
1253
- #: wp-to-twitter-manager.php:607
1254
- msgid "Allow status updates from Quick Edit"
1255
- msgstr "Permitir atualização de status através da Edição Rápida"
1256
-
1257
- #: wp-to-twitter-manager.php:612
1258
- msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
1259
- msgstr ""
1260
-
1261
- #: wp-to-twitter-manager.php:619
1262
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1263
- msgstr "Envie atualizações ao Twitter em publicações remotas (Post por e-mail ou cliente XMLRPC)"
1264
-
1265
- #: wp-to-twitter-manager.php:624
1266
- msgid "Google Analytics Settings"
1267
- msgstr "Configurações do Google Analytics "
1268
-
1269
- #: wp-to-twitter-manager.php:625
1270
- 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."
1271
- 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."
1272
-
1273
- #: wp-to-twitter-manager.php:628
1274
- msgid "Use a Static Identifier with WP-to-Twitter"
1275
- msgstr "Utilize um identificador estatico com WP-to-Twitter"
1276
-
1277
- #: wp-to-twitter-manager.php:629
1278
- msgid "Static Campaign identifier for Google Analytics:"
1279
- msgstr "Identificador estatico para campanha com Google Analytics:"
1280
-
1281
- #: wp-to-twitter-manager.php:633
1282
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1283
- msgstr "Utilize um identificador dinamico com Google Analytics e WP-to-Twitter"
1284
-
1285
- #: wp-to-twitter-manager.php:634
1286
- msgid "What dynamic identifier would you like to use?"
1287
- msgstr "Que identificador dinamico você gostaria de usar?"
1288
-
1289
- #: wp-to-twitter-manager.php:636
1290
- msgid "Category"
1291
- msgstr "Categoria"
1292
-
1293
- #: wp-to-twitter-manager.php:637
1294
- msgid "Post ID"
1295
- msgstr "ID do Post"
1296
-
1297
- #: wp-to-twitter-manager.php:638
1298
- msgid "Post Title"
1299
- msgstr "Titulo do Post"
1300
-
1301
- #: wp-to-twitter-manager.php:639
1302
- msgid "Author"
1303
- msgstr "Autor"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-ro_RO.po DELETED
@@ -1,837 +0,0 @@
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 Twitter:"
485
-
486
- #: wp-to-twitter-manager.php:581
487
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
488
- msgstr "Implicit este din setarile generale. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Documentatie formatare data</a>."
489
-
490
- #: wp-to-twitter-manager.php:585
491
- msgid "Custom text before all Tweets:"
492
- msgstr "Text personalizat inainte de toate Tweet-urile:"
493
-
494
- #: wp-to-twitter-manager.php:586
495
- msgid "Custom text after all Tweets:"
496
- msgstr "Text personalizat dupa fiecare Tweet:"
497
-
498
- #: wp-to-twitter-manager.php:589
499
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
500
- msgstr "Camp personalizat pentru un URL alternativ ce urmeaza a fi prescurtat si trimis la Twitter:"
501
-
502
- #: wp-to-twitter-manager.php:590
503
- 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."
504
- msgstr "Aveti posibilitatea sa utilizati un camp particularizat pentru a trimite un URL alternativ pentru articolul tau. Valoarea este numele unui camp particularizat care contine URL-ul extern."
505
-
506
- #: wp-to-twitter-manager.php:594
507
- msgid "Special Cases when WordPress should send a Tweet"
508
- msgstr "Cazuri speciale cand WordPress ar trebui sa trimita un Tweet"
509
-
510
- #: wp-to-twitter-manager.php:597
511
- msgid "Do not post status updates by default"
512
- msgstr "Nu publica actualizarea starii ca implicit"
513
-
514
- #: wp-to-twitter-manager.php:598
515
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
516
- msgstr "In mod implicit, toate mesajele ce indeplinesc alte cerinte vor fi postate pe Twitter. Verificati acest lucru pentru a schimba setarea."
517
-
518
- #: wp-to-twitter-manager.php:602
519
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
520
- msgstr "Trimite actualizarile Twitter prin publicare de la distanta (Publicare prin Email sau client XMLRPC)"
521
-
522
- #: wp-to-twitter-manager.php:604
523
- msgid "I'm using a plugin to post by email, such as Postie. Only check this if your updates do not work."
524
- msgstr "Folosesc un plugin pentru a publica prin email cum ar fi Postie. Bifeaza doar daca actualizarile nu functioneaza."
525
-
526
- #: wp-to-twitter-manager.php:608
527
- msgid "Update Twitter when a post is published using QuickPress"
528
- msgstr "Actualizeaza Twitter cand este publicat un articol folosind QuickPress"
529
-
530
- #: wp-to-twitter-manager.php:612
531
- msgid "Google Analytics Settings"
532
- msgstr "Setari Google Analytics"
533
-
534
- #: wp-to-twitter-manager.php:613
535
- 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."
536
- msgstr "Puteti urmari raspunsurile de la Twitter folosind Google Analytics, prin definirea unei campanii de identificare. Puteti defini fie un identificator static sau unul dinamic. Identificatorii statici nu se schimba de la articol la articol; identificatorii dinamici sunt derivati din informatiile relevante pentru articole specifice. Identificatorii dinamici va permit sa descompuneti statisticile dvs. printr-o variabila suplimentara."
537
-
538
- #: wp-to-twitter-manager.php:617
539
- msgid "Use a Static Identifier with WP-to-Twitter"
540
- msgstr "Foloseste un identificator static cu WP to Twitter"
541
-
542
- #: wp-to-twitter-manager.php:618
543
- msgid "Static Campaign identifier for Google Analytics:"
544
- msgstr "Campanie identificator static pentru Google Analytics:"
545
-
546
- #: wp-to-twitter-manager.php:622
547
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
548
- msgstr "Folositi un identificator dinamic cu Google Analytics si WP to Twitter"
549
-
550
- #: wp-to-twitter-manager.php:623
551
- msgid "What dynamic identifier would you like to use?"
552
- msgstr "Ce identificator dinamic doresti sa folosesti?"
553
-
554
- #: wp-to-twitter-manager.php:625
555
- msgid "Category"
556
- msgstr "Categorie"
557
-
558
- #: wp-to-twitter-manager.php:626
559
- msgid "Post ID"
560
- msgstr "ID articol"
561
-
562
- #: wp-to-twitter-manager.php:627
563
- msgid "Post Title"
564
- msgstr "Titlu articol"
565
-
566
- #: wp-to-twitter-manager.php:628
567
- msgid "Author"
568
- msgstr "Autor"
569
-
570
- #: wp-to-twitter-manager.php:633
571
- msgid "Individual Authors"
572
- msgstr "Autori individuali"
573
-
574
- #: wp-to-twitter-manager.php:636
575
- msgid "Authors have individual Twitter accounts"
576
- msgstr "Autorii au conturi de Twitter individuale"
577
-
578
- #: wp-to-twitter-manager.php:636
579
- 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.)"
580
- msgstr "Autorii pot seta numele de utilizator in profilul lor de utilizator. Incepand cu versiunea 2.2.0, aceasta caracteristica nu mai permite autorilor de a publica in propriile conturi Twitter. Se poate adauga doar o referinta @ la autor. Aceasta referinta @ este plasata folosind scurtatura <code>#account#</code> . (Acesta va apare in contul principal in cazul in care conturile de utilizator nu sunt activate.)"
581
-
582
- #: wp-to-twitter-manager.php:640
583
- msgid "Disable Error Messages"
584
- msgstr "Dezactiveaza mesajele de eroare"
585
-
586
- #: wp-to-twitter-manager.php:643
587
- msgid "Disable global URL shortener error messages."
588
- msgstr "Dezactiveaza "
589
-
590
- #: wp-to-twitter-manager.php:647
591
- msgid "Disable global Twitter API error messages."
592
- msgstr "Dezactiveaza mesajele globale de eroare API ale Twitter."
593
-
594
- #: wp-to-twitter-manager.php:651
595
- msgid "Disable notification to implement OAuth"
596
- msgstr "Dezactiveaza notificarile pentru a implementa OAuth"
597
-
598
- #: wp-to-twitter-manager.php:655
599
- msgid "Get Debugging Data for OAuth Connection"
600
- msgstr "Obtine date de depanare pentru conexiunea OAuth"
601
-
602
- #: wp-to-twitter-manager.php:661
603
- msgid "Save Advanced WP->Twitter Options"
604
- msgstr "Salveaza WP avansat -> Optiuni Twitter"
605
-
606
- #: wp-to-twitter-manager.php:675
607
- msgid "Limit Updating Categories"
608
- msgstr "Limiteaza actualizarea categoriilor"
609
-
610
- #: wp-to-twitter-manager.php:679
611
- msgid "Select which blog categories will be Tweeted. "
612
- msgstr "Selecteaza categoriile blog-ului ce vor fi trimise la Twitter."
613
-
614
- #: wp-to-twitter-manager.php:682
615
- msgid "<em>Category limits are disabled.</em>"
616
- msgstr "<em>Limitarea categoriilor este dezactivata.</em>"
617
-
618
- #: wp-to-twitter-manager.php:696
619
- msgid "Check Support"
620
- msgstr "Verifica suportul"
621
-
622
- #: wp-to-twitter-manager.php:696
623
- 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."
624
- msgstr "Verifica daca serverul tau suporta interogarile <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> catre URL-ul Twitter si API-urile de scurtare URL. Acest test va trimite o actualizare de stare catre Twitter si va scurta URL-ul folosind metoda selectata."
625
-
626
- #: wp-to-twitter-oauth.php:105
627
- #: wp-to-twitter-oauth.php:143
628
- msgid "Connect to Twitter"
629
- msgstr "Conecteaza la Twitter"
630
-
631
- #: wp-to-twitter-oauth.php:108
632
- 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 at this time. Note that you will not, at any time, enter you Twitter username or password into WP to Twitter; they are not used in OAuth authentication."
633
- msgstr "Procesul pentru a configura autentificarea OAuth pentru site-ul dvs. este inutil de laborios. Este de asemenea confuz. Cu toate acestea, este singura metodă disponibilă de la Twitter in acest moment. Retineti ca nu veti introduce niciodata numele de utilizator sau parola in WP to Twitter, ele nu sunt utilizate în autentificarea OAuth."
634
-
635
- #: wp-to-twitter-oauth.php:111
636
- msgid "1. Register this site as an application on "
637
- msgstr "1. Inregistreaza acest site ca aplicatie pe "
638
-
639
- #: wp-to-twitter-oauth.php:111
640
- msgid "Twitter's application registration page"
641
- msgstr "Pagina de inregistrare a aplicatiei Twitter"
642
-
643
- #: wp-to-twitter-oauth.php:113
644
- msgid "If you're not currently logged in, use the Twitter username and password which you want associated with this site"
645
- msgstr "Daca nu sunteti conectat in prezent, folositi numele de utilizator si parola Twitter pe care doriti sa le asociati cu acest site"
646
-
647
- #: wp-to-twitter-oauth.php:114
648
- msgid "Your Application's Name will be what shows up after \"via\" in your twitter stream; previously, \"WP to Twitter.\" Your application name cannot include the word \"Twitter.\" I suggest using the name of your web site."
649
- msgstr "Numele aplicatiei dvs. va apare dupa \"via\" in fluxul Twitter; anterior, \"WP to Twitter.\" Numele aplicatiei nu poate include cuvantul \"Twitter.\" Iti sugeram sa utilizati numele site-ului dvs."
650
-
651
- #: wp-to-twitter-oauth.php:115
652
- msgid "Your Application Description can be whatever you want."
653
- msgstr "Descrierea aplicatiei poate fi oricare"
654
-
655
- #: wp-to-twitter-oauth.php:116
656
- msgid "Application Type should be set on "
657
- msgstr "Tipul aplicatiei trebuie setat la"
658
-
659
- #: wp-to-twitter-oauth.php:116
660
- msgid "Browser"
661
- msgstr "Browser"
662
-
663
- #: wp-to-twitter-oauth.php:117
664
- msgid "The Callback URL should be "
665
- msgstr "URL-ul pentru raspuns ar trebui sa fie"
666
-
667
- #: wp-to-twitter-oauth.php:118
668
- msgid "Default Access type must be set to "
669
- msgstr "Tipul de acces implicit trebuie sa fie setat la"
670
-
671
- #: wp-to-twitter-oauth.php:118
672
- msgid "Read &amp; Write"
673
- msgstr "Citire &amp; Scriere"
674
-
675
- #: wp-to-twitter-oauth.php:118
676
- msgid "(this is NOT the default)"
677
- msgstr "(acesta nu este implicit)"
678
-
679
- #: wp-to-twitter-oauth.php:120
680
- msgid "Once you have registered your site as an application, you will be provided with a consumer key and a consumer secret."
681
- msgstr "Odata inregistrat site-ul ca aplicatie, vei primi o cheie de utilizare si o cheie secreta."
682
-
683
- #: wp-to-twitter-oauth.php:121
684
- msgid "2. Copy and paste your consumer key and consumer secret into the fields below"
685
- msgstr "2. Copiaza si lipeste cheie de utlilizator si cheia secreta in campurile de mai jos"
686
-
687
- #: wp-to-twitter-oauth.php:124
688
- msgid "Twitter Consumer Key"
689
- msgstr "Cheie utilizator Twitter"
690
-
691
- #: wp-to-twitter-oauth.php:128
692
- msgid "Twitter Consumer Secret"
693
- msgstr "Secret utilizator Twitter"
694
-
695
- #: wp-to-twitter-oauth.php:131
696
- msgid "3. Copy and paste your Access Token and Access Token Secret into the fields below"
697
- msgstr "3. Copiaza si lipeste codul de acces si codul de acces secret in campurile de mai jos"
698
-
699
- #: wp-to-twitter-oauth.php:132
700
- msgid "On the right hand side of your new application page at Twitter, click on 'My Access Token'."
701
- msgstr "In bara lateral dreapta din pagina aplicatiei Twitter, apasa pe My access Token."
702
-
703
- #: wp-to-twitter-oauth.php:134
704
- msgid "Access Token"
705
- msgstr "Cod de acces"
706
-
707
- #: wp-to-twitter-oauth.php:138
708
- msgid "Access Token Secret"
709
- msgstr "Cod de acces secret"
710
-
711
- #: wp-to-twitter-oauth.php:153
712
- msgid "Disconnect from Twitter"
713
- msgstr "Deconecteaza de la Twitter"
714
-
715
- #: wp-to-twitter-oauth.php:160
716
- msgid "Twitter Username "
717
- msgstr "Username Twitter"
718
-
719
- #: wp-to-twitter-oauth.php:161
720
- msgid "Consumer Key "
721
- msgstr "Cheie utilizator"
722
-
723
- #: wp-to-twitter-oauth.php:162
724
- msgid "Consumer Secret "
725
- msgstr "Secret utilizator"
726
-
727
- #: wp-to-twitter-oauth.php:163
728
- msgid "Access Token "
729
- msgstr "Cod de acces"
730
-
731
- #: wp-to-twitter-oauth.php:164
732
- msgid "Access Token Secret "
733
- msgstr "Cod de acces secret"
734
-
735
- #: wp-to-twitter-oauth.php:167
736
- msgid "Disconnect Your WordPress and Twitter Account"
737
- msgstr "Deconecteaza conturile Wordpress si Twitter"
738
-
739
- #: wp-to-twitter.php:53
740
- #, php-format
741
- 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."
742
- msgstr "Twiter solicita autentificarea prin OAuth. Va trebui sa-ti actualizezi <a href=\"%s\">setarile</a> pentru a continua sa utilizezi WP to Twitter."
743
-
744
- #: wp-to-twitter.php:147
745
- msgid "200 OK: Success!"
746
- msgstr "200 OK: Succes!"
747
-
748
- #: wp-to-twitter.php:150
749
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
750
- msgstr "400 Bad request: Cererea a fost invalida. Acest mesaj de eroare este returnat in timpul limitarii ratei."
751
-
752
- #: wp-to-twitter.php:153
753
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
754
- msgstr "401 Unauthorized: Datele de autentificare lipsesc sau sunt incorecte."
755
-
756
- #: wp-to-twitter.php:156
757
- msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are being denied due to status update character limits."
758
- msgstr "403 Forbidden: Cererea este inteleasa insa este refuzata. Acest cod este folosit atunci cand cererile sunt refuzate din cauza actualizarii starii limitelor de caractere."
759
-
760
- #: wp-to-twitter.php:158
761
- msgid "500 Internal Server Error: Something is broken at Twitter."
762
- msgstr "500 Internal Server Error: Ceva este in neregula la Twitter."
763
-
764
- #: wp-to-twitter.php:161
765
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests Please try again later."
766
- msgstr "503 Service Unavailable: Serverele Twitter sunt accesibile insa sunt supraincarcate cu cereri. Te rog sa incerci mai tarziu."
767
-
768
- #: wp-to-twitter.php:164
769
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
770
- msgstr "502 Bad Gateway: Twitter este cazut sau este in curs de actualizare."
771
-
772
- #. #-#-#-#-# plugin.pot (WP to Twitter 2.2.4) #-#-#-#-#
773
- #. Plugin Name of the plugin/theme
774
- #: wp-to-twitter.php:746
775
- msgid "WP to Twitter"
776
- msgstr "WP to Twitter"
777
-
778
- #: wp-to-twitter.php:822
779
- msgid "Don't Tweet this post."
780
- msgstr "Nu trimite acest articol la Twitter"
781
-
782
- #: wp-to-twitter.php:832
783
- msgid "This URL is direct and has not been shortened: "
784
- msgstr "Acesta este un URL direct, nu a fost scurtat:"
785
-
786
- #: wp-to-twitter.php:888
787
- msgid "WP to Twitter User Settings"
788
- msgstr "Setari utilizatori pentru WP to Twitter"
789
-
790
- #: wp-to-twitter.php:892
791
- msgid "Use My Twitter Username"
792
- msgstr "Foloseste username-ul meu Twitter"
793
-
794
- #: wp-to-twitter.php:893
795
- msgid "Tweet my posts with an @ reference to my username."
796
- msgstr "Trimite articolele cu un @ in username."
797
-
798
- #: wp-to-twitter.php:894
799
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
800
- msgstr "Trimite articolele cu un @ atat in fata username-ului cat si in fata username-ului site-ului principal."
801
-
802
- #: wp-to-twitter.php:899
803
- msgid "Enter your own Twitter username."
804
- msgstr "Introdu username-ul Twitter personal."
805
-
806
- #: wp-to-twitter.php:935
807
- msgid "Check the categories you want to tweet:"
808
- msgstr "Bifeaza categoriile pe care vrei sa le trimiti la Twitter:"
809
-
810
- #: wp-to-twitter.php:952
811
- msgid "Set Categories"
812
- msgstr "Seteaza categoriile"
813
-
814
- #: wp-to-twitter.php:1026
815
- msgid "<p>Couldn't locate the settings page.</p>"
816
- msgstr "<p>Nu am putut localiza pagina de setari.</p>"
817
-
818
- #: wp-to-twitter.php:1031
819
- msgid "Settings"
820
- msgstr "Setari"
821
-
822
- #. Plugin URI of the plugin/theme
823
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
824
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
825
-
826
- #. Description of the plugin/theme
827
- 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."
828
- msgstr "Actualizeaza Twitter atunci cand creezi un articol nou sau adaugi legaturi noi folosind Cli.gs. Cu o cheie API Cli.gs, creeaza un Clig in contul tau Cli.gs cu numele articolului ca titlu."
829
-
830
- #. Author of the plugin/theme
831
- msgid "Joseph Dolson"
832
- msgstr "Joseph Dolson"
833
-
834
- #. Author URI of the plugin/theme
835
- msgid "http://www.joedolson.com/"
836
- msgstr "http://www.joedolson.com/"
837
-
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-ru_RU.po DELETED
@@ -1,1795 +0,0 @@
1
- # Translation of WP to Twitter in Russian
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: http://wordpress.org/tag/wp-to-twitter\n"
7
- "POT-Creation-Date: 2014-01-06 23:23:26+00:00\n"
8
- "PO-Revision-Date: 2014-01-07 06:11+0400\n"
9
- "Last-Translator: Elvis TEAM <elviswebteam@gmail.com>\n"
10
- "Language-Team: Elvis WT <elviswebteam@gmail.com>\n"
11
- "Language: ru\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=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n"
16
- "%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"
17
- "X-Generator: Poedit 1.6.3\n"
18
-
19
- #: wp-to-twitter-manager.php:41
20
- msgid "No error information is available for your shortener."
21
- msgstr "Информация об ошибках недоступна в данном сервисе сокращения ссылок."
22
-
23
- #: wp-to-twitter-manager.php:43
24
- msgid ""
25
- "<li class=\"error\"><strong>WP to Twitter was unable to contact your "
26
- "selected URL shortening service.</strong></li>"
27
- msgstr ""
28
- "<li class=\"error\"><strong>Плагин WP to Twitter не смог получить доступ к "
29
- "выбранному сервису сокращения ссылок.</strong></li>"
30
-
31
- #: wp-to-twitter-manager.php:46
32
- msgid ""
33
- "<li><strong>WP to Twitter successfully contacted your selected URL "
34
- "shortening service.</strong> The following link should point to your blog "
35
- "homepage:"
36
- msgstr ""
37
- "<li><strong>Плагин WP to Twitter успешно получил доступ к выбранному сервису "
38
- "сокращения ссылок.</strong> Следующая ссылка должны вести на главную блога:"
39
-
40
- #: wp-to-twitter-manager.php:54
41
- msgid ""
42
- "<li><strong>WP to Twitter successfully submitted a status update to Twitter."
43
- "</strong></li>"
44
- msgstr ""
45
- "<li><strong>Плагин WP to Twitter успешно смог отправить обновление в Twitter."
46
- "</strong></li>"
47
-
48
- #: wp-to-twitter-manager.php:57
49
- msgid ""
50
- "<li class=\"error\"><strong>WP to Twitter failed to submit an update to "
51
- "Twitter.</strong></li>"
52
- msgstr ""
53
- "<li class=\"error\"><strong>Плагин WP to Twitter не смог отправить "
54
- "обновление в Twitter.</strong></li>"
55
-
56
- #: wp-to-twitter-manager.php:61
57
- msgid "You have not connected WordPress to Twitter."
58
- msgstr "Вы не соединили WordPress с Twitter."
59
-
60
- #: wp-to-twitter-manager.php:65
61
- msgid ""
62
- "<li class=\"error\"><strong>Your server does not appear to support the "
63
- "required methods for WP to Twitter to function.</strong> You can try it "
64
- "anyway - these tests aren't perfect.</li>"
65
- msgstr ""
66
- "<li class=\"error\"><strong>Похоже что Ваш сервер/хостинг не поддерживает "
67
- "требуемые для работы WP to Twitter функции.</strong> Но Вы все равно можете "
68
- "попробовать - все может получиться :)</li>"
69
-
70
- #: wp-to-twitter-manager.php:69
71
- msgid ""
72
- "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
73
- msgstr ""
74
- "<li><strong>Плагин WP to Twitter совместим с Вашим сервером/хостингом.</"
75
- "strong></li>"
76
-
77
- #: wp-to-twitter-manager.php:88
78
- msgid "WP to Twitter Errors Cleared"
79
- msgstr "Ошибки WP to Twitter удалены"
80
-
81
- #: wp-to-twitter-manager.php:170
82
- msgid "WP to Twitter is now connected with Twitter."
83
- msgstr "Плагин WP to Twitter успешно соединен с Twitter."
84
-
85
- #: wp-to-twitter-manager.php:177
86
- msgid ""
87
- "WP to Twitter failed to connect with Twitter. Try <a href=\"#wpt_http"
88
- "\">switching to an HTTP connection</a>."
89
- msgstr ""
90
- "Плагин WP to Twitter не смог соединиться с Twitter. Попробуйте использовать "
91
- "<a href=\"#wpt_http\">HTTP соединение</a>."
92
-
93
- #: wp-to-twitter-manager.php:178
94
- msgid "Error:"
95
- msgstr "Ошибка:"
96
-
97
- #: wp-to-twitter-manager.php:185
98
- msgid "OAuth Authentication Data Cleared."
99
- msgstr "Данные авторизации OAuth удалены."
100
-
101
- #: wp-to-twitter-manager.php:192
102
- msgid ""
103
- "OAuth Authentication Failed. Your server time is not in sync with the "
104
- "Twitter servers. Talk to your hosting service to see what can be done."
105
- msgstr ""
106
- "Авторизация OAuth не удалась. Время сервера не синхронизировано с сервером "
107
- "Twitter. Обратитесь в поддержку Вашего хостинг-провайдера."
108
-
109
- #: wp-to-twitter-manager.php:199
110
- msgid "OAuth Authentication response not understood."
111
- msgstr "Непонятный ответ авторизации OAuth."
112
-
113
- #: wp-to-twitter-manager.php:374
114
- msgid "WP to Twitter Advanced Options Updated"
115
- msgstr "Дополнительные настройки плагина обновлены"
116
-
117
- #: wp-to-twitter-manager.php:393
118
- msgid "WP to Twitter Options Updated"
119
- msgstr "Параметры WP to Twitter обновлены"
120
-
121
- #: wp-to-twitter-manager.php:414
122
- msgid ""
123
- "<p>One or more of your last posts has failed to send a status update to "
124
- "Twitter. The Tweet has been saved, and you can re-Tweet it at your leisure.</"
125
- "p>"
126
- msgstr ""
127
- "<p>Несколько последних записей не было отправлено в Twitter. Эти твиты "
128
- "сохранен, так что Вы можете вручную попробовать отправить их снова.</p>"
129
-
130
- #: wp-to-twitter-manager.php:420
131
- msgid ""
132
- "Sorry! I couldn't get in touch with the Twitter servers to post your "
133
- "<strong>new link</strong>! You'll have to post it manually, I'm afraid. "
134
- msgstr ""
135
- "Извините! Я не могу соединиться с серверами Twitter для отправки Вашей "
136
- "<strong>новой ссылки</strong>! Я боюсь, Вам придется разместить ее вручную."
137
-
138
- #: wp-to-twitter-manager.php:423
139
- msgid ""
140
- "<p>The query to the URL shortener API failed, and your URL was not shrunk. "
141
- "The full post URL was attached to your Tweet. Check with your URL shortening "
142
- "provider to see if there are any known issues.</p>"
143
- msgstr ""
144
- "<p>Запрос к сервису сокращения ссылок закончился неудачно, ссылка не была "
145
- "обработана. К твиту прикреплена полная ссылка. Проверьте настройки сервиса "
146
- "сокращения ссылок.</p>"
147
-
148
- #: wp-to-twitter-manager.php:429
149
- msgid "Clear 'WP to Twitter' Error Messages"
150
- msgstr "Удалить сообщения об ошибках 'WP to Twitter' "
151
-
152
- #: wp-to-twitter-manager.php:435
153
- msgid "WP to Twitter Options"
154
- msgstr "Параметры WP to Twitter"
155
-
156
- #: wp-to-twitter-manager.php:457
157
- msgid "Status Update Templates"
158
- msgstr "Внешний вид твитов"
159
-
160
- #: wp-to-twitter-manager.php:462 wp-to-twitter-manager.php:545
161
- msgid "Save WP to Twitter Options"
162
- msgstr "Сохранить настройки плагина"
163
-
164
- #: wp-to-twitter-manager.php:477 wp-to-twitter-manager.php:533
165
- msgid "Links"
166
- msgstr "Ссылки"
167
-
168
- #: wp-to-twitter-manager.php:497
169
- msgid ""
170
- "These categories are currently <strong>excluded</strong> by the deprecated "
171
- "WP to Twitter category filters."
172
- msgstr ""
173
- "В данный момент эти рубрики <strong>не допустимы</strong> списком фильтров "
174
- "рубрик WP to Twitter."
175
-
176
- #: wp-to-twitter-manager.php:499
177
- msgid ""
178
- "These categories are currently <strong>allowed</strong> by the deprecated WP "
179
- "to Twitter category filters."
180
- msgstr ""
181
- "В данный момент эти рубрики <strong>допустимы</strong> списком фильтров "
182
- "рубрик WP to Twitter."
183
-
184
- #: wp-to-twitter-manager.php:508
185
- msgid ""
186
- "<a href=\"%s\">Upgrade to WP Tweets PRO</a> to filter posts in all custom "
187
- "post types on any taxonomy."
188
- msgstr ""
189
- "<a href=\"%s\">Обновитесь до ПРО версии</a> чтобы отфильтровать записи по "
190
- "произвольным типам или таксономиям."
191
-
192
- #: wp-to-twitter-manager.php:510
193
- msgid ""
194
- "Updating the WP Tweets PRO taxonomy filters will overwrite your old category "
195
- "filters."
196
- msgstr ""
197
- "Обновление фильтров таксономий (в ПРО версии) перезапишет старые фильтры."
198
-
199
- #: wp-to-twitter-manager.php:518
200
- msgid "Update when %1$s %2$s is published"
201
- msgstr "Твитнуть, когда %1$s %2$s опубликована"
202
-
203
- #: wp-to-twitter-manager.php:518
204
- msgid "Template for new %1$s updates"
205
- msgstr "Вид твита при публикации новой %1$s"
206
-
207
- #: wp-to-twitter-manager.php:522
208
- msgid "Update when %1$s %2$s is edited"
209
- msgstr "Твитнуть, когда %1$s %2$s отредактирована"
210
-
211
- #: wp-to-twitter-manager.php:522
212
- msgid "Template for %1$s editing updates"
213
- msgstr "Вид твита при изменении (редактировании) %1$s"
214
-
215
- #: wp-to-twitter-manager.php:536
216
- msgid "Update Twitter when you post a Blogroll link"
217
- msgstr "Обновить Twitter при добавлении ссылки в блогролл"
218
-
219
- #: wp-to-twitter-manager.php:537
220
- msgid "Text for new link updates:"
221
- msgstr "Шаблон твита при новой ссылке:"
222
-
223
- #: wp-to-twitter-manager.php:537
224
- msgid ""
225
- "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and "
226
- "<code>#description#</code>."
227
- msgstr ""
228
- "Доступные шоткоды: <code>#url#</code>, <code>#title#</code>, и "
229
- "<code>#description#</code>."
230
-
231
- #: wp-to-twitter-manager.php:557
232
- msgid "Advanced Settings"
233
- msgstr "Дополнительные настройки"
234
-
235
- #: wp-to-twitter-manager.php:562 wp-to-twitter-manager.php:726
236
- msgid "Save Advanced WP to Twitter Options"
237
- msgstr "Сохранить доп. настройки плагина"
238
-
239
- #: wp-to-twitter-manager.php:565
240
- msgid "Tags"
241
- msgstr "Настройки меток"
242
-
243
- #: wp-to-twitter-manager.php:567
244
- msgid "Strip nonalphanumeric characters from tags"
245
- msgstr "Вычищать не буквенно-цифровые символы из меток"
246
-
247
- #: wp-to-twitter-manager.php:570
248
- msgid "Use tag slug as hashtag value"
249
- msgstr "Использовать ярлык меток как хештег"
250
-
251
- #: wp-to-twitter-manager.php:573
252
- msgid "Spaces in tags replaced with:"
253
- msgstr "Заменять пробелы в метках на:"
254
-
255
- #: wp-to-twitter-manager.php:576
256
- msgid "Maximum number of tags to include:"
257
- msgstr "Максимальное количество тэгов:"
258
-
259
- #: wp-to-twitter-manager.php:577
260
- msgid "Maximum length in characters for included tags:"
261
- msgstr "Максимальная длина тегов (в символах):"
262
-
263
- #: wp-to-twitter-manager.php:581
264
- msgid "Template Tag Settings"
265
- msgstr "Настройки внешнего вида"
266
-
267
- #: wp-to-twitter-manager.php:583
268
- msgid "Length of post excerpt (in characters):"
269
- msgstr "Длина выдержки записи (в символах):"
270
-
271
- #: wp-to-twitter-manager.php:583
272
- msgid ""
273
- "Extracted from the post. If you use the 'Excerpt' field, it will be used "
274
- "instead."
275
- msgstr ""
276
- "Выдержка. Если Вы используете поле 'Цитата', то будет использоваться текст "
277
- "оттуда."
278
-
279
- #: wp-to-twitter-manager.php:586
280
- msgid "WP to Twitter Date Formatting:"
281
- msgstr "Формат даты WP to Twitter:"
282
-
283
- #: wp-to-twitter-manager.php:586
284
- msgid ""
285
- "Default is from your general settings. <a href='http://codex.wordpress.org/"
286
- "Formatting_Date_and_Time'>Date Formatting Documentation</a>."
287
- msgstr ""
288
- "По умолчанию, значение будет взято из общих настроек. <a href='http://codex."
289
- "wordpress.org/Formatting_Date_and_Time'>Форматирование даты и времени</a>."
290
-
291
- #: wp-to-twitter-manager.php:590
292
- msgid "Custom text before all Tweets:"
293
- msgstr "Произвольный текст перед всеми твитами:"
294
-
295
- #: wp-to-twitter-manager.php:593
296
- msgid "Custom text after all Tweets:"
297
- msgstr "Произвольный текст после всех твитов:"
298
-
299
- #: wp-to-twitter-manager.php:596
300
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
301
- msgstr ""
302
- "Произвольное поле альтернативной сокращенной и отправленной в Twitter ссылки:"
303
-
304
- #: wp-to-twitter-manager.php:626
305
- msgid "Template tag priority order"
306
- msgstr "Настройки приоритета вывода тегов"
307
-
308
- #: wp-to-twitter-manager.php:627
309
- msgid ""
310
- "The order in which items will be abbreviated or removed from your Tweet if "
311
- "the Tweet is too long to send to Twitter."
312
- msgstr ""
313
- "Порядок, в котором будут сокращены или удалены из твитов те или иные "
314
- "объекты, если длина твита превышает допустимую."
315
-
316
- #: wp-to-twitter-manager.php:633
317
- msgid "Special Cases when WordPress should send a Tweet"
318
- msgstr "Особые случаи, когда WordPress нужно отправить твит"
319
-
320
- #: wp-to-twitter-manager.php:636
321
- msgid "Do not post Tweets by default"
322
- msgstr "Не размещать твиты по умолчанию"
323
-
324
- #: wp-to-twitter-manager.php:638
325
- msgid "Do not post Tweets by default (editing only)"
326
- msgstr "Не размещать твиты по умолчанию (только редактирование)"
327
-
328
- #: wp-to-twitter-manager.php:640
329
- msgid "Allow status updates from Quick Edit"
330
- msgstr "Разрешить обновления через быстрое редактирование"
331
-
332
- #: wp-to-twitter-manager.php:644
333
- msgid "Google Analytics Settings"
334
- msgstr "Настройки Google Analytics "
335
-
336
- #: wp-to-twitter-manager.php:645
337
- msgid ""
338
- "You can track the response from Twitter using Google Analytics by defining a "
339
- "campaign identifier here. You can either define a static identifier or a "
340
- "dynamic identifier. Static identifiers don't change from post to post; "
341
- "dynamic identifiers are derived from information relevant to the specific "
342
- "post. Dynamic identifiers will allow you to break down your statistics by an "
343
- "additional variable."
344
- msgstr ""
345
- "Вы можете следить за статистикой Twitter, используя сервис Google. Чтобы "
346
- "включить отслеживание, используйте любой из типов идентификатора ниже (можно "
347
- "использовать статический или динамический). Статические идентификаторы не "
348
- "меняются от записи к записи, в то время как динамические меняются в "
349
- "зависимости от информации в текущей записи. Динамические идентификаторы "
350
- "позволят разбить статистику на дополнительные переменные."
351
-
352
- #: wp-to-twitter-manager.php:648
353
- msgid "Use a Static Identifier with WP-to-Twitter"
354
- msgstr "Использовать статический идентификатор WP-to-Twitter"
355
-
356
- #: wp-to-twitter-manager.php:649
357
- msgid "Static Campaign identifier for Google Analytics:"
358
- msgstr "Статический идентификатор компании для Google Analytics:"
359
-
360
- #: wp-to-twitter-manager.php:653
361
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
362
- msgstr ""
363
- "Использовать динамический идентификатор с Google Analytics и WP-to-Twitter"
364
-
365
- #: wp-to-twitter-manager.php:654
366
- msgid "What dynamic identifier would you like to use?"
367
- msgstr "Какой динамический идентификатор использовать?"
368
-
369
- #: wp-to-twitter-manager.php:656
370
- msgid "Category"
371
- msgstr "Рубрика"
372
-
373
- #: wp-to-twitter-manager.php:657
374
- msgid "Post ID"
375
- msgstr "ID записи"
376
-
377
- #: wp-to-twitter-manager.php:658
378
- msgid "Post Title"
379
- msgstr "Заголовок"
380
-
381
- #: wp-to-twitter-manager.php:659
382
- msgid "Author"
383
- msgstr "Автор"
384
-
385
- #: wp-to-twitter-manager.php:663
386
- msgid "No Analytics"
387
- msgstr "Не вести отслаживание"
388
-
389
- #: wp-to-twitter-manager.php:667
390
- msgid "Author Settings"
391
- msgstr "Настройки для авторов"
392
-
393
- #: wp-to-twitter-manager.php:670
394
- msgid "Authors have individual Twitter accounts"
395
- msgstr "Расширенный режим аккаунтов Twitter для авторов"
396
-
397
- #: wp-to-twitter-manager.php:672
398
- msgid ""
399
- "Authors can add their username in their user profile. With the free edition "
400
- "of WP to Twitter, it adds an @reference to the author. The @reference is "
401
- "placed using the <code>#account#</code> shortcode, which will pick up the "
402
- "main account if the user account isn't configured."
403
- msgstr ""
404
- "Авторы могут добавлять свои профили Twitter в профиль WP. В бесплатной "
405
- "версии включение опции добавит @ссылку на автора. @ссылка размещается с "
406
- "помощью шоткода <code>#account#</code>. Если пользователь не укажет логин, "
407
- "будет показано имя основного аккаунта (из настроек плагина)."
408
-
409
- #: wp-to-twitter-manager.php:676
410
- msgid "Permissions"
411
- msgstr "Права доступа"
412
-
413
- #: wp-to-twitter-manager.php:692
414
- msgid "The lowest user group that can add their Twitter information"
415
- msgstr ""
416
- "Группа пользователей (и все группы выше по уровню доступа), которые могут "
417
- "добавлять информацию Twitter"
418
-
419
- #: wp-to-twitter-manager.php:697
420
- msgid ""
421
- "The lowest user group that can see the Custom Tweet options when posting"
422
- msgstr ""
423
- "Группа пользователей (и все группы выше по уровню доступа), которые могут "
424
- "использовать произвольные настройки твитов"
425
-
426
- #: wp-to-twitter-manager.php:702
427
- msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
428
- msgstr ""
429
- "Группа пользователей (и все группы выше по уровню доступа), которые могут "
430
- "менять настройки отправки твитов (отправлять/не отправлять запись в Twitter)"
431
-
432
- #: wp-to-twitter-manager.php:707
433
- msgid "The lowest user group that can send Twitter updates"
434
- msgstr ""
435
- "Группа пользователей (и все группы выше по уровню доступа), которые могут "
436
- "отправлять обновления Twitter"
437
-
438
- #: wp-to-twitter-manager.php:711
439
- msgid "Error Messages and Debugging"
440
- msgstr "Сообщения об ошибках и отладка"
441
-
442
- #: wp-to-twitter-manager.php:713
443
- msgid "Disable global URL shortener error messages."
444
- msgstr "Отключить отображение ошибок сервисов сокращения ссылок."
445
-
446
- #: wp-to-twitter-manager.php:714
447
- msgid "Disable global Twitter API error messages."
448
- msgstr "Отключить отображение ошибок API Twitter."
449
-
450
- #: wp-to-twitter-manager.php:716
451
- msgid "Get Debugging Data for OAuth Connection"
452
- msgstr "Собирать отладочную информацию для соединения OAuth"
453
-
454
- #: wp-to-twitter-manager.php:718
455
- msgid "Switch to <code>http</code> connection. (Default is https)"
456
- msgstr "Переключитесь на <code>http</code> соединение. (по умолчанию https)"
457
-
458
- #: wp-to-twitter-manager.php:720
459
- msgid "I made a donation, so stop whinging at me, please."
460
- msgstr "Я сделал пожертвование, не показывать больше уведомления."
461
-
462
- #: wp-to-twitter-manager.php:735
463
- msgid "Get Plug-in Support"
464
- msgstr "Получить тех. поддержку"
465
-
466
- #: wp-to-twitter-manager.php:746
467
- msgid "Check Support"
468
- msgstr "Тест на совместимость"
469
-
470
- #: wp-to-twitter-manager.php:746
471
- msgid ""
472
- "Check whether your server supports <a href=\"http://www.joedolson.com/"
473
- "articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL "
474
- "shortening APIs. This test will send a status update to Twitter and shorten "
475
- "a URL using your selected methods."
476
- msgstr ""
477
- "Проверьте, совместим ли Ваш сервер/хостинг с <a href=\"http://www.joedolson."
478
- "com/articles/wp-to-twitter/\">WP to Twitter</a>, может ли плагин номрально "
479
- "соединиться с Twitter и доступно ли API сервисов сокращения ссылок. Во время "
480
- "теста будет отправлено обновление на Twitter и получена сокращенная ссылка "
481
- "(используя выбранный метод)."
482
-
483
- #: wp-to-twitter-manager.php:765
484
- msgid "Support WP to Twitter"
485
- msgstr "Поддержите плагин"
486
-
487
- #: wp-to-twitter-manager.php:767
488
- msgid "WP to Twitter Support"
489
- msgstr "Поддержка плагина"
490
-
491
- #: wp-to-twitter-manager.php:775 wp-to-twitter.php:1143 wp-to-twitter.php:1145
492
- msgid "Get Support"
493
- msgstr "Поддержка"
494
-
495
- #: wp-to-twitter-manager.php:777
496
- msgid ""
497
- "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</"
498
- "a><br />Every donation matters - donate $5, $20, or $100 today!"
499
- msgstr ""
500
- "<a href=\"http://www.joedolson.com/donate.php\">Поддержите разработчика!</"
501
- "a><br />Каждая \"копейка\" поможет развивать плагин и дальше!"
502
-
503
- #: wp-to-twitter-manager.php:797
504
- msgid "Upgrade Now!"
505
- msgstr "Обновить!"
506
-
507
- #: wp-to-twitter-manager.php:799
508
- msgid "Upgrade to <strong>WP Tweets PRO</strong>!"
509
- msgstr "Обновитесь до <strong>ПРО версии плагина</strong>!"
510
-
511
- #: wp-to-twitter-manager.php:800
512
- msgid "Bonuses in the PRO upgrade:"
513
- msgstr "Преимущества ПРО версии:"
514
-
515
- #: wp-to-twitter-manager.php:802
516
- msgid "Authors can post to their own Twitter accounts"
517
- msgstr "Авторы могут размещать твиты в своих аккаунтах"
518
-
519
- #: wp-to-twitter-manager.php:803
520
- msgid "Delay Tweets minutes or hours after you publish"
521
- msgstr "Отложить отправку твита на минуты или часы (после публикации)"
522
-
523
- #: wp-to-twitter-manager.php:804
524
- msgid "Automatically schedule Tweets to post again later"
525
- msgstr "Автоматическое расписание передачи твитов в записи"
526
-
527
- #: wp-to-twitter-manager.php:805
528
- msgid "Send Tweets for approved comments"
529
- msgstr "Шаблон твита при одобренных ответах"
530
-
531
- #: wp-to-twitter-manager.php:806
532
- msgid "Filter Tweets by category, tag, or custom taxonomy"
533
- msgstr "Фильтровать твиты по рубрике, метки или произвольной таксономии"
534
-
535
- #: wp-to-twitter-manager.php:821
536
- msgid "Shortcodes"
537
- msgstr "Шоткоды"
538
-
539
- #: wp-to-twitter-manager.php:823
540
- msgid "Available in post update templates:"
541
- msgstr "Поддерживаемые коды в шаблоне:"
542
-
543
- #: wp-to-twitter-manager.php:825
544
- msgid "<code>#title#</code>: the title of your blog post"
545
- msgstr "<code>#title#</code>: заголовок записи"
546
-
547
- #: wp-to-twitter-manager.php:826
548
- msgid "<code>#blog#</code>: the title of your blog"
549
- msgstr "<code>#blog#</code>: заголовок блога"
550
-
551
- #: wp-to-twitter-manager.php:827
552
- msgid "<code>#post#</code>: a short excerpt of the post content"
553
- msgstr "<code>#post#</code>: краткая выдержка из текста записи"
554
-
555
- #: wp-to-twitter-manager.php:828
556
- msgid "<code>#category#</code>: the first selected category for the post"
557
- msgstr "<code>#category#</code>: первая выбранная рубрика записи"
558
-
559
- #: wp-to-twitter-manager.php:829
560
- msgid ""
561
- "<code>#cat_desc#</code>: custom value from the category description field"
562
- msgstr ""
563
- "<code>#cat_desc#</code>: произвольное значение из поля описания рубрики"
564
-
565
- #: wp-to-twitter-manager.php:830
566
- msgid "<code>#date#</code>: the post date"
567
- msgstr "<code>#date#</code>: дата записи"
568
-
569
- #: wp-to-twitter-manager.php:831
570
- msgid "<code>#modified#</code>: the post modified date"
571
- msgstr "<code>#modified#</code>: дата изменения записи"
572
-
573
- #: wp-to-twitter-manager.php:832
574
- msgid "<code>#url#</code>: the post URL"
575
- msgstr "<code>#url#</code>: ссылка на запись"
576
-
577
- #: wp-to-twitter-manager.php:833
578
- msgid ""
579
- "<code>#author#</code>: the post author (@reference if available, otherwise "
580
- "display name)"
581
- msgstr ""
582
- "<code>#author#</code>: автор записи (возможна @ссылка, если нет - выводится "
583
- "имя автора)"
584
-
585
- #: wp-to-twitter-manager.php:834
586
- msgid "<code>#displayname#</code>: post author's display name"
587
- msgstr "<code>#displayname#</code>: имя автора записи"
588
-
589
- #: wp-to-twitter-manager.php:835
590
- msgid ""
591
- "<code>#account#</code>: the twitter @reference for the account (or the "
592
- "author, if author settings are enabled and set.)"
593
- msgstr ""
594
- "<code>#account#</code>: @ссылка на аккаунт (или автора, если расширенный "
595
- "режим включен и настроен)"
596
-
597
- #: wp-to-twitter-manager.php:836
598
- msgid ""
599
- "<code>#@#</code>: the twitter @reference for the author or blank, if not set"
600
- msgstr ""
601
- "<code>#@#</code>: @ссылка на аккаунт автора или пустое поле, если не "
602
- "настроено"
603
-
604
- #: wp-to-twitter-manager.php:837
605
- msgid ""
606
- "<code>#tags#</code>: your tags modified into hashtags. See options in the "
607
- "Advanced Settings section, below."
608
- msgstr ""
609
- "<code>#tags#</code>: метки записи будут переведены в хештеги (другие "
610
- "настройки ищите в ниже)"
611
-
612
- #: wp-to-twitter-manager.php:839
613
- msgid ""
614
- "<code>#reference#</code>: Used only in co-tweeting. @reference to main "
615
- "account when posted to author account, @reference to author account in post "
616
- "to main account."
617
- msgstr ""
618
- "<code>#reference#</code>: использовать при со-твитинге. @ссылка на основной "
619
- "аккаунт, когда размещается запись на аккаунт автора, @ссылка на аккаунт "
620
- "автора в записи на главный аккаунт."
621
-
622
- #: wp-to-twitter-manager.php:842
623
- msgid ""
624
- "You can also create custom shortcodes to access WordPress custom fields. Use "
625
- "doubled square brackets surrounding the name of your custom field to add the "
626
- "value of that custom field to your status update. Example: "
627
- "<code>[[custom_field]]</code></p>"
628
- msgstr ""
629
- "Вы также можете создать произвольные шоткоды, чтобы работать с произвольными "
630
- "полями WordPress. Используйте двойные квадратные скобки вокруг имени тега "
631
- "(произвольного поля), чтобы добавить его. Пример: <code>[[custom_field]]</"
632
- "code></p>"
633
-
634
- #: wp-to-twitter-oauth.php:115
635
- msgid "WP to Twitter was unable to establish a connection to Twitter."
636
- msgstr "WP to Twitter не смог поддерживать соединение с Twitter."
637
-
638
- #: wp-to-twitter-oauth.php:186
639
- msgid ""
640
- "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> "
641
- "queries</a>."
642
- msgstr ""
643
- "Проблемы при подключении? Попробуйте <a href='#wpt_http'>переключиться на "
644
- "<code>http</code> запросы</a>."
645
-
646
- #: wp-to-twitter-oauth.php:187
647
- msgid "There was an error querying Twitter's servers"
648
- msgstr "Ошибка при обращении к серверам Twitter"
649
-
650
- #: wp-to-twitter-oauth.php:202
651
- msgid ""
652
- "Twitter requires authentication by OAuth. You will need to <a "
653
- "href='%s'>update your settings</a> to complete installation of WP to Twitter."
654
- msgstr ""
655
- "Для соединения с Twitter требуется авторизация OAuth. Чтобы продолжить, <a "
656
- "href='%s'>обновите настройки</a> и завершите установку WP to Twitter."
657
-
658
- #: wp-to-twitter-oauth.php:211 wp-to-twitter-oauth.php:214
659
- msgid "Connect to Twitter"
660
- msgstr "Подключиться к Twitter"
661
-
662
- #: wp-to-twitter-oauth.php:217
663
- msgid "WP to Twitter Set-up"
664
- msgstr "Настройка плагина"
665
-
666
- #: wp-to-twitter-oauth.php:218 wp-to-twitter-oauth.php:310
667
- #: wp-to-twitter-oauth.php:315
668
- msgid "Your server time:"
669
- msgstr "Время сервера:"
670
-
671
- #: wp-to-twitter-oauth.php:218
672
- msgid "Twitter's time:"
673
- msgstr "Время Twitter:"
674
-
675
- #: wp-to-twitter-oauth.php:218
676
- msgid ""
677
- "If these timestamps are not within 5 minutes of each other, your server will "
678
- "not connect to Twitter."
679
- msgstr ""
680
- "Если эти временные отметки не совпадают (разница более 5 минут), соединения "
681
- "с Twitter не будет."
682
-
683
- #: wp-to-twitter-oauth.php:220
684
- msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
685
- msgstr ""
686
- "Временная зона сервера (должна быть UTC, GMT, Europe/London или аналогичная):"
687
-
688
- #: wp-to-twitter-oauth.php:224
689
- msgid "1. Register this site as an application on "
690
- msgstr "1. Зарегистрируйте свой сайт как приложение на "
691
-
692
- #: wp-to-twitter-oauth.php:224
693
- msgid "Twitter's application registration page"
694
- msgstr "странице регистрации приложений Twitter"
695
-
696
- #: wp-to-twitter-oauth.php:226
697
- msgid ""
698
- "If you're not currently logged in to Twitter, log-in to the account you want "
699
- "associated with this site"
700
- msgstr ""
701
- "Если Вы еще не вошли в Twitter и войдите в тот аккаунт, с которым хотите "
702
- "связать этот сайт"
703
-
704
- #: wp-to-twitter-oauth.php:227
705
- msgid "Your application name cannot include the word \"Twitter.\""
706
- msgstr "В названии приложения не должно употребляться слово \"Twitter.\""
707
-
708
- #: wp-to-twitter-oauth.php:228
709
- msgid "Your Application Description can be anything."
710
- msgstr "Описание приложения может быть любым."
711
-
712
- #: wp-to-twitter-oauth.php:229
713
- msgid "The WebSite and Callback URL should be "
714
- msgstr "В поле веб-сайт и Callback URL должна быть ссылка "
715
-
716
- #: wp-to-twitter-oauth.php:231
717
- msgid "Agree to the Developer Rules of the Road and continue."
718
- msgstr "Примите все соглашения на странице и нажмите продолжить."
719
-
720
- #: wp-to-twitter-oauth.php:232
721
- msgid "2. Switch to the \"Settings\" tab in Twitter apps"
722
- msgstr "2. Перейдите на вкладку \"Settings\" (\"Настройки\") в Twitter apps"
723
-
724
- #: wp-to-twitter-oauth.php:232
725
- msgid "<em>Do NOT create your access token yet.</em>"
726
- msgstr "<em>НЕ создавайте пока что access token.</em>"
727
-
728
- #: wp-to-twitter-oauth.php:234
729
- msgid "Select \"Read and Write\" for the Application Type"
730
- msgstr "Укажите тип приложения \"Read and Write\" "
731
-
732
- #: wp-to-twitter-oauth.php:235
733
- msgid "Update the application settings"
734
- msgstr "Обновить настройки приложения"
735
-
736
- #: wp-to-twitter-oauth.php:236
737
- msgid "Return to the Details tab and create your access token."
738
- msgstr "Вернитесь обратно на вкладку \"Детали\" и создайте access token."
739
-
740
- #: wp-to-twitter-oauth.php:238
741
- msgid ""
742
- "Once you have registered your site as an application, you will be provided "
743
- "with four keys."
744
- msgstr ""
745
- "Создав приложение для своего сайта, Вы получите четыре ключа, необходимые "
746
- "для настройки плагина."
747
-
748
- #: wp-to-twitter-oauth.php:239
749
- msgid ""
750
- "3. Copy and paste your consumer key and consumer secret into the fields below"
751
- msgstr ""
752
- "3. Скопируйте и вставьте ключ consumer key и consumer secret в поля ниже"
753
-
754
- #: wp-to-twitter-oauth.php:242
755
- msgid "Twitter Consumer Key"
756
- msgstr "Twitter Consumer Key"
757
-
758
- #: wp-to-twitter-oauth.php:246
759
- msgid "Twitter Consumer Secret"
760
- msgstr "Twitter Consumer Secret"
761
-
762
- #: wp-to-twitter-oauth.php:250
763
- msgid ""
764
- "4. Copy and paste your Access Token and Access Token Secret into the fields "
765
- "below"
766
- msgstr ""
767
- "4. Скопируйте и вставьте ключ Access Token и Access Token Secret в поля ниже"
768
-
769
- #: wp-to-twitter-oauth.php:251
770
- msgid ""
771
- "If the Access level for your Access Token is not \"<em>Read and write</em>"
772
- "\", you must return to step 2 and generate a new Access Token."
773
- msgstr ""
774
- "Если доступ у приложения отличается от \"<em>Read and write</em>"
775
- "\" (\"<em>Чтение и запись</em>\"), вернитесь ко второму пункту и создайте "
776
- "новый Access Token."
777
-
778
- #: wp-to-twitter-oauth.php:254
779
- msgid "Access Token"
780
- msgstr "Access Token"
781
-
782
- #: wp-to-twitter-oauth.php:258
783
- msgid "Access Token Secret"
784
- msgstr "Access Token Secret"
785
-
786
- #: wp-to-twitter-oauth.php:277
787
- msgid "Disconnect Your WordPress and Twitter Account"
788
- msgstr "Отключить блог WordPress от аккаунта Twitter"
789
-
790
- #: wp-to-twitter-oauth.php:281
791
- msgid "Disconnect your WordPress and Twitter Account"
792
- msgstr "Отключить блог WordPress от аккаунта Twitter"
793
-
794
- #: wp-to-twitter-oauth.php:283
795
- msgid ""
796
- "<strong>Troubleshooting tip:</strong> Connected, but getting a error that "
797
- "your Authentication credentials are missing or incorrect? Check that your "
798
- "Access token has read and write permission. If not, you'll need to create a "
799
- "new token. <a href=\"http://www.joedolson.com/articles/wp-to-twitter/"
800
- "support-2/#q1\">Read the FAQ</a>"
801
- msgstr ""
802
- "<strong>Совет по устранению неисправности:</strong> При подключении возникла "
803
- "ошибка, что данные отсутствуют или неправильны? Проверьте настройки "
804
- "приложения, права доступа должны быть \"Чтение и Запись\" (read and write). "
805
- "Если нет, то нужно создать новый Token. Подробнее читайте <a href=\"http://"
806
- "www.joedolson.com/articles/wp-to-twitter/support-2/#q1\">ЧАВО</a>"
807
-
808
- #: wp-to-twitter-oauth.php:285
809
- msgid ""
810
- "Your time stamps are more than 5 minutes apart. Your server could lose its "
811
- "connection with Twitter."
812
- msgstr ""
813
- "Временные отметки не совпадают (разница более 5 минут), сервер может "
814
- "потерять соединение с Twitter."
815
-
816
- #: wp-to-twitter-oauth.php:287
817
- msgid ""
818
- "WP to Twitter could not contact Twitter's remote server. Here is the error "
819
- "triggered: "
820
- msgstr ""
821
- "WP to Twitter не смог соединиться с удаленным серевром Twitter. Ошибка:"
822
-
823
- #: wp-to-twitter-oauth.php:292
824
- msgid "Disconnect from Twitter"
825
- msgstr "Отключиться от Twitter"
826
-
827
- #: wp-to-twitter-oauth.php:298
828
- msgid "Twitter Username "
829
- msgstr "Логин Twitter"
830
-
831
- #: wp-to-twitter-oauth.php:299
832
- msgid "Consumer Key "
833
- msgstr "Consumer Key "
834
-
835
- #: wp-to-twitter-oauth.php:300
836
- msgid "Consumer Secret "
837
- msgstr "Consumer Secret "
838
-
839
- #: wp-to-twitter-oauth.php:301
840
- msgid "Access Token "
841
- msgstr "Access Token "
842
-
843
- #: wp-to-twitter-oauth.php:302
844
- msgid "Access Token Secret "
845
- msgstr "Access Token Secret "
846
-
847
- #: wp-to-twitter-oauth.php:310 wp-to-twitter-oauth.php:316
848
- msgid "Twitter's server time: "
849
- msgstr "Время сервера Twitter:"
850
-
851
- #: wp-to-twitter-shorteners.php:295
852
- msgid ""
853
- "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account "
854
- "Settings"
855
- msgstr ""
856
- "Настройки сервиса сокращения <abbr title=\"Uniform Resource Locator"
857
- "\">ссылок</abbr>"
858
-
859
- #: wp-to-twitter-shorteners.php:299
860
- msgid "Your Su.pr account details"
861
- msgstr "Настройки сервиса Su.pr"
862
-
863
- #: wp-to-twitter-shorteners.php:299
864
- msgid "(optional)"
865
- msgstr "(опционально)"
866
-
867
- #: wp-to-twitter-shorteners.php:304
868
- msgid "Your Su.pr Username:"
869
- msgstr "Логин Su.pr:"
870
-
871
- #: wp-to-twitter-shorteners.php:308
872
- msgid ""
873
- "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
874
- msgstr "Ключ <abbr title='application programming interface'>API</abbr> Su.pr:"
875
-
876
- #: wp-to-twitter-shorteners.php:315
877
- msgid ""
878
- "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</"
879
- "a>!<br />You'll need an API key in order to associate the URLs you create "
880
- "with your Su.pr account."
881
- msgstr ""
882
- "Нет аккаунта Su.pr или ключа API? <a href='http://su.pr/'>Получите все "
883
- "здесь</a>!<br />Чтобы создавать сокращенные ссылки через Su.pr, Вам "
884
- "потребуется ключ API сервиса."
885
-
886
- #: wp-to-twitter-shorteners.php:321
887
- msgid "Your Bit.ly account details"
888
- msgstr "Настройки сервиса Bit.ly"
889
-
890
- #: wp-to-twitter-shorteners.php:326
891
- msgid "Your Bit.ly username:"
892
- msgstr "Логин Bit.ly:"
893
-
894
- #: wp-to-twitter-shorteners.php:330
895
- msgid ""
896
- "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
897
- msgstr ""
898
- "Ключ <abbr title='application programming interface'>API</abbr> Bit.ly:"
899
-
900
- #: wp-to-twitter-shorteners.php:333
901
- msgid "View your Bit.ly username and API key"
902
- msgstr "Посмотреть ключ API и логин Bit.ly"
903
-
904
- #: wp-to-twitter-shorteners.php:338
905
- msgid "Save Bit.ly API Key"
906
- msgstr "Сохранить ключ API Bit.ly"
907
-
908
- #: wp-to-twitter-shorteners.php:338
909
- msgid "Clear Bit.ly API Key"
910
- msgstr "Удалить ключ API Bit.ly"
911
-
912
- #: wp-to-twitter-shorteners.php:338
913
- msgid ""
914
- "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API "
915
- "and WP to Twitter."
916
- msgstr ""
917
- "Логин Bit.ly и ключ API небходимы для сокращения URL через Bit.ly API и WP "
918
- "to Twitter."
919
-
920
- #: wp-to-twitter-shorteners.php:344
921
- msgid "Your YOURLS account details"
922
- msgstr "Детали аккаунта YOURLS"
923
-
924
- #: wp-to-twitter-shorteners.php:349
925
- msgid "Path to your YOURLS config file (Local installations)"
926
- msgstr "Путь до конфигурационного файла YOURLS (локальная установка)"
927
-
928
- #: wp-to-twitter-shorteners.php:350 wp-to-twitter-shorteners.php:354
929
- msgid "Example:"
930
- msgstr "Пример:"
931
-
932
- #: wp-to-twitter-shorteners.php:353
933
- msgid "URI to the YOURLS API (Remote installations)"
934
- msgstr "URI на API YOURLS (удаленная установка)"
935
-
936
- #: wp-to-twitter-shorteners.php:357
937
- msgid "Your YOURLS username:"
938
- msgstr "Логин YOURLS:"
939
-
940
- #: wp-to-twitter-shorteners.php:361
941
- msgid "Your YOURLS password:"
942
- msgstr "Пароль YOURLS:"
943
-
944
- #: wp-to-twitter-shorteners.php:361
945
- msgid "<em>Saved</em>"
946
- msgstr "<em>Сохранено</em>"
947
-
948
- #: wp-to-twitter-shorteners.php:365
949
- msgid "Post ID for YOURLS url slug."
950
- msgstr "ID записи в сокращенной ссылке YOURLS "
951
-
952
- #: wp-to-twitter-shorteners.php:366
953
- msgid "Custom keyword for YOURLS url slug."
954
- msgstr "Произвольное ключевое слово в сслыке YOURLS."
955
-
956
- #: wp-to-twitter-shorteners.php:367
957
- msgid "Default: sequential URL numbering."
958
- msgstr "По умолчанию: последовательная нумерация URL."
959
-
960
- #: wp-to-twitter-shorteners.php:373
961
- msgid "Save YOURLS Account Info"
962
- msgstr "Сохранить настройки для YOURLS"
963
-
964
- #: wp-to-twitter-shorteners.php:373
965
- msgid "Clear YOURLS password"
966
- msgstr "Удалить пароль YOURLS"
967
-
968
- #: wp-to-twitter-shorteners.php:373
969
- msgid ""
970
- "A YOURLS password and username is required to shorten URLs via the remote "
971
- "YOURLS API and WP to Twitter."
972
- msgstr ""
973
- "Чтобы создавать сокращенные ссылки через удаленную YOURLS API и WP to "
974
- "Twitter требуется логин и пароль YOURLS."
975
-
976
- #: wp-to-twitter-shorteners.php:379
977
- msgid "Your jotURL account details"
978
- msgstr "Детали аккаунта jotURL"
979
-
980
- #: wp-to-twitter-shorteners.php:383
981
- msgid ""
982
- "Your jotURL public <abbr title='application programming interface'>API</"
983
- "abbr> key:"
984
- msgstr ""
985
- "Ключ <abbr title='application programming interface'>API</abbr> jotURL:"
986
-
987
- #: wp-to-twitter-shorteners.php:384
988
- msgid ""
989
- "Your jotURL private <abbr title='application programming interface'>API</"
990
- "abbr> key:"
991
- msgstr ""
992
- "Приватное <abbr title='application programming interface'>API</abbr> jotURL:"
993
-
994
- #: wp-to-twitter-shorteners.php:385
995
- msgid "Parameters to add to the long URL (before shortening):"
996
- msgstr "Параметры, добавляемые к длинным ссылкам (до сокращения):"
997
-
998
- #: wp-to-twitter-shorteners.php:385
999
- msgid "Parameters to add to the short URL (after shortening):"
1000
- msgstr "Параметры, добавляемые к коротким ссылкам (после сокращения):"
1001
-
1002
- #: wp-to-twitter-shorteners.php:386
1003
- msgid "View your jotURL public and private API key"
1004
- msgstr "Посмотреть публичный и приватный ключ API jotURL"
1005
-
1006
- #: wp-to-twitter-shorteners.php:389
1007
- msgid "Save jotURL settings"
1008
- msgstr "Сохранить настройки jotURL"
1009
-
1010
- #: wp-to-twitter-shorteners.php:389
1011
- msgid "Clear jotURL settings"
1012
- msgstr "Удалить настройки jotURL"
1013
-
1014
- #: wp-to-twitter-shorteners.php:390
1015
- msgid ""
1016
- "A jotURL public and private API key is required to shorten URLs via the "
1017
- "jotURL API and WP to Twitter."
1018
- msgstr ""
1019
- "Чтобы создавать сокращенные ссылки через удаленную jotURL API и WP to "
1020
- "Twitter требуется логин и пароль jotURL."
1021
-
1022
- #: wp-to-twitter-shorteners.php:395
1023
- msgid "Your shortener does not require any account settings."
1024
- msgstr "Выбранный сервис сокращения ссылок не требует дополнительных настроек."
1025
-
1026
- #: wp-to-twitter-shorteners.php:407
1027
- msgid "YOURLS password updated. "
1028
- msgstr "Пароль YOURLS обновлен."
1029
-
1030
- #: wp-to-twitter-shorteners.php:410
1031
- msgid ""
1032
- "YOURLS password deleted. You will be unable to use your remote YOURLS "
1033
- "account to create short URLS."
1034
- msgstr ""
1035
- "Пароль YOURLS удален. Вы не сможете пользоваться сервисом YOURLS, пока не "
1036
- "настроите аккаунт."
1037
-
1038
- #: wp-to-twitter-shorteners.php:412
1039
- msgid "Failed to save your YOURLS password! "
1040
- msgstr "Ошибка при сохранении пароля YOURLS!"
1041
-
1042
- #: wp-to-twitter-shorteners.php:416
1043
- msgid "YOURLS username added. "
1044
- msgstr "Логин YOURLS добавлен."
1045
-
1046
- #: wp-to-twitter-shorteners.php:420
1047
- msgid "YOURLS API url added. "
1048
- msgstr "Ключ API YOURLS добавлен."
1049
-
1050
- #: wp-to-twitter-shorteners.php:423
1051
- msgid "YOURLS API url removed. "
1052
- msgstr "Ключ API YOURLS удален."
1053
-
1054
- #: wp-to-twitter-shorteners.php:428
1055
- msgid "YOURLS local server path added. "
1056
- msgstr "Локальный путь YOURLS добавлен."
1057
-
1058
- #: wp-to-twitter-shorteners.php:430
1059
- msgid "The path to your YOURLS installation is not correct. "
1060
- msgstr "Неверный путь до YOURLS."
1061
-
1062
- #: wp-to-twitter-shorteners.php:434
1063
- msgid "YOURLS local server path removed. "
1064
- msgstr "Локальный путь YOURLS удален."
1065
-
1066
- #: wp-to-twitter-shorteners.php:439
1067
- msgid "YOURLS will use Post ID for short URL slug."
1068
- msgstr "YOURLS будет использовать ID записей в сокращенных ссылках."
1069
-
1070
- #: wp-to-twitter-shorteners.php:441
1071
- msgid "YOURLS will use your custom keyword for short URL slug."
1072
- msgstr "YOURLS не будет использовать произвольный ключ в сокращенных ссылках."
1073
-
1074
- #: wp-to-twitter-shorteners.php:445
1075
- msgid "YOURLS will not use Post ID for the short URL slug."
1076
- msgstr "YOURLS не будет использовать ID записей в сокращенных ссылках."
1077
-
1078
- #: wp-to-twitter-shorteners.php:453
1079
- msgid "Su.pr API Key and Username Updated"
1080
- msgstr "Ключ API и логин Su.pr обновлены"
1081
-
1082
- #: wp-to-twitter-shorteners.php:457
1083
- msgid ""
1084
- "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will "
1085
- "no longer be associated with your account. "
1086
- msgstr ""
1087
- "Ключ API и логин Su.pr удалены. Созданные плагином сокращенные ссылки больше "
1088
- "не связаны с Вашим аккаунтом."
1089
-
1090
- #: wp-to-twitter-shorteners.php:459
1091
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
1092
- msgstr ""
1093
- "Ключ API сервиса Su.pr не задан - <a href='http://su.pr/'>получите его "
1094
- "здесь</a>! "
1095
-
1096
- #: wp-to-twitter-shorteners.php:465
1097
- msgid "Bit.ly API Key Updated."
1098
- msgstr "Ключ API Bit.ly обновлен."
1099
-
1100
- #: wp-to-twitter-shorteners.php:468
1101
- msgid ""
1102
- "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
1103
- msgstr ""
1104
- "Ключ API Bit.ly удален. Вы не сможете использовать Bit.ly API без ключа. "
1105
-
1106
- #: wp-to-twitter-shorteners.php:470
1107
- msgid ""
1108
- "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</"
1109
- "a>! An API key is required to use the Bit.ly URL shortening service."
1110
- msgstr ""
1111
- "Ключ API Bit.ly не введен - <a href='http://bit.ly/account/'>получите его "
1112
- "здесь</a>! Ключ API требуется для работы сервиса сокращения ссылок."
1113
-
1114
- #: wp-to-twitter-shorteners.php:474
1115
- msgid " Bit.ly User Login Updated."
1116
- msgstr " Логин пользователя Bit.ly обновлен."
1117
-
1118
- #: wp-to-twitter-shorteners.php:477
1119
- msgid ""
1120
- "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing "
1121
- "your username. "
1122
- msgstr ""
1123
- "Логин Bit.ly удален. Вы не сможете использовать Bit.ly API без логина. "
1124
-
1125
- #: wp-to-twitter-shorteners.php:479
1126
- msgid ""
1127
- "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
1128
- msgstr ""
1129
- "Логин Bit.ly не введен - <a href='http://bit.ly/account/'>получите его "
1130
- "здесь</a>! "
1131
-
1132
- #: wp-to-twitter-shorteners.php:485
1133
- msgid "jotURL private API Key Updated. "
1134
- msgstr "Приватный ключ API jotURL обновлен."
1135
-
1136
- #: wp-to-twitter-shorteners.php:488
1137
- msgid ""
1138
- "jotURL private API Key deleted. You cannot use the jotURL API without a "
1139
- "private API key. "
1140
- msgstr ""
1141
- "Приватный ключ API jotURL удален. Вы не сможете использовать jotURL без "
1142
- "него. "
1143
-
1144
- #: wp-to-twitter-shorteners.php:490
1145
- msgid ""
1146
- "jotURL private API Key not added - <a href='https://www.joturl.com/reserved/"
1147
- "api.html'>get one here</a>! A private API key is required to use the jotURL "
1148
- "URL shortening service. "
1149
- msgstr ""
1150
- "Приватный ключ API jotURL не введен - <a href='https://www.joturl.com/"
1151
- "reserved/api.html'>получите его здесь</a>! Приватный ключ API требуется для "
1152
- "работы сервиса сокращения ссылок."
1153
-
1154
- #: wp-to-twitter-shorteners.php:494
1155
- msgid "jotURL public API Key Updated. "
1156
- msgstr "Публичный ключ API jotURL обновлен."
1157
-
1158
- #: wp-to-twitter-shorteners.php:497
1159
- msgid ""
1160
- "jotURL public API Key deleted. You cannot use the jotURL API without "
1161
- "providing your public API Key. "
1162
- msgstr ""
1163
- "Публичный ключ API jotURL удален. Вы не сможете использовать jotURL API без "
1164
- "него. "
1165
-
1166
- #: wp-to-twitter-shorteners.php:499
1167
- msgid ""
1168
- "jotURL public API Key not added - <a href='https://www.joturl.com/reserved/"
1169
- "api.html'>get one here</a>! "
1170
- msgstr ""
1171
- "Публичный ключ API jotURL не задан - <a href='https://www.joturl.com/"
1172
- "reserved/api.html'>получите его здесь</a>! "
1173
-
1174
- #: wp-to-twitter-shorteners.php:505
1175
- msgid "Long URL parameters added. "
1176
- msgstr "Добавлены параметры длинных ссылок."
1177
-
1178
- #: wp-to-twitter-shorteners.php:508
1179
- msgid "Long URL parameters deleted. "
1180
- msgstr "Параметры длинных ссылок удалены."
1181
-
1182
- #: wp-to-twitter-shorteners.php:514
1183
- msgid "Short URL parameters added. "
1184
- msgstr "Добавлены параметры коротких ссылок."
1185
-
1186
- #: wp-to-twitter-shorteners.php:517
1187
- msgid "Short URL parameters deleted. "
1188
- msgstr "Параметры коротких ссылок удалены."
1189
-
1190
- #: wp-to-twitter-shorteners.php:527
1191
- msgid ""
1192
- "You must add your Bit.ly login and API key in order to shorten URLs with Bit."
1193
- "ly."
1194
- msgstr ""
1195
- "Вы должны добавить логин и ключ API сервиса Bit.ly для сокращения ссылок."
1196
-
1197
- #: wp-to-twitter-shorteners.php:531
1198
- msgid ""
1199
- "You must add your jotURL public and private API key in order to shorten URLs "
1200
- "with jotURL."
1201
- msgstr ""
1202
- "Вы должны добавить публичный и приватный ключ API сервиса jotURL для "
1203
- "сокращения ссылок."
1204
-
1205
- #: wp-to-twitter-shorteners.php:535
1206
- msgid ""
1207
- "You must add your YOURLS remote URL, login, and password in order to shorten "
1208
- "URLs with a remote installation of YOURLS."
1209
- msgstr ""
1210
- "Чтобы использовать удаленный сервис сокращения ссылок YOURLS, нужно ввести "
1211
- "пароль, логин и удаленный путь YOURLS."
1212
-
1213
- #: wp-to-twitter-shorteners.php:539
1214
- msgid ""
1215
- "You must add your YOURLS server path in order to shorten URLs with a remote "
1216
- "installation of YOURLS."
1217
- msgstr ""
1218
- "Чтобы использовать сервис YOURLS удаленно, нужно ввести путь удаленного "
1219
- "сервера YOURLS."
1220
-
1221
- #: wp-to-twitter-shorteners.php:549
1222
- msgid "Choose a short URL service (account settings below)"
1223
- msgstr "Выберите сервис сокращения ссылок (настройки ниже)"
1224
-
1225
- #: wp-to-twitter-shorteners.php:551
1226
- msgid "Don't shorten URLs."
1227
- msgstr "Не сокращать ссылки"
1228
-
1229
- #: wp-to-twitter-shorteners.php:555
1230
- msgid "YOURLS (on this server)"
1231
- msgstr "YOURLS (на этом сервере)"
1232
-
1233
- #: wp-to-twitter-shorteners.php:556
1234
- msgid "YOURLS (on a remote server)"
1235
- msgstr "YOURLS (на удаленном сервере)"
1236
-
1237
- #: wp-to-twitter-shorteners.php:559
1238
- msgid "Use Twitter Friendly Links."
1239
- msgstr "Использовать дружелюбные ссылки Twitter."
1240
-
1241
- #: wp-to-twitter.php:70
1242
- msgid ""
1243
- "The current version of WP Tweets PRO is <strong>%s</strong>. <a href="
1244
- "\"http://www.joedolson.com/articles/account/\">Upgrade for best "
1245
- "compatibility!</a>"
1246
- msgstr ""
1247
- "Текущая версия WP Tweets ПРО <strong>%s</strong>. <a href=\"http://www."
1248
- "joedolson.com/articles/account/\">Для большей совместимости обновитесь!</a>"
1249
-
1250
- #: wp-to-twitter.php:82
1251
- msgid ""
1252
- "Tweeting of comments has been moved to <a href=\"%1$s\">WP Tweets PRO</a>. "
1253
- "You will need to upgrade in order to Tweet comments. <a href=\"%2$s"
1254
- "\">Dismiss</a>"
1255
- msgstr ""
1256
- "Опции твита ответов были перенесены в <a href=\"%1$s\">WP Tweets ПРО</a>. "
1257
- "Чтобы пользоваться этими настройками, Вам нужно обновить плагин. <a href="
1258
- "\"%2$s\">Закрыть</a>"
1259
-
1260
- #: wp-to-twitter.php:255
1261
- msgid "This account is not authorized to post to Twitter."
1262
- msgstr "У Вас нет прав отправлять записи в Twitter."
1263
-
1264
- #: wp-to-twitter.php:264
1265
- msgid "This tweet is identical to another Tweet recently sent to this account."
1266
- msgstr ""
1267
- "Этот твит идентичен другому твиту, отправленному ранее через этот аккаунт."
1268
-
1269
- #: wp-to-twitter.php:270
1270
- msgid "This tweet was blank and could not be sent to Twitter."
1271
- msgstr "Пустой твит не может быть отправлен в Twitter."
1272
-
1273
- #: wp-to-twitter.php:305
1274
- msgid ""
1275
- "Your Twitter application does not have read and write permissions. Go to <a "
1276
- "href=\"%s\">your Twitter apps</a> to modify these settings."
1277
- msgstr ""
1278
- "У приложения в Twitter не стоят права чтения и записи (read and write). "
1279
- "Перейдите на <a href=\"%s\">вкладку приложений Twitter</a>, чтобы изменить "
1280
- "настройки."
1281
-
1282
- #: wp-to-twitter.php:310
1283
- msgid "200 OK: Success!"
1284
- msgstr "200 OK: Успех!"
1285
-
1286
- #: wp-to-twitter.php:314
1287
- msgid "304 Not Modified: There was no new data to return"
1288
- msgstr "304 Не изменялось: Ничего нового нет"
1289
-
1290
- #: wp-to-twitter.php:317
1291
- msgid ""
1292
- "400 Bad Request: The request was invalid. This is the status code returned "
1293
- "during rate limiting."
1294
- msgstr "400 Неверный запрос: В запросе ошибка."
1295
-
1296
- #: wp-to-twitter.php:320
1297
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
1298
- msgstr ""
1299
- "401 Авторизация отклонена: Данные авторизации отсутствуют или неверные."
1300
-
1301
- #: wp-to-twitter.php:324
1302
- msgid ""
1303
- "403 Forbidden: The request is understood, but has been refused by Twitter. "
1304
- "Possible reasons: too many Tweets, same Tweet submitted twice, Tweet longer "
1305
- "than 140 characters. Not an error from WP to Twitter."
1306
- msgstr ""
1307
- "403 Запрещено: Запрос корректный, но был отклонен Twitter. Причины: Слишком "
1308
- "много твитов за короткий промежуток времени или один твит был отправлен "
1309
- "дважды, длина твита более 140 символов. Эта ошибка НЕ связана с плагином."
1310
-
1311
- #: wp-to-twitter.php:327
1312
- msgid ""
1313
- "404 Not Found: The URI requested is invalid or the resource requested does "
1314
- "not exist."
1315
- msgstr "404 Не найдено: Неверная ссылка или искомый адрес не существует."
1316
-
1317
- #: wp-to-twitter.php:330
1318
- msgid "406 Not Acceptable: Invalid Format Specified."
1319
- msgstr "406 Неприемлемый запрос. Ошибка формата запроса."
1320
-
1321
- #: wp-to-twitter.php:333
1322
- msgid "422 Unprocessable Entity: The image uploaded could not be processed.."
1323
- msgstr ""
1324
- "422 Необрабатываемая запись: Загруженное изображение не может быть "
1325
- "обработано..."
1326
-
1327
- #: wp-to-twitter.php:336
1328
- msgid "429 Too Many Requests: You have exceeded your rate limits."
1329
- msgstr "429 Слишком много запросов: Превышен лимит запросов."
1330
-
1331
- #: wp-to-twitter.php:339
1332
- msgid "500 Internal Server Error: Something is broken at Twitter."
1333
- msgstr "500 Внутренняя ошибка сервера: Что-то не так с Twitter..."
1334
-
1335
- #: wp-to-twitter.php:342
1336
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
1337
- msgstr "502 Временная ошибка: Twitter недоступен или обновляется."
1338
-
1339
- #: wp-to-twitter.php:345
1340
- msgid ""
1341
- "503 Service Unavailable: The Twitter servers are up, but overloaded with "
1342
- "requests - Please try again later."
1343
- msgstr ""
1344
- "503 Сервис недоступен: Сервера Twitter включены, но перегружены запросами - "
1345
- "попробуйте позже."
1346
-
1347
- #: wp-to-twitter.php:348
1348
- msgid ""
1349
- "504 Gateway Timeout: The Twitter servers are up, but the request couldn't be "
1350
- "serviced due to some failure within our stack. Try again later."
1351
- msgstr ""
1352
- "504 Таймаут: Сервера Twitter включены, но запрос не может быть выполнен по "
1353
- "каким-то причинам... Попробуйте позже."
1354
-
1355
- #: wp-to-twitter.php:385
1356
- msgid "No Twitter OAuth connection found."
1357
- msgstr "Соединения с Twitter OAuth не найдено."
1358
-
1359
- #: wp-to-twitter.php:1031
1360
- msgid "Tweeting %s edits is disabled."
1361
- msgstr "Редактирование твита %s отключено."
1362
-
1363
- #: wp-to-twitter.php:1044
1364
- msgid "Custom Twitter Post"
1365
- msgstr "Произвольный текст твита"
1366
-
1367
- #: wp-to-twitter.php:1049
1368
- msgid "Your prepended Tweet text; not part of your template."
1369
- msgstr "Добавляемый в начале текст твита; не часть Вашего шаблона."
1370
-
1371
- #: wp-to-twitter.php:1052
1372
- msgid "Your appended Tweet text; not part of your template."
1373
- msgstr "Добавляемый в конце текст твита; не часть Вашего шаблона."
1374
-
1375
- #: wp-to-twitter.php:1055
1376
- msgid "Your template:"
1377
- msgstr "Вид твита:"
1378
-
1379
- #: wp-to-twitter.php:1059
1380
- msgid "YOURLS Custom Keyword"
1381
- msgstr "Произвольный ключ YOURLS"
1382
-
1383
- #: wp-to-twitter.php:1070
1384
- msgid "Don't Tweet this post."
1385
- msgstr "Не создавать твит"
1386
-
1387
- #: wp-to-twitter.php:1070
1388
- msgid "Tweet this post."
1389
- msgstr "Создать твит"
1390
-
1391
- #: wp-to-twitter.php:1099
1392
- msgid ""
1393
- "WP Tweets PRO 1.5.2+ allows you to select Twitter accounts. <a href=\"%s"
1394
- "\">Log in and download now!</a>"
1395
- msgstr ""
1396
- "Плагин WP Tweets ПРО 1.5.2+ позволяет выбирать аккаунты Twitter. <a href=\"%s"
1397
- "\">Залогиньтесь и обновитесь!</a>"
1398
-
1399
- #: wp-to-twitter.php:1101
1400
- msgid ""
1401
- "Upgrade to WP Tweets PRO to select Twitter accounts! <a href=\"%s\">Upgrade "
1402
- "now!</a>"
1403
- msgstr ""
1404
- "Обновитесь до WP Tweets ПРО, чтобы выбрать аккаунты Twitter! <a href=\"%s"
1405
- "\">Обновить!</a>"
1406
-
1407
- #: wp-to-twitter.php:1121
1408
- msgid ""
1409
- "Access to customizing WP to Twitter values is not allowed for your user role."
1410
- msgstr "Доступ к настройкам плагина WP to Twitter запрещен для Вас."
1411
-
1412
- #: wp-to-twitter.php:1133
1413
- msgid ""
1414
- "Tweets must be less than 140 characters; Twitter counts URLs as 22 or 23 "
1415
- "characters. Template Tags: <code>#url#</code>, <code>#title#</code>, "
1416
- "<code>#post#</code>, <code>#category#</code>, <code>#date#</code>, "
1417
- "<code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, "
1418
- "<code>#tags#</code>, or <code>#blog#</code>."
1419
- msgstr ""
1420
- "Не более 140 символов; ссылка считается как 20-21 символ. Допустимы метки: "
1421
- "<code>#url#</code>, <code>#title#</code>, <code>#post#</code>, "
1422
- "<code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, "
1423
- "<code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, или "
1424
- "<code>#blog#</code>."
1425
-
1426
- #: wp-to-twitter.php:1143
1427
- msgid "Upgrade to WP Tweets Pro"
1428
- msgstr "Обновить до WP Tweets ПРО"
1429
-
1430
- #: wp-to-twitter.php:1152
1431
- msgid "Your role does not have the ability to Post Tweets from this site."
1432
- msgstr "У Вас нет прав на размещение твитов с этого сайта!"
1433
-
1434
- #: wp-to-twitter.php:1160
1435
- msgid "Previous Tweets"
1436
- msgstr "Прошлый твит"
1437
-
1438
- #: wp-to-twitter.php:1176
1439
- msgid "Failed Tweets"
1440
- msgstr "Неудачные твиты"
1441
-
1442
- #: wp-to-twitter.php:1191
1443
- msgid "No failed tweets on this post."
1444
- msgstr "Нет неудачных твитов записи."
1445
-
1446
- #: wp-to-twitter.php:1197
1447
- msgid "Delete Tweet History"
1448
- msgstr "Удалить историю твитов"
1449
-
1450
- #: wp-to-twitter.php:1232
1451
- msgid "Characters left: "
1452
- msgstr "Символов осталось:"
1453
-
1454
- #: wp-to-twitter.php:1301
1455
- msgid "WP Tweets User Settings"
1456
- msgstr "Настройки пользователей WP Tweets"
1457
-
1458
- #: wp-to-twitter.php:1305
1459
- msgid "Use My Twitter Username"
1460
- msgstr "Использовать мой логин Twitter"
1461
-
1462
- #: wp-to-twitter.php:1306
1463
- msgid "Tweet my posts with an @ reference to my username."
1464
- msgstr "Твитить мои записи с @ссылкой на мой профиль."
1465
-
1466
- #: wp-to-twitter.php:1307
1467
- msgid ""
1468
- "Tweet my posts with an @ reference to both my username and to the main site "
1469
- "username."
1470
- msgstr ""
1471
- "Твитить мои записи с @ссылкой на мой профиль и на основной профиль (из "
1472
- "настроек сайта)."
1473
-
1474
- #: wp-to-twitter.php:1311
1475
- msgid "Your Twitter Username"
1476
- msgstr "Логин Twitter "
1477
-
1478
- #: wp-to-twitter.php:1312
1479
- msgid "Enter your own Twitter username."
1480
- msgstr "Введите свой логин Twitter."
1481
-
1482
- #: wp-to-twitter.php:1315
1483
- msgid "Hide account name in Tweets"
1484
- msgstr "Скрывать профили в твитах"
1485
-
1486
- #: wp-to-twitter.php:1316
1487
- msgid "Do not display my account in the #account# template tag."
1488
- msgstr "Не показывать мой аккаунт через шоткод #account# ."
1489
-
1490
- #: wp-to-twitter.php:1380
1491
- msgid "Settings"
1492
- msgstr "Настройки"
1493
-
1494
- #: wp-to-twitter.php:1381
1495
- msgid "Upgrade"
1496
- msgstr "Обновить"
1497
-
1498
- #: wp-to-twitter.php:1418
1499
- msgid ""
1500
- "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href="
1501
- "\"%1$s\">changelog</a> before upgrading."
1502
- msgstr ""
1503
- "<br /><strong>Заметка:</strong> Перед обновлением, посмотрите <a class="
1504
- "\"thickbox\" href=\"%1$s\">список изменений</a>."
1505
-
1506
- #: wp-to-twitter.php:1501
1507
- msgid ""
1508
- "I hope you've enjoyed <strong>WP to Twitter</strong>! Take a look at <a "
1509
- "href='%s'>upgrading to WP Tweets PRO</a> for advanced Tweeting with "
1510
- "WordPress! <a href='%s'>Dismiss</a>"
1511
- msgstr ""
1512
- "Надеюсь, Вам понравился плагин <strong>WP to Twitter</strong>! Взгляните на "
1513
- "<a href='%s'>upgrading to WP Tweets ПРО</a> и откройте для себя новые "
1514
- "возможности! <a href='%s'>Закрыть</a>"
1515
-
1516
- #: wpt-feed.php:164
1517
- msgid "Twitter returned an invalid response. It is probably down."
1518
- msgstr "Twitter вернул некорректный ответ. Возможно, сервер не работает."
1519
-
1520
- #: wpt-functions.php:342
1521
- msgid ""
1522
- "Please read the FAQ and other Help documents before making a support request."
1523
- msgstr ""
1524
- "Прежде чем написать в техническую поддержку, проверьте файлы справки и "
1525
- "прочитайте ЧАВО."
1526
-
1527
- #: wpt-functions.php:344
1528
- msgid "Please describe your problem. I'm not psychic."
1529
- msgstr "Опишите Вашу проблему подробно. Я не ясновидящий..."
1530
-
1531
- #: wpt-functions.php:348
1532
- msgid ""
1533
- "Thank you for supporting the continuing development of this plug-in! I'll "
1534
- "get back to you as soon as I can. Please ensure that you can receive email "
1535
- "at <code>%s</code>."
1536
- msgstr ""
1537
- "Спасибо за Вашу поддержку в разработке плагина! Я свяжусь с Вами как только "
1538
- "смогу. Пожалуйтса, убедитесь что Ваш эл. адрес <code>%s</code> активен."
1539
-
1540
- #: wpt-functions.php:350
1541
- msgid ""
1542
- "Thanks for using WP to Twitter. Please ensure that you can receive email at "
1543
- "<code>%s</code>."
1544
- msgstr ""
1545
- "Спасибо за использование плагина WP to Twitter. Пожалуйтса, убедитесь что "
1546
- "Ваш эл. адрес <code>%s</code> активен."
1547
-
1548
- #: wpt-functions.php:364
1549
- msgid ""
1550
- "<strong>Please note</strong>: I do keep records of those who have donated, "
1551
- "but if your donation came from somebody other than your account at this web "
1552
- "site, you must note this in your message."
1553
- msgstr ""
1554
- "<strong>Стоит отметить</strong>: Я записываю все сделанные пожертвования "
1555
- "<em>(от переводчика: ставьте галочку в это поле только честно, если же Вы "
1556
- "делали пожертвования с другого аккаунта - укажите это)</em>."
1557
-
1558
- #: wpt-functions.php:368
1559
- msgid ""
1560
- "If you're having trouble with WP to Twitter, please try to answer these "
1561
- "questions in your message:"
1562
- msgstr ""
1563
- "Если у Вас возникли проблемы при работе с плагином WP to Twitter, ответьте "
1564
- "на эти вопросы в своем сообщении:"
1565
-
1566
- #: wpt-functions.php:371
1567
- msgid "Did this error happen only once, or repeatedly?"
1568
- msgstr "Эта ошибка возникает постоянно или нет?"
1569
-
1570
- #: wpt-functions.php:372
1571
- msgid "What was the Tweet, or an example Tweet, that produced this error?"
1572
- msgstr "Что было в твите, вызвавшем ошибку?"
1573
-
1574
- #: wpt-functions.php:373
1575
- msgid "If there was an error message from WP to Twitter, what was it?"
1576
- msgstr "Если плагин WP to Twitter сообщал об ошибке, какой был ее код/текст?"
1577
-
1578
- #: wpt-functions.php:374
1579
- msgid "What is the template you're using for your Tweets?"
1580
- msgstr "Какой шаблон Вы используете для твитов?"
1581
-
1582
- #: wpt-functions.php:379
1583
- msgid "Reply to:"
1584
- msgstr "Ответить:"
1585
-
1586
- #: wpt-functions.php:382
1587
- msgid ""
1588
- "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</"
1589
- "span>"
1590
- msgstr ""
1591
- "Я прочитал <a href=\"%1$s\">ЧАВО</a> плагина <span>(обязательно!)</span>"
1592
-
1593
- #: wpt-functions.php:385
1594
- msgid ""
1595
- "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
1596
- msgstr "Я сделал <a href=\"%1$s\">пожертвование</a> на развитие плагина"
1597
-
1598
- #: wpt-functions.php:388
1599
- msgid "Support Request:"
1600
- msgstr "Запрос в тех. поддержку:"
1601
-
1602
- #: wpt-functions.php:391
1603
- msgid "Send Support Request"
1604
- msgstr "Отправить запрос на тех. поддержку"
1605
-
1606
- #: wpt-functions.php:394
1607
- msgid ""
1608
- "The following additional information will be sent with your support request:"
1609
- msgstr ""
1610
- "Дополнительная информация, которая будет отправлена вместе с Вашим запросом."
1611
-
1612
- #: wpt-widget.php:52
1613
- msgid "Error: "
1614
- msgstr "Ошибка:"
1615
-
1616
- #: wpt-widget.php:89
1617
- msgid "<a href=\"%3$s\">about %1$s ago</a> via %2$s"
1618
- msgstr "<a href=\"%3$s\">около %1$s назад</a> через %2$s"
1619
-
1620
- #: wpt-widget.php:91
1621
- msgid "<a href=\"%2$s\">about %1$s ago</a>"
1622
- msgstr "<a href=\"%2$s\">около %1$s нахад</a>"
1623
-
1624
- #: wpt-widget.php:142
1625
- msgid "Display a list of your latest tweets."
1626
- msgstr "Показать список последних твитов."
1627
-
1628
- #: wpt-widget.php:150
1629
- msgid "WP to Twitter - Latest Tweets"
1630
- msgstr "WP to Twitter - Последние твиты"
1631
-
1632
- #: wpt-widget.php:206
1633
- msgid "Title"
1634
- msgstr "Заголовок"
1635
-
1636
- #: wpt-widget.php:211
1637
- msgid "Twitter Username"
1638
- msgstr "Логин Twitter"
1639
-
1640
- #: wpt-widget.php:216
1641
- msgid "Number of Tweets to Show"
1642
- msgstr "Кол-во твитов в списке"
1643
-
1644
- #: wpt-widget.php:222
1645
- msgid "Hide @ Replies"
1646
- msgstr "Скрыть @ Ответы"
1647
-
1648
- #: wpt-widget.php:227
1649
- msgid "Include Retweets"
1650
- msgstr "Включить ретвит"
1651
-
1652
- #: wpt-widget.php:232
1653
- msgid "Parse links"
1654
- msgstr "Парсить ссылки"
1655
-
1656
- #: wpt-widget.php:237
1657
- msgid "Parse @mentions"
1658
- msgstr "Парсить @упоминания"
1659
-
1660
- #: wpt-widget.php:242
1661
- msgid "Parse #hashtags"
1662
- msgstr "Парсить #hashtags"
1663
-
1664
- #: wpt-widget.php:247
1665
- msgid "Include Reply/Retweet/Favorite Links"
1666
- msgstr "Включить ответ/ретвит/понравившиеся ссылки"
1667
-
1668
- #: wpt-widget.php:252
1669
- msgid "Include Tweet source"
1670
- msgstr "Включить исходный твит"
1671
-
1672
- #. Plugin Name of the plugin/theme
1673
- msgid "WP to Twitter"
1674
- msgstr "WP to Twitter"
1675
-
1676
- #. Plugin URI of the plugin/theme
1677
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
1678
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
1679
-
1680
- #. Description of the plugin/theme
1681
- msgid ""
1682
- "Posts a Tweet when you update your WordPress blog or post to your blogroll, "
1683
- "using your URL shortening service. Rich in features for customizing and "
1684
- "promoting your Tweets."
1685
- msgstr ""
1686
- "Сообщайте в Twitter каждый раз, когда обновляется Ваш блог WordPress или "
1687
- "записи на нем, используя сервис сокращения ссылок и проихвольные шоткоды. "
1688
- "Плагин содержит множество настроек для твитов."
1689
-
1690
- #. Author of the plugin/theme
1691
- msgid "Joseph Dolson"
1692
- msgstr "Joseph Dolson"
1693
-
1694
- #. Author URI of the plugin/theme
1695
- msgid "http://www.joedolson.com/"
1696
- msgstr "http://www.joedolson.com/"
1697
-
1698
- #~ msgid "Category limits updated."
1699
- #~ msgstr "Лимит рубрик обновлен."
1700
-
1701
- #~ msgid "Category limits unset."
1702
- #~ msgstr "Лимит рубрик не задан."
1703
-
1704
- #~ msgid "Basic Settings"
1705
- #~ msgstr "Основные настройки"
1706
-
1707
- #~ msgid "Save WP->Twitter Options"
1708
- #~ msgstr "Сохранить настройки WP->Twitter"
1709
-
1710
- #~ msgid "Settings for type \"%1$s\""
1711
- #~ msgstr "Настройки для \"%1$s\""
1712
-
1713
- #~ msgid "Settings for Links"
1714
- #~ msgstr "Настройки для ссылок"
1715
-
1716
- #~ msgid "Limit Updating Categories"
1717
- #~ msgstr "Настройки допустимых рубрик"
1718
-
1719
- #~ msgid ""
1720
- #~ "If no categories are checked, limiting by category will be ignored, and "
1721
- #~ "all categories will be Tweeted."
1722
- #~ msgstr ""
1723
- #~ "Если не выбрана ни одна рубрика, эти настройки будут проигнорированы и "
1724
- #~ "записи из ВСЕХ рубрик будут отправлены в Twitter."
1725
-
1726
- #~ msgid "<em>Category limits are disabled.</em>"
1727
- #~ msgstr "<em>Лимит рубрик отключен.</em>"
1728
-
1729
- #~ msgid ""
1730
- #~ "WP to Twitter requires WordPress 3.2.1 or a more recent version <a href="
1731
- #~ "\"http://codex.wordpress.org/Upgrading_WordPress\">Please update "
1732
- #~ "WordPress to continue using WP to Twitter with all features!</a>"
1733
- #~ msgstr ""
1734
- #~ "Требуется WordPress версии 3.2.1 или более поздняя. <a href=\"http://"
1735
- #~ "codex.wordpress.org/Upgrading_WordPress\">Пожалуйста, обновите WordPress, "
1736
- #~ "чтобы продолжить пользоваться всеми функциями WP to Twitter!</a>"
1737
-
1738
- #~ msgid "Check off categories to tweet"
1739
- #~ msgstr "Отметьте рубрики для исключения твитов"
1740
-
1741
- #~ msgid "Do not tweet posts in checked categories (Reverses default behavior)"
1742
- #~ msgstr ""
1743
- #~ "Не твитить записи из отмеченных рубрик (меняет стандартное поведение "
1744
- #~ "плагина)"
1745
-
1746
- #~ msgid ""
1747
- #~ "Limits are exclusive. If a post is in one category which should be posted "
1748
- #~ "and one category that should not, it will not be posted."
1749
- #~ msgstr ""
1750
- #~ "Лимиты довольно строгие. Если запись находится в исключенной и "
1751
- #~ "неисключенной рубрике одновременно, она все равно НЕ будет передана в "
1752
- #~ "Twitter."
1753
-
1754
- #~ msgid "Set Categories"
1755
- #~ msgstr "Отметить рубрики и сохранить"
1756
-
1757
- #~ msgid ""
1758
- #~ "In addition to standard template tags, comments can use "
1759
- #~ "<code>#commenter#</code> to post the commenter's name in the Tweet. "
1760
- #~ "<em>Use this at your own risk</em>, as it lets anybody who can post a "
1761
- #~ "comment on your site post a phrase in your Twitter stream."
1762
- #~ msgstr ""
1763
- #~ "Дополнительно, с обычными метками шаблона, ответы могут использовать "
1764
- #~ "шоткод <code>#commenter#</code> для размещения имени комментатора в "
1765
- #~ "твите. <em>Используйте на свой страх и риск</em>, так как любой "
1766
- #~ "комментатор с Вашего сайта может \"отметиться\" в ленте Twitter."
1767
-
1768
- #~ msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
1769
- #~ msgstr ""
1770
- #~ "WP to Twitter может и больше! Посмотрите на возможности WP Tweets ПРО!"
1771
-
1772
- #~ msgid ""
1773
- #~ "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run "
1774
- #~ "WP to Twitter."
1775
- #~ msgstr ""
1776
- #~ "Для работы WP to Twitter требуется PHP версии 5 или выше. Обновите версию "
1777
- #~ "PHP, чтобы использовать плагин."
1778
-
1779
- #~ msgid "Settings for Comments"
1780
- #~ msgstr "Настройки для ответов"
1781
-
1782
- #~ msgid "Update Twitter when new comments are posted"
1783
- #~ msgstr "Обновить Twitter при добавлении нового ответа"
1784
-
1785
- #~ msgid ""
1786
- #~ "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-"
1787
- #~ "independent action."
1788
- #~ msgstr "Отложенные твиты в ПРО версии публикуются независимым действием."
1789
-
1790
- #~ msgid ""
1791
- #~ "Send Twitter Updates on remote publication (Post by Email or XMLRPC "
1792
- #~ "Client)"
1793
- #~ msgstr ""
1794
- #~ "Отправлять обновления Twitter через удаленный инструмент (по mail или "
1795
- #~ "через клиент XMLRPC)"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-sv_SE.po DELETED
@@ -1,1303 +0,0 @@
1
- # Translation of WP to Twitter in Swedish
2
- # This file is distributed under the same license as the WP to Twitter package.
3
- msgid ""
4
- msgstr ""
5
- "PO-Revision-Date: 2013-09-26 20:48:32+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-oauth.php:224
14
- msgid "Your application name cannot include the word \"Twitter.\""
15
- msgstr "Ditt applikationsnamn kan inte inkludera ordet \"Twitter\"."
16
-
17
- #: wp-to-twitter-oauth.php:229
18
- msgid "<em>Do NOT create your access token yet.</em>"
19
- msgstr "<em>Skapa INTE din åtkomsttoken än.</em>"
20
-
21
- #: wp-to-twitter-oauth.php:233
22
- msgid "Return to the Details tab and create your access token."
23
- msgstr "Återgå till Detaljfliken och skapa din åtkomsttoken."
24
-
25
- #: wp-to-twitter.php:326
26
- msgid "304 Not Modified: There was no new data to return"
27
- msgstr "304 inte modifierad: Fanns ingen ny data att skicka"
28
-
29
- #: wp-to-twitter.php:345
30
- msgid "422 Unprocessable Entity: The image uploaded could not be processed.."
31
- msgstr "422 Obearbetbar Enhet: Den uppladdade bilden kunde inte bearbetas."
32
-
33
- #: wp-to-twitter.php:1076
34
- msgid "WP Tweets PRO 1.5.2 allows you to select Twitter accounts. <a href=\"%s\">Log in and download now!</a>"
35
- msgstr "WP Tweets PRO 1.5.2 tillåter dig att välja Twitter konton. <a href=\"%s\">Logga in och ladda ner nu!</a>"
36
-
37
- #: wp-to-twitter.php:1078
38
- msgid "Upgrade to WP Tweets PRO to select Twitter accounts! <a href=\"%s\">Upgrade now!</a>"
39
- msgstr "Uppgradera till WP Tweets PRO för att välja Twitter konton! <a href=\"%s\">Uppgradera nu!</a>"
40
-
41
- #: wp-to-twitter.php:1109
42
- msgid "Tweets must be less than 140 characters; Twitter counts URLs as 22 or 23 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>."
43
- msgstr "Tweets måste vara kortare än 140 tecken; Twitter räknar URL:er som 22 eller 23 tecken. Malltaggar: <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>, eller <code>#blog#</code>."
44
-
45
- #: wp-to-twitter.php:1499
46
- msgid "Tweet Status"
47
- msgstr "Tweet status"
48
-
49
- #: wpt-feed.php:149
50
- msgid "Twitter returned an invalid response. It is probably down."
51
- msgstr "Twitter returnerade ett ogiltigt svar. Det ligger förmodligen ner."
52
-
53
- #: wpt-widget.php:50
54
- msgid "Display a list of your latest tweets."
55
- msgstr "Visa en lista över dina senaste tweets."
56
-
57
- #: wpt-widget.php:59
58
- msgid "WP to Twitter - Latest Tweets"
59
- msgstr "WP to Twitter - Senaste tweets"
60
-
61
- #: wpt-widget.php:121
62
- msgid "<a href=\"%3$s\">about %1$s ago</a> via %2$s"
63
- msgstr "<a href=\"%3$s\">för %1$s sen</a> via %2$s"
64
-
65
- #: wpt-widget.php:123
66
- msgid "<a href=\"%2$s\">about %1$s ago</a>"
67
- msgstr "<a href=\"%2$s\">för %1$s sen</a>"
68
-
69
- #: wpt-widget.php:179
70
- msgid "Title"
71
- msgstr ""
72
-
73
- #: wpt-widget.php:184
74
- msgid "Twitter Username"
75
- msgstr "Twitter användarnamn"
76
-
77
- #: wpt-widget.php:189
78
- msgid "Number of Tweets to Show"
79
- msgstr "Antalet tweets att visa"
80
-
81
- #: wpt-widget.php:195
82
- msgid "Hide @ Replies"
83
- msgstr "Gömma @ svar"
84
-
85
- #: wpt-widget.php:200
86
- msgid "Include Retweets"
87
- msgstr "Inkludera retweet"
88
-
89
- #: wpt-widget.php:205
90
- msgid "Parse links"
91
- msgstr "Tolka länkar"
92
-
93
- #: wpt-widget.php:210
94
- msgid "Parse @mentions"
95
- msgstr "Tolka @omnämnande"
96
-
97
- #: wpt-widget.php:215
98
- msgid "Parse #hashtags"
99
- msgstr "Tolka #hashtaggar"
100
-
101
- #: wpt-widget.php:220
102
- msgid "Include Reply/Retweet/Favorite Links"
103
- msgstr "Inkludera Svar/ Retweet/ Favoritlänkar"
104
-
105
- #: wpt-widget.php:225
106
- msgid "Include Tweet source"
107
- msgstr "Inkludera tweetkälla"
108
-
109
- #: wp-to-twitter-manager.php:178
110
- msgid "Error:"
111
- msgstr "Fel:"
112
-
113
- #: wp-to-twitter-manager.php:643
114
- msgid "No Analytics"
115
- msgstr "Ingen Analytics"
116
-
117
- #: wp-to-twitter-manager.php:792
118
- msgid "Allow users to post to their own Twitter accounts"
119
- msgstr "Tillåt användare att posta till sina egna Twitter-konton"
120
-
121
- #: wp-to-twitter-manager.php:793
122
- msgid "Set a timer to send your Tweet minutes or hours after you publish"
123
- msgstr "Ställ in en timer för att skicka din tweet minuter eller timmar efter att du publicerat den"
124
-
125
- #: wp-to-twitter-manager.php:794
126
- msgid "Automatically re-send Tweets after publishing"
127
- msgstr "Återsänd tweets automatiskt efter publicering"
128
-
129
- #: wp-to-twitter-manager.php:795
130
- msgid "Send Tweets for approved comments"
131
- msgstr "Skicka tweets för godkända kommentarer"
132
-
133
- #: wp-to-twitter.php:64
134
- msgid "The current version of WP Tweets PRO is <strong>%s</strong>. <a href=\"http://www.joedolson.com/articles/account/\">Upgrade for best compatibility!</a>"
135
- msgstr "Nuvarande version av WP Tweets PRO är <strong>%s</strong>. <a href=\"http://www.joedolson.com/articles/account/\">Uppgradera för bästa kompatibilitet!</a>"
136
-
137
- #: wp-to-twitter.php:86
138
- msgid "Tweeting of comments has been moved to <a href=\"%1$s\">WP Tweets PRO</a>. You will need to upgrade in order to Tweet comments. <a href=\"%2$s\">Dismiss</a>"
139
- msgstr "Tweeta kommentarer har flyttats till <a href=\"%1$s\">WP Tweets PRO</a>. Du måste uppgradera för att Tweeta kommentarer. <a href=\"%2$s\">Avfärda</a>"
140
-
141
- #: wp-to-twitter.php:1010
142
- msgid "Tweeting %s edits is disabled."
143
- msgstr "Tweeting %s redigeringar är inaktiverad."
144
-
145
- #: wp-to-twitter.php:1454
146
- msgid "I hope you've enjoyed <strong>WP to Twitter</strong>! Take a look at <a href='%s'>upgrading to WP Tweets PRO</a> for advanced Tweeting with WordPress! <a href='%s'>Dismiss</a>"
147
- msgstr "Jag hoppas du har haft ett nöje med<strong> WP to Twitter </strong>! Ta en titt på <a href='%s'>att uppgradera till WP Tweets PRO </a> för avancerad Tweeting med WordPress! <a href=\"%2$s\">Avfärda</a>"
148
-
149
- msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your URL shortening service. Rich in features for customizing and promoting your Tweets."
150
- msgstr "Publicera en tweet när du uppdaterar din WordPress blogg eller klistra in i länklistan, använd din URL-förkortningstjänst. Rik på funktioner för att anpassa och främja dina tweets."
151
-
152
- #: wp-to-twitter-shorteners.php:378
153
- msgid "Your jotURL account details"
154
- msgstr "Dina kontodetaljer för jotURL"
155
-
156
- #: wp-to-twitter-shorteners.php:382
157
- msgid "Your jotURL public <abbr title='application programming interface'>API</abbr> key:"
158
- msgstr "Din publika jotURL <abbr title='application programming interface'>API</abbr> nyckel:"
159
-
160
- #: wp-to-twitter-shorteners.php:383
161
- msgid "Your jotURL private <abbr title='application programming interface'>API</abbr> key:"
162
- msgstr "Din privata jotURL <abbr title='application programming interface'>API</abbr> nyckel:"
163
-
164
- #: wp-to-twitter-shorteners.php:384
165
- msgid "Parameters to add to the long URL (before shortening):"
166
- msgstr "Parametrar att lägga till den långa webbadressen (före förkortning):"
167
-
168
- #: wp-to-twitter-shorteners.php:384
169
- msgid "Parameters to add to the short URL (after shortening):"
170
- msgstr "Parametrar att lägga till den korta webbadressen (efter förkortning):"
171
-
172
- #: wp-to-twitter-shorteners.php:385
173
- msgid "View your jotURL public and private API key"
174
- msgstr "Visa din publika och privata jotURL API-nyckel"
175
-
176
- #: wp-to-twitter-shorteners.php:388
177
- msgid "Save jotURL settings"
178
- msgstr "Spara jotURL inställningarna"
179
-
180
- #: wp-to-twitter-shorteners.php:388
181
- msgid "Clear jotURL settings"
182
- msgstr "Rensa jotURL inställningar"
183
-
184
- #: wp-to-twitter-shorteners.php:389
185
- msgid "A jotURL public and private API key is required to shorten URLs via the jotURL API and WP to Twitter."
186
- msgstr "En publik och en privat jotURL API nyckel krävs för att förkorta webbadresser via jotURL och WP to Twitter."
187
-
188
- #: wp-to-twitter-shorteners.php:484
189
- msgid "jotURL private API Key Updated. "
190
- msgstr "Privata jotURL API nyckeln uppdaterad."
191
-
192
- #: wp-to-twitter-shorteners.php:487
193
- msgid "jotURL private API Key deleted. You cannot use the jotURL API without a private API key. "
194
- msgstr ""
195
-
196
- #: wp-to-twitter-shorteners.php:489
197
- 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. "
198
- msgstr ""
199
-
200
- #: wp-to-twitter-shorteners.php:493
201
- msgid "jotURL public API Key Updated. "
202
- msgstr ""
203
-
204
- #: wp-to-twitter-shorteners.php:496
205
- msgid "jotURL public API Key deleted. You cannot use the jotURL API without providing your public API Key. "
206
- msgstr ""
207
-
208
- #: wp-to-twitter-shorteners.php:498
209
- msgid "jotURL public API Key not added - <a href='https://www.joturl.com/reserved/api.html'>get one here</a>! "
210
- msgstr ""
211
-
212
- #: wp-to-twitter-shorteners.php:504
213
- msgid "Long URL parameters added. "
214
- msgstr ""
215
-
216
- #: wp-to-twitter-shorteners.php:507
217
- msgid "Long URL parameters deleted. "
218
- msgstr ""
219
-
220
- #: wp-to-twitter-shorteners.php:513
221
- msgid "Short URL parameters added. "
222
- msgstr ""
223
-
224
- #: wp-to-twitter-shorteners.php:516
225
- msgid "Short URL parameters deleted. "
226
- msgstr ""
227
-
228
- #: wp-to-twitter-shorteners.php:530
229
- msgid "You must add your jotURL public and private API key in order to shorten URLs with jotURL."
230
- msgstr ""
231
-
232
- #: wp-to-twitter-manager.php:530
233
- msgid "Tags"
234
- msgstr ""
235
-
236
- #: wp-to-twitter-manager.php:546
237
- msgid "Template Tag Settings"
238
- msgstr ""
239
-
240
- #: wp-to-twitter-manager.php:548
241
- msgid "Extracted from the post. If you use the 'Excerpt' field, it will be used instead."
242
- msgstr ""
243
-
244
- #: wp-to-twitter-manager.php:591
245
- msgid "Template tag priority order"
246
- msgstr ""
247
-
248
- #: wp-to-twitter-manager.php:592
249
- msgid "The order in which items will be abbreviated or removed from your Tweet if the Tweet is too long to send to Twitter."
250
- msgstr ""
251
-
252
- #: wp-to-twitter-manager.php:647
253
- msgid "Author Settings"
254
- msgstr ""
255
-
256
- #: wp-to-twitter-manager.php:652
257
- 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."
258
- msgstr ""
259
-
260
- #: wp-to-twitter-manager.php:656
261
- msgid "Permissions"
262
- msgstr ""
263
-
264
- #: wp-to-twitter-manager.php:691
265
- msgid "Error Messages and Debugging"
266
- msgstr ""
267
-
268
- #: wp-to-twitter-manager.php:812
269
- msgid "<code>#cat_desc#</code>: custom value from the category description field"
270
- msgstr ""
271
-
272
- #: wp-to-twitter-manager.php:819
273
- msgid "<code>#@#</code>: the twitter @reference for the author or blank, if not set"
274
- msgstr ""
275
-
276
- #: wp-to-twitter-oauth.php:184
277
- msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>."
278
- msgstr ""
279
-
280
- #: wp-to-twitter-oauth.php:280
281
- 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>"
282
- msgstr ""
283
-
284
- #: wp-to-twitter-oauth.php:306 wp-to-twitter-oauth.php:312
285
- msgid "Twitter's server time: "
286
- msgstr ""
287
-
288
- #: wp-to-twitter.php:73
289
- 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>"
290
- msgstr ""
291
-
292
- #: wp-to-twitter.php:336
293
- 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."
294
- msgstr ""
295
-
296
- #: wp-to-twitter.php:1377
297
- msgid "Upgrade"
298
- msgstr ""
299
-
300
- #: wp-to-twitter-manager.php:535
301
- msgid "Use tag slug as hashtag value"
302
- msgstr ""
303
-
304
- #: wp-to-twitter-manager.php:177
305
- msgid "WP to Twitter failed to connect with Twitter. Try <a href=\"#wpt_http\">switching to an HTTP connection</a>."
306
- msgstr ""
307
-
308
- #: wp-to-twitter-shorteners.php:548
309
- msgid "Choose a short URL service (account settings below)"
310
- msgstr ""
311
-
312
- #: wp-to-twitter-shorteners.php:554
313
- msgid "YOURLS (on this server)"
314
- msgstr ""
315
-
316
- #: wp-to-twitter-shorteners.php:555
317
- msgid "YOURLS (on a remote server)"
318
- msgstr ""
319
-
320
- #: wpt-functions.php:264
321
- 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>."
322
- msgstr ""
323
-
324
- #: wpt-functions.php:266
325
- msgid "Thanks for using WP to Twitter. Please ensure that you can receive email at <code>%s</code>."
326
- msgstr ""
327
-
328
- #: wpt-functions.php:285
329
- msgid "Reply to:"
330
- msgstr ""
331
-
332
- #: wp-to-twitter-manager.php:672
333
- msgid "The lowest user group that can add their Twitter information"
334
- msgstr ""
335
-
336
- #: wp-to-twitter-manager.php:677
337
- msgid "The lowest user group that can see the Custom Tweet options when posting"
338
- msgstr ""
339
-
340
- #: wp-to-twitter-manager.php:682
341
- msgid "The lowest user group that can toggle the Tweet/Don't Tweet option"
342
- msgstr ""
343
-
344
- #: wp-to-twitter-manager.php:687
345
- msgid "The lowest user group that can send Twitter updates"
346
- msgstr ""
347
-
348
- #: wp-to-twitter-manager.php:816
349
- msgid "<code>#author#</code>: the post author (@reference if available, otherwise display name)"
350
- msgstr ""
351
-
352
- #: wp-to-twitter-manager.php:817
353
- msgid "<code>#displayname#</code>: post author's display name"
354
- msgstr ""
355
-
356
- #: wp-to-twitter.php:291
357
- msgid "This tweet was blank and could not be sent to Twitter."
358
- msgstr ""
359
-
360
- #: wp-to-twitter.php:339
361
- msgid "404 Not Found: The URI requested is invalid or the resource requested does not exist."
362
- msgstr ""
363
-
364
- #: wp-to-twitter.php:342
365
- msgid "406 Not Acceptable: Invalid Format Specified."
366
- msgstr ""
367
-
368
- #: wp-to-twitter.php:348
369
- msgid "429 Too Many Requests: You have exceeded your rate limits."
370
- msgstr ""
371
-
372
- #: wp-to-twitter.php:360
373
- 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."
374
- msgstr ""
375
-
376
- #: wp-to-twitter.php:1028
377
- msgid "Your prepended Tweet text; not part of your template."
378
- msgstr ""
379
-
380
- #: wp-to-twitter.php:1031
381
- msgid "Your appended Tweet text; not part of your template."
382
- msgstr ""
383
-
384
- #: wp-to-twitter.php:1130
385
- msgid "Your role does not have the ability to Post Tweets from this site."
386
- msgstr ""
387
-
388
- #: wp-to-twitter.php:1275
389
- msgid "Hide account name in Tweets"
390
- msgstr ""
391
-
392
- #: wp-to-twitter.php:1276
393
- msgid "Do not display my account in the #account# template tag."
394
- msgstr ""
395
-
396
- #: wpt-functions.php:288
397
- msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
398
- msgstr ""
399
-
400
- #: wpt-functions.php:291
401
- msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
402
- msgstr ""
403
-
404
- #: wpt-functions.php:294
405
- msgid "Support Request:"
406
- msgstr ""
407
-
408
- #: wp-to-twitter-manager.php:485
409
- msgid "Settings for type \"%1$s\""
410
- msgstr ""
411
-
412
- #: wp-to-twitter-manager.php:488
413
- msgid "Update when %1$s %2$s is published"
414
- msgstr ""
415
-
416
- #: wp-to-twitter-manager.php:488
417
- msgid "Text for new %1$s updates"
418
- msgstr ""
419
-
420
- #: wp-to-twitter-manager.php:492
421
- msgid "Update when %1$s %2$s is edited"
422
- msgstr ""
423
-
424
- #: wp-to-twitter-manager.php:492
425
- msgid "Text for %1$s editing updates"
426
- msgstr ""
427
-
428
- #: wp-to-twitter-oauth.php:217
429
- msgid "Your server timezone (should be UTC,GMT,Europe/London or equivalent):"
430
- msgstr ""
431
-
432
- #: wp-to-twitter-shorteners.php:558
433
- msgid "Use Twitter Friendly Links."
434
- msgstr ""
435
-
436
- #: wp-to-twitter-shorteners.php:332
437
- msgid "View your Bit.ly username and API key"
438
- msgstr ""
439
-
440
- #: wp-to-twitter-shorteners.php:394
441
- msgid "Your shortener does not require any account settings."
442
- msgstr ""
443
-
444
- #: wp-to-twitter.php:317
445
- msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
446
- msgstr ""
447
-
448
- #: wp-to-twitter.php:1152
449
- msgid "Failed Tweets"
450
- msgstr ""
451
-
452
- #: wp-to-twitter.php:1167
453
- msgid "No failed tweets on this post."
454
- msgstr ""
455
-
456
- #: wp-to-twitter-manager.php:789
457
- msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
458
- msgstr ""
459
-
460
- #: wp-to-twitter-manager.php:822
461
- 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."
462
- msgstr ""
463
-
464
- #: wp-to-twitter-oauth.php:284
465
- msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
466
- msgstr ""
467
-
468
- #: wp-to-twitter.php:276
469
- msgid "This account is not authorized to post to Twitter."
470
- msgstr ""
471
-
472
- #: wp-to-twitter.php:285
473
- msgid "This tweet is identical to another Tweet recently sent to this account."
474
- msgstr ""
475
-
476
- #: wp-to-twitter-shorteners.php:298
477
- msgid "(optional)"
478
- msgstr ""
479
-
480
- #: wp-to-twitter-manager.php:603
481
- msgid "Do not post Tweets by default (editing only)"
482
- msgstr ""
483
-
484
- #: wp-to-twitter-manager.php:814
485
- msgid "<code>#modified#</code>: the post modified date"
486
- msgstr ""
487
-
488
- #: wp-to-twitter-oauth.php:282
489
- msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
490
- msgstr ""
491
-
492
- #: wp-to-twitter-manager.php:650
493
- msgid "Authors have individual Twitter accounts"
494
- msgstr ""
495
-
496
- #: wp-to-twitter-manager.php:693
497
- msgid "Disable global URL shortener error messages."
498
- msgstr ""
499
-
500
- #: wp-to-twitter-manager.php:694
501
- msgid "Disable global Twitter API error messages."
502
- msgstr ""
503
-
504
- #: wp-to-twitter-manager.php:696
505
- msgid "Get Debugging Data for OAuth Connection"
506
- msgstr ""
507
-
508
- #: wp-to-twitter-manager.php:698
509
- msgid "Switch to <code>http</code> connection. (Default is https)"
510
- msgstr ""
511
-
512
- #: wp-to-twitter-manager.php:700
513
- msgid "I made a donation, so stop whinging at me, please."
514
- msgstr ""
515
-
516
- #: wp-to-twitter-manager.php:714
517
- msgid "Limit Updating Categories"
518
- msgstr ""
519
-
520
- #: wp-to-twitter-manager.php:717
521
- msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
522
- msgstr ""
523
-
524
- #: wp-to-twitter-manager.php:718
525
- msgid "<em>Category limits are disabled.</em>"
526
- msgstr ""
527
-
528
- #: wp-to-twitter-manager.php:727
529
- msgid "Get Plug-in Support"
530
- msgstr ""
531
-
532
- #: wp-to-twitter-manager.php:738
533
- msgid "Check Support"
534
- msgstr ""
535
-
536
- #: wp-to-twitter-manager.php:738
537
- 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."
538
- msgstr ""
539
-
540
- #: wp-to-twitter-manager.php:756
541
- msgid "Support WP to Twitter"
542
- msgstr ""
543
-
544
- #: wp-to-twitter-manager.php:758
545
- msgid "WP to Twitter Support"
546
- msgstr ""
547
-
548
- #: wp-to-twitter-manager.php:766 wp-to-twitter.php:1119 wp-to-twitter.php:1121
549
- msgid "Get Support"
550
- msgstr ""
551
-
552
- #: wp-to-twitter-manager.php:769
553
- 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!"
554
- msgstr ""
555
-
556
- #: wp-to-twitter-manager.php:787
557
- msgid "Upgrade Now!"
558
- msgstr ""
559
-
560
- #: wp-to-twitter-manager.php:790
561
- msgid "Extra features with the PRO upgrade:"
562
- msgstr ""
563
-
564
- #: wp-to-twitter-manager.php:804
565
- msgid "Shortcodes"
566
- msgstr ""
567
-
568
- #: wp-to-twitter-manager.php:806
569
- msgid "Available in post update templates:"
570
- msgstr ""
571
-
572
- #: wp-to-twitter-manager.php:808
573
- msgid "<code>#title#</code>: the title of your blog post"
574
- msgstr ""
575
-
576
- #: wp-to-twitter-manager.php:809
577
- msgid "<code>#blog#</code>: the title of your blog"
578
- msgstr ""
579
-
580
- #: wp-to-twitter-manager.php:810
581
- msgid "<code>#post#</code>: a short excerpt of the post content"
582
- msgstr ""
583
-
584
- #: wp-to-twitter-manager.php:811
585
- msgid "<code>#category#</code>: the first selected category for the post"
586
- msgstr ""
587
-
588
- #: wp-to-twitter-manager.php:813
589
- msgid "<code>#date#</code>: the post date"
590
- msgstr ""
591
-
592
- #: wp-to-twitter-manager.php:815
593
- msgid "<code>#url#</code>: the post URL"
594
- msgstr ""
595
-
596
- #: wp-to-twitter-manager.php:818
597
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
598
- msgstr ""
599
-
600
- #: wp-to-twitter-manager.php:820
601
- msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
602
- msgstr ""
603
-
604
- #: wp-to-twitter-manager.php:825
605
- 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>"
606
- msgstr ""
607
-
608
- #: wp-to-twitter-oauth.php:115
609
- msgid "WP to Twitter was unable to establish a connection to Twitter."
610
- msgstr ""
611
-
612
- #: wp-to-twitter-oauth.php:185
613
- msgid "There was an error querying Twitter's servers"
614
- msgstr ""
615
-
616
- #: wp-to-twitter-oauth.php:209 wp-to-twitter-oauth.php:211
617
- msgid "Connect to Twitter"
618
- msgstr ""
619
-
620
- #: wp-to-twitter-oauth.php:214
621
- msgid "WP to Twitter Set-up"
622
- msgstr ""
623
-
624
- #: wp-to-twitter-oauth.php:215 wp-to-twitter-oauth.php:306
625
- #: wp-to-twitter-oauth.php:311
626
- msgid "Your server time:"
627
- msgstr ""
628
-
629
- #: wp-to-twitter-oauth.php:215
630
- msgid "Twitter's time:"
631
- msgstr ""
632
-
633
- #: wp-to-twitter-oauth.php:215
634
- msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
635
- msgstr ""
636
-
637
- #: wp-to-twitter-oauth.php:221
638
- msgid "1. Register this site as an application on "
639
- msgstr ""
640
-
641
- #: wp-to-twitter-oauth.php:221
642
- msgid "Twitter's application registration page"
643
- msgstr ""
644
-
645
- #: wp-to-twitter-oauth.php:223
646
- msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
647
- msgstr ""
648
-
649
- #: wp-to-twitter-oauth.php:225
650
- msgid "Your Application Description can be anything."
651
- msgstr ""
652
-
653
- #: wp-to-twitter-oauth.php:226
654
- msgid "The WebSite and Callback URL should be "
655
- msgstr ""
656
-
657
- #: wp-to-twitter-oauth.php:228
658
- msgid "Agree to the Developer Rules of the Road and continue."
659
- msgstr ""
660
-
661
- #: wp-to-twitter-oauth.php:229
662
- msgid "2. Switch to the \"Settings\" tab in Twitter apps"
663
- msgstr ""
664
-
665
- #: wp-to-twitter-oauth.php:231
666
- msgid "Select \"Read and Write\" for the Application Type"
667
- msgstr ""
668
-
669
- #: wp-to-twitter-oauth.php:232
670
- msgid "Update the application settings"
671
- msgstr ""
672
-
673
- #: wp-to-twitter-oauth.php:235
674
- msgid "Once you have registered your site as an application, you will be provided with four keys."
675
- msgstr ""
676
-
677
- #: wp-to-twitter-oauth.php:236
678
- msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
679
- msgstr ""
680
-
681
- #: wp-to-twitter-oauth.php:239
682
- msgid "Twitter Consumer Key"
683
- msgstr ""
684
-
685
- #: wp-to-twitter-oauth.php:243
686
- msgid "Twitter Consumer Secret"
687
- msgstr ""
688
-
689
- #: wp-to-twitter-oauth.php:247
690
- msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
691
- msgstr ""
692
-
693
- #: wp-to-twitter-oauth.php:248
694
- 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."
695
- msgstr ""
696
-
697
- #: wp-to-twitter-oauth.php:251
698
- msgid "Access Token"
699
- msgstr ""
700
-
701
- #: wp-to-twitter-oauth.php:255
702
- msgid "Access Token Secret"
703
- msgstr ""
704
-
705
- #: wp-to-twitter-oauth.php:274
706
- msgid "Disconnect Your WordPress and Twitter Account"
707
- msgstr ""
708
-
709
- #: wp-to-twitter-oauth.php:278
710
- msgid "Disconnect your WordPress and Twitter Account"
711
- msgstr ""
712
-
713
- #: wp-to-twitter-oauth.php:288
714
- msgid "Disconnect from Twitter"
715
- msgstr ""
716
-
717
- #: wp-to-twitter-oauth.php:294
718
- msgid "Twitter Username "
719
- msgstr ""
720
-
721
- #: wp-to-twitter-oauth.php:295
722
- msgid "Consumer Key "
723
- msgstr ""
724
-
725
- #: wp-to-twitter-oauth.php:296
726
- msgid "Consumer Secret "
727
- msgstr ""
728
-
729
- #: wp-to-twitter-oauth.php:297
730
- msgid "Access Token "
731
- msgstr ""
732
-
733
- #: wp-to-twitter-oauth.php:298
734
- msgid "Access Token Secret "
735
- msgstr ""
736
-
737
- #: wp-to-twitter.php:43
738
- msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
739
- msgstr ""
740
-
741
- #: wp-to-twitter-oauth.php:200
742
- msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
743
- msgstr ""
744
-
745
- #: wp-to-twitter.php:322
746
- msgid "200 OK: Success!"
747
- msgstr ""
748
-
749
- #: wp-to-twitter.php:329
750
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
751
- msgstr ""
752
-
753
- #: wp-to-twitter.php:332
754
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
755
- msgstr ""
756
-
757
- #: wp-to-twitter.php:351
758
- msgid "500 Internal Server Error: Something is broken at Twitter."
759
- msgstr ""
760
-
761
- #: wp-to-twitter.php:357
762
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
763
- msgstr ""
764
-
765
- #: wp-to-twitter.php:354
766
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
767
- msgstr ""
768
-
769
- #: wp-to-twitter.php:397
770
- msgid "No Twitter OAuth connection found."
771
- msgstr ""
772
-
773
- #: wp-to-twitter.php:1138
774
- msgid "Previous Tweets"
775
- msgstr ""
776
-
777
- #: wp-to-twitter.php:1023
778
- msgid "Custom Twitter Post"
779
- msgstr ""
780
-
781
- #: wp-to-twitter.php:1034
782
- msgid "Your template:"
783
- msgstr ""
784
-
785
- #: wp-to-twitter.php:1038
786
- msgid "YOURLS Custom Keyword"
787
- msgstr ""
788
-
789
- #: wp-to-twitter.php:1119
790
- msgid "Upgrade to WP Tweets Pro"
791
- msgstr ""
792
-
793
- #: wp-to-twitter.php:1049
794
- msgid "Don't Tweet this post."
795
- msgstr ""
796
-
797
- #: wp-to-twitter.php:1049
798
- msgid "Tweet this post."
799
- msgstr ""
800
-
801
- #: wp-to-twitter.php:1097
802
- msgid "Access to customizing WP to Twitter values is not allowed for your user role."
803
- msgstr ""
804
-
805
- #: wp-to-twitter.php:1196
806
- msgid "Characters left: "
807
- msgstr ""
808
-
809
- #: wp-to-twitter.php:1261
810
- msgid "WP Tweets User Settings"
811
- msgstr ""
812
-
813
- #: wp-to-twitter.php:1265
814
- msgid "Use My Twitter Username"
815
- msgstr ""
816
-
817
- #: wp-to-twitter.php:1266
818
- msgid "Tweet my posts with an @ reference to my username."
819
- msgstr ""
820
-
821
- #: wp-to-twitter.php:1267
822
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
823
- msgstr ""
824
-
825
- #: wp-to-twitter.php:1271
826
- msgid "Your Twitter Username"
827
- msgstr ""
828
-
829
- #: wp-to-twitter.php:1272
830
- msgid "Enter your own Twitter username."
831
- msgstr ""
832
-
833
- #: wp-to-twitter.php:1329
834
- msgid "Check off categories to tweet"
835
- msgstr ""
836
-
837
- #: wp-to-twitter.php:1333
838
- msgid "Do not tweet posts in checked categories (Reverses default behavior)"
839
- msgstr ""
840
-
841
- #: wp-to-twitter.php:1350
842
- 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."
843
- msgstr ""
844
-
845
- #: wp-to-twitter.php:1353
846
- msgid "Set Categories"
847
- msgstr ""
848
-
849
- #: wp-to-twitter.php:1376
850
- msgid "Settings"
851
- msgstr ""
852
-
853
- #: wp-to-twitter.php:1414
854
- msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
855
- msgstr ""
856
-
857
- msgid "WP to Twitter"
858
- msgstr ""
859
-
860
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
861
- msgstr ""
862
-
863
- msgid "Joseph Dolson"
864
- msgstr ""
865
-
866
- msgid "http://www.joedolson.com/"
867
- msgstr ""
868
-
869
- #: wpt-functions.php:258
870
- msgid "Please read the FAQ and other Help documents before making a support request."
871
- msgstr ""
872
-
873
- #: wpt-functions.php:260
874
- msgid "Please describe your problem. I'm not psychic."
875
- msgstr ""
876
-
877
- #: wpt-functions.php:280
878
- 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."
879
- msgstr ""
880
-
881
- #: wpt-functions.php:297
882
- msgid "Send Support Request"
883
- msgstr ""
884
-
885
- #: wpt-functions.php:300
886
- msgid "The following additional information will be sent with your support request:"
887
- msgstr ""
888
-
889
- #: wp-to-twitter-manager.php:41
890
- msgid "No error information is available for your shortener."
891
- msgstr ""
892
-
893
- #: wp-to-twitter-manager.php:43
894
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
895
- msgstr ""
896
-
897
- #: wp-to-twitter-manager.php:46
898
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
899
- msgstr ""
900
-
901
- #: wp-to-twitter-manager.php:54
902
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
903
- msgstr ""
904
-
905
- #: wp-to-twitter-manager.php:57
906
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
907
- msgstr ""
908
-
909
- #: wp-to-twitter-manager.php:61
910
- msgid "You have not connected WordPress to Twitter."
911
- msgstr ""
912
-
913
- #: wp-to-twitter-manager.php:65
914
- 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>"
915
- msgstr ""
916
-
917
- #: wp-to-twitter-manager.php:69
918
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
919
- msgstr ""
920
-
921
- #: wp-to-twitter-manager.php:87
922
- msgid "WP to Twitter Errors Cleared"
923
- msgstr ""
924
-
925
- #: wp-to-twitter-manager.php:170
926
- msgid "WP to Twitter is now connected with Twitter."
927
- msgstr ""
928
-
929
- #: wp-to-twitter-manager.php:185
930
- msgid "OAuth Authentication Data Cleared."
931
- msgstr ""
932
-
933
- #: wp-to-twitter-manager.php:192
934
- 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."
935
- msgstr ""
936
-
937
- #: wp-to-twitter-manager.php:199
938
- msgid "OAuth Authentication response not understood."
939
- msgstr ""
940
-
941
- #: wp-to-twitter-manager.php:376
942
- msgid "WP to Twitter Advanced Options Updated"
943
- msgstr ""
944
-
945
- #: wp-to-twitter-shorteners.php:526
946
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
947
- msgstr ""
948
-
949
- #: wp-to-twitter-shorteners.php:534
950
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
951
- msgstr ""
952
-
953
- #: wp-to-twitter-shorteners.php:538
954
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
955
- msgstr ""
956
-
957
- #: wp-to-twitter-manager.php:394
958
- msgid "WP to Twitter Options Updated"
959
- msgstr ""
960
-
961
- #: wp-to-twitter-manager.php:403
962
- msgid "Category limits updated."
963
- msgstr ""
964
-
965
- #: wp-to-twitter-manager.php:407
966
- msgid "Category limits unset."
967
- msgstr ""
968
-
969
- #: wp-to-twitter-shorteners.php:406
970
- msgid "YOURLS password updated. "
971
- msgstr ""
972
-
973
- #: wp-to-twitter-shorteners.php:409
974
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
975
- msgstr ""
976
-
977
- #: wp-to-twitter-shorteners.php:411
978
- msgid "Failed to save your YOURLS password! "
979
- msgstr ""
980
-
981
- #: wp-to-twitter-shorteners.php:415
982
- msgid "YOURLS username added. "
983
- msgstr ""
984
-
985
- #: wp-to-twitter-shorteners.php:419
986
- msgid "YOURLS API url added. "
987
- msgstr ""
988
-
989
- #: wp-to-twitter-shorteners.php:422
990
- msgid "YOURLS API url removed. "
991
- msgstr ""
992
-
993
- #: wp-to-twitter-shorteners.php:427
994
- msgid "YOURLS local server path added. "
995
- msgstr ""
996
-
997
- #: wp-to-twitter-shorteners.php:429
998
- msgid "The path to your YOURLS installation is not correct. "
999
- msgstr ""
1000
-
1001
- #: wp-to-twitter-shorteners.php:433
1002
- msgid "YOURLS local server path removed. "
1003
- msgstr ""
1004
-
1005
- #: wp-to-twitter-shorteners.php:438
1006
- msgid "YOURLS will use Post ID for short URL slug."
1007
- msgstr ""
1008
-
1009
- #: wp-to-twitter-shorteners.php:440
1010
- msgid "YOURLS will use your custom keyword for short URL slug."
1011
- msgstr ""
1012
-
1013
- #: wp-to-twitter-shorteners.php:444
1014
- msgid "YOURLS will not use Post ID for the short URL slug."
1015
- msgstr ""
1016
-
1017
- #: wp-to-twitter-shorteners.php:452
1018
- msgid "Su.pr API Key and Username Updated"
1019
- msgstr ""
1020
-
1021
- #: wp-to-twitter-shorteners.php:456
1022
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
1023
- msgstr ""
1024
-
1025
- #: wp-to-twitter-shorteners.php:458
1026
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
1027
- msgstr ""
1028
-
1029
- #: wp-to-twitter-shorteners.php:464
1030
- msgid "Bit.ly API Key Updated."
1031
- msgstr ""
1032
-
1033
- #: wp-to-twitter-shorteners.php:467
1034
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
1035
- msgstr ""
1036
-
1037
- #: wp-to-twitter-shorteners.php:469
1038
- 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."
1039
- msgstr ""
1040
-
1041
- #: wp-to-twitter-shorteners.php:473
1042
- msgid " Bit.ly User Login Updated."
1043
- msgstr ""
1044
-
1045
- #: wp-to-twitter-shorteners.php:476
1046
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
1047
- msgstr ""
1048
-
1049
- #: wp-to-twitter-shorteners.php:478
1050
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
1051
- msgstr ""
1052
-
1053
- #: wp-to-twitter-manager.php:427
1054
- 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>"
1055
- msgstr ""
1056
-
1057
- #: wp-to-twitter-manager.php:433
1058
- 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. "
1059
- msgstr ""
1060
-
1061
- #: wp-to-twitter-manager.php:436
1062
- 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>"
1063
- msgstr ""
1064
-
1065
- #: wp-to-twitter-manager.php:442
1066
- msgid "Clear 'WP to Twitter' Error Messages"
1067
- msgstr ""
1068
-
1069
- #: wp-to-twitter-manager.php:448
1070
- msgid "WP to Twitter Options"
1071
- msgstr ""
1072
-
1073
- #: wp-to-twitter-manager.php:461
1074
- msgid "Basic Settings"
1075
- msgstr ""
1076
-
1077
- #: wp-to-twitter-manager.php:467 wp-to-twitter-manager.php:511
1078
- msgid "Save WP->Twitter Options"
1079
- msgstr ""
1080
-
1081
- #: wp-to-twitter-manager.php:500
1082
- msgid "Settings for Links"
1083
- msgstr ""
1084
-
1085
- #: wp-to-twitter-manager.php:503
1086
- msgid "Update Twitter when you post a Blogroll link"
1087
- msgstr ""
1088
-
1089
- #: wp-to-twitter-manager.php:504
1090
- msgid "Text for new link updates:"
1091
- msgstr ""
1092
-
1093
- #: wp-to-twitter-manager.php:504
1094
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
1095
- msgstr ""
1096
-
1097
- #: wp-to-twitter-shorteners.php:550
1098
- msgid "Don't shorten URLs."
1099
- msgstr ""
1100
-
1101
- #: wp-to-twitter-shorteners.php:294
1102
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
1103
- msgstr ""
1104
-
1105
- #: wp-to-twitter-shorteners.php:298
1106
- msgid "Your Su.pr account details"
1107
- msgstr ""
1108
-
1109
- #: wp-to-twitter-shorteners.php:303
1110
- msgid "Your Su.pr Username:"
1111
- msgstr ""
1112
-
1113
- #: wp-to-twitter-shorteners.php:307
1114
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
1115
- msgstr ""
1116
-
1117
- #: wp-to-twitter-shorteners.php:314
1118
- 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."
1119
- msgstr ""
1120
-
1121
- #: wp-to-twitter-shorteners.php:320
1122
- msgid "Your Bit.ly account details"
1123
- msgstr ""
1124
-
1125
- #: wp-to-twitter-shorteners.php:325
1126
- msgid "Your Bit.ly username:"
1127
- msgstr ""
1128
-
1129
- #: wp-to-twitter-shorteners.php:329
1130
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
1131
- msgstr ""
1132
-
1133
- #: wp-to-twitter-shorteners.php:337
1134
- msgid "Save Bit.ly API Key"
1135
- msgstr ""
1136
-
1137
- #: wp-to-twitter-shorteners.php:337
1138
- msgid "Clear Bit.ly API Key"
1139
- msgstr ""
1140
-
1141
- #: wp-to-twitter-shorteners.php:337
1142
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
1143
- msgstr ""
1144
-
1145
- #: wp-to-twitter-shorteners.php:343
1146
- msgid "Your YOURLS account details"
1147
- msgstr ""
1148
-
1149
- #: wp-to-twitter-shorteners.php:348
1150
- msgid "Path to your YOURLS config file (Local installations)"
1151
- msgstr ""
1152
-
1153
- #: wp-to-twitter-shorteners.php:349 wp-to-twitter-shorteners.php:353
1154
- msgid "Example:"
1155
- msgstr ""
1156
-
1157
- #: wp-to-twitter-shorteners.php:352
1158
- msgid "URI to the YOURLS API (Remote installations)"
1159
- msgstr ""
1160
-
1161
- #: wp-to-twitter-shorteners.php:356
1162
- msgid "Your YOURLS username:"
1163
- msgstr ""
1164
-
1165
- #: wp-to-twitter-shorteners.php:360
1166
- msgid "Your YOURLS password:"
1167
- msgstr ""
1168
-
1169
- #: wp-to-twitter-shorteners.php:360
1170
- msgid "<em>Saved</em>"
1171
- msgstr ""
1172
-
1173
- #: wp-to-twitter-shorteners.php:364
1174
- msgid "Post ID for YOURLS url slug."
1175
- msgstr ""
1176
-
1177
- #: wp-to-twitter-shorteners.php:365
1178
- msgid "Custom keyword for YOURLS url slug."
1179
- msgstr ""
1180
-
1181
- #: wp-to-twitter-shorteners.php:366
1182
- msgid "Default: sequential URL numbering."
1183
- msgstr ""
1184
-
1185
- #: wp-to-twitter-shorteners.php:372
1186
- msgid "Save YOURLS Account Info"
1187
- msgstr ""
1188
-
1189
- #: wp-to-twitter-shorteners.php:372
1190
- msgid "Clear YOURLS password"
1191
- msgstr ""
1192
-
1193
- #: wp-to-twitter-shorteners.php:372
1194
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
1195
- msgstr ""
1196
-
1197
- #: wp-to-twitter-manager.php:522
1198
- msgid "Advanced Settings"
1199
- msgstr ""
1200
-
1201
- #: wp-to-twitter-manager.php:527 wp-to-twitter-manager.php:706
1202
- msgid "Save Advanced WP->Twitter Options"
1203
- msgstr ""
1204
-
1205
- #: wp-to-twitter-manager.php:532
1206
- msgid "Strip nonalphanumeric characters from tags"
1207
- msgstr ""
1208
-
1209
- #: wp-to-twitter-manager.php:538
1210
- msgid "Spaces in tags replaced with:"
1211
- msgstr ""
1212
-
1213
- #: wp-to-twitter-manager.php:541
1214
- msgid "Maximum number of tags to include:"
1215
- msgstr ""
1216
-
1217
- #: wp-to-twitter-manager.php:542
1218
- msgid "Maximum length in characters for included tags:"
1219
- msgstr ""
1220
-
1221
- #: wp-to-twitter-manager.php:548
1222
- msgid "Length of post excerpt (in characters):"
1223
- msgstr ""
1224
-
1225
- #: wp-to-twitter-manager.php:551
1226
- msgid "WP to Twitter Date Formatting:"
1227
- msgstr ""
1228
-
1229
- #: wp-to-twitter-manager.php:551
1230
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
1231
- msgstr ""
1232
-
1233
- #: wp-to-twitter-manager.php:555
1234
- msgid "Custom text before all Tweets:"
1235
- msgstr ""
1236
-
1237
- #: wp-to-twitter-manager.php:558
1238
- msgid "Custom text after all Tweets:"
1239
- msgstr ""
1240
-
1241
- #: wp-to-twitter-manager.php:561
1242
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1243
- msgstr ""
1244
-
1245
- #: wp-to-twitter-manager.php:598
1246
- msgid "Special Cases when WordPress should send a Tweet"
1247
- msgstr ""
1248
-
1249
- #: wp-to-twitter-manager.php:601
1250
- msgid "Do not post Tweets by default"
1251
- msgstr ""
1252
-
1253
- #: wp-to-twitter-manager.php:607
1254
- msgid "Allow status updates from Quick Edit"
1255
- msgstr ""
1256
-
1257
- #: wp-to-twitter-manager.php:612
1258
- msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
1259
- msgstr ""
1260
-
1261
- #: wp-to-twitter-manager.php:619
1262
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1263
- msgstr ""
1264
-
1265
- #: wp-to-twitter-manager.php:624
1266
- msgid "Google Analytics Settings"
1267
- msgstr ""
1268
-
1269
- #: wp-to-twitter-manager.php:625
1270
- 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."
1271
- msgstr ""
1272
-
1273
- #: wp-to-twitter-manager.php:628
1274
- msgid "Use a Static Identifier with WP-to-Twitter"
1275
- msgstr ""
1276
-
1277
- #: wp-to-twitter-manager.php:629
1278
- msgid "Static Campaign identifier for Google Analytics:"
1279
- msgstr ""
1280
-
1281
- #: wp-to-twitter-manager.php:633
1282
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1283
- msgstr ""
1284
-
1285
- #: wp-to-twitter-manager.php:634
1286
- msgid "What dynamic identifier would you like to use?"
1287
- msgstr ""
1288
-
1289
- #: wp-to-twitter-manager.php:636
1290
- msgid "Category"
1291
- msgstr ""
1292
-
1293
- #: wp-to-twitter-manager.php:637
1294
- msgid "Post ID"
1295
- msgstr ""
1296
-
1297
- #: wp-to-twitter-manager.php:638
1298
- msgid "Post Title"
1299
- msgstr ""
1300
-
1301
- #: wp-to-twitter-manager.php:639
1302
- msgid "Author"
1303
- msgstr ""
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-ua_UA.po DELETED
@@ -1,548 +0,0 @@
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 ukrainian\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-25 19:16+0200\n"
12
- "Last-Translator: Alexandr <pixelpwnz@gmail.com>\n"
13
- "Language-Team: Alyona Lompar <alyona.lompar@aol.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: Ukrainian\n"
18
- "X-Poedit-Country: UKRAINE\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 і створене коротке посилання.</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 ""
386
-
387
- #: wp-to-twitter-manager.php:462
388
- msgid "Save WP->Twitter Options"
389
- msgstr "Зберегти WP->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-zh_CN.po DELETED
@@ -1,1162 +0,0 @@
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: 2011-08-01 22:02:33+00:00\n"
6
- "PO-Revision-Date: \n"
7
- "Last-Translator: pnuts <i@pnuts.cc>\n"
8
- "Language-Team: Racent <pnuts.zhao@racent.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: Chinese\n"
13
- "X-Poedit-Country: CHINA\n"
14
-
15
- #: functions.php:201
16
- 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."
17
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>隐藏</a>]如果你在使用中遇到错误,请复制这些设置信息给我们以获得技术支持。"
18
-
19
- #: wp-to-twitter.php:48
20
- msgid "WP to Twitter requires PHP version 5 or above with cURL support. Please upgrade PHP or install cURL to run WP to Twitter."
21
- msgstr "WP to Twitter需要PHP5或以上版本,并启用了cURL支持。请升级PHP并安装cURL。"
22
-
23
- #: wp-to-twitter.php:69
24
- 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>"
25
- msgstr "WP to Twitter需要Wordpress2.9.2或以上版本。 <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">请更新你的Wordpress版本!</a>"
26
-
27
- #: wp-to-twitter.php:83
28
- msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
29
- msgstr "Twitter需要OAuth验证。若要完成安装,请先<a href='%s'>更新设置</a>。"
30
-
31
- #: wp-to-twitter.php:197
32
- msgid "200 OK: Success!"
33
- msgstr "200 OK: 成功!"
34
-
35
- #: wp-to-twitter.php:201
36
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
37
- msgstr "400 无效请求:请求无效。在请求频率限制的范围内返回了400的状态码。"
38
-
39
- #: wp-to-twitter.php:205
40
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
41
- msgstr "401 未授权:授权证书丢失或不正确。"
42
-
43
- #: wp-to-twitter.php:209
44
- 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."
45
- msgstr "403 禁止访问:请求已被识别,但被服务器拒绝响应。当Twitter拒绝响应用户请求时会返回此错误。原因包括:内容超过140个字或者API变动等。"
46
-
47
- #: wp-to-twitter.php:213
48
- msgid "500 Internal Server Error: Something is broken at Twitter."
49
- msgstr "500 内部错误:Twitter服务器发生了内部错误。"
50
-
51
- #: wp-to-twitter.php:217
52
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests Please try again later."
53
- msgstr "503 服务不可用:Twitter服务器负荷过重,请稍后再试。"
54
-
55
- #: wp-to-twitter.php:221
56
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
57
- msgstr "502 错误的网关:Twitter服务器宕机或升级中。"
58
-
59
- #. #-#-#-#-# plugin.pot (WP to Twitter 2.3.5) #-#-#-#-#
60
- #. Plugin Name of the plugin/theme
61
- #: wp-to-twitter.php:803
62
- msgid "WP to Twitter"
63
- msgstr "WP to Twitter"
64
-
65
- #: wp-to-twitter.php:833
66
- msgid "Tweet this post."
67
- msgstr "推这篇博文。"
68
-
69
- #: wp-to-twitter.php:836
70
- msgid "Don't Tweet this post."
71
- msgstr "不要将这篇日志同步至Twitter"
72
-
73
- #: wp-to-twitter.php:877
74
- msgid "Custom Twitter Post"
75
- msgstr "定制推文"
76
-
77
- #: wp-to-twitter.php:886
78
- #: wp-to-twitter-manager.php:385
79
- msgid "Make a Donation"
80
- msgstr "捐助"
81
-
82
- #: wp-to-twitter.php:886
83
- #: wp-to-twitter-manager.php:385
84
- msgid "Get Support"
85
- msgstr "获得支持"
86
-
87
- #: wp-to-twitter.php:899
88
- msgid "This URL is direct and has not been shortened: "
89
- msgstr "URL没有使用短域名服务:"
90
-
91
- #: wp-to-twitter.php:961
92
- msgid "WP to Twitter User Settings"
93
- msgstr "WP to Twitter 用户设置"
94
-
95
- #: wp-to-twitter.php:965
96
- msgid "Use My Twitter Username"
97
- msgstr "使用我Twitter的用户名"
98
-
99
- #: wp-to-twitter.php:966
100
- msgid "Tweet my posts with an @ reference to my username."
101
- msgstr "同步日志到Twitter后,使用@通知我的Twitter账户。"
102
-
103
- #: wp-to-twitter.php:967
104
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
105
- msgstr "如果如果同步日志到Twitter后,使用@通知我的Twitter账户以及博客的主Twitter账户。"
106
-
107
- #: wp-to-twitter.php:971
108
- msgid "Your Twitter Username"
109
- msgstr "你的Twitter用户名"
110
-
111
- #: wp-to-twitter.php:972
112
- msgid "Enter your own Twitter username."
113
- msgstr "输入你的Twitter用户名。"
114
-
115
- #: wp-to-twitter.php:1011
116
- msgid "Check the categories you want to tweet:"
117
- msgstr "选择你想要推的分类:"
118
-
119
- #: wp-to-twitter.php:1028
120
- msgid "Set Categories"
121
- msgstr "设定分类"
122
-
123
- #: wp-to-twitter.php:1052
124
- msgid "<p>Couldn't locate the settings page.</p>"
125
- msgstr "<p>不能确定设置页面的位置。</p>"
126
-
127
- #: wp-to-twitter.php:1057
128
- msgid "Settings"
129
- msgstr "设置"
130
-
131
- #: wp-to-twitter-oauth.php:105
132
- msgid "There was an error querying Twitter's servers."
133
- msgstr "查询Twitter服务器的过程中发生了错误。"
134
-
135
- #: wp-to-twitter-oauth.php:112
136
- #: wp-to-twitter-oauth.php:156
137
- msgid "Connect to Twitter"
138
- msgstr "连接到Twitter"
139
-
140
- #: wp-to-twitter-oauth.php:115
141
- #: wp-to-twitter-oauth.php:186
142
- msgid "Your server time:"
143
- msgstr "你服务器的时间:"
144
-
145
- #: wp-to-twitter-oauth.php:115
146
- msgid "If these times are not within 5 minutes of each other, your server will not be able to connect to Twitter."
147
- msgstr "如果他们之间的时间间隔超过5分钟,你的服务器将无法访问Twitter。"
148
-
149
- #: wp-to-twitter-oauth.php:116
150
- msgid "The process to set up OAuth authentication for your web site is needlessly laborious. However, this is the method available. Note that you will not add your Twitter username or password to WP to Twitter; they are not used in OAuth authentication."
151
- msgstr "设置OAuth验证的过程虽然复杂,但却是唯一的可用方法。注意:你不需要在WP to Twitter中输入你Twitter账户的用户名和密码,OAuth验证过程不需要这些信息。"
152
-
153
- #: wp-to-twitter-oauth.php:119
154
- msgid "1. Register this site as an application on "
155
- msgstr "1. 将本站注册为一个应用:"
156
-
157
- #: wp-to-twitter-oauth.php:119
158
- msgid "Twitter's application registration page"
159
- msgstr "Twitter应用的注册页面"
160
-
161
- #: wp-to-twitter-oauth.php:121
162
- msgid "If you're not currently logged in, log-in with the Twitter username and password which you want associated with this site"
163
- msgstr "如果你没有登陆到Twitter,你先登陆到你想要绑定的Twitter账户。"
164
-
165
- #: wp-to-twitter-oauth.php:122
166
- 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."
167
- msgstr "应用名称会显示在你每条新鲜事的\"via\"后面。应用程序名称不能包含\"Twitter.\"字样。你可能用你网站的名称。"
168
-
169
- #: wp-to-twitter-oauth.php:123
170
- msgid "Your Application Description can be whatever you want."
171
- msgstr "应用程序的描述可以任意填写。"
172
-
173
- #: wp-to-twitter-oauth.php:124
174
- msgid "The WebSite and Callback URL should be "
175
- msgstr "WebSite和Callback URL应该是"
176
-
177
- #: wp-to-twitter-oauth.php:126
178
- msgid "Agree to the Developer Rules of the Road and continue."
179
- msgstr "同意开发者协议,并继续。"
180
-
181
- #: wp-to-twitter-oauth.php:127
182
- msgid "2. Switch to \"Settings\" tab in Twitter apps"
183
- msgstr "2. 在Twitter Apps页面切换到\"Settings\"标签"
184
-
185
- #: wp-to-twitter-oauth.php:129
186
- msgid "Select \"Read and Write\" for the Application Type"
187
- msgstr "应用程序类型选择\"Read and Write\""
188
-
189
- #: wp-to-twitter-oauth.php:130
190
- msgid "Update the application settings"
191
- msgstr "更新程序设置"
192
-
193
- #: wp-to-twitter-oauth.php:131
194
- msgid "Return to Details tab and create your access token. Refresh page to view your access tokens."
195
- msgstr "返回详细设置标签页,创建你的Access Token。刷新页面后就可以看到你的Access Token了。"
196
-
197
- #: wp-to-twitter-oauth.php:133
198
- msgid "Once you have registered your site as an application, you will be provided with four keys."
199
- msgstr "应用程序注册成功后,你要输入Twitter所提示的4个Key。"
200
-
201
- #: wp-to-twitter-oauth.php:134
202
- msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
203
- msgstr "3. 将你的Consumer Key和Consumer Secert复制到下面"
204
-
205
- #: wp-to-twitter-oauth.php:137
206
- msgid "Twitter Consumer Key"
207
- msgstr "Twitter Consumer Key"
208
-
209
- #: wp-to-twitter-oauth.php:141
210
- msgid "Twitter Consumer Secret"
211
- msgstr "Twitter Consumer Secret"
212
-
213
- #: wp-to-twitter-oauth.php:144
214
- msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
215
- msgstr "4. 将你的Access Token和Access Token Secret复制至下面"
216
-
217
- #: wp-to-twitter-oauth.php:145
218
- msgid "If the Access level reported for your Access Token is not \"Read and write\", you will need to delete your application from Twitter and start over. Don't blame me, I'm not the _______ who designed this process."
219
- msgstr "如果系统提示你的Access Token不具有读写权限(\"Read and write\"),你只能删掉你的应用重头再来。别骂我哦~~我可不是那个XXXXXX的设计者。"
220
-
221
- #: wp-to-twitter-oauth.php:147
222
- msgid "Access Token"
223
- msgstr "Access Token"
224
-
225
- #: wp-to-twitter-oauth.php:151
226
- msgid "Access Token Secret"
227
- msgstr "Access Token Secret"
228
-
229
- #: wp-to-twitter-oauth.php:166
230
- msgid "Disconnect from Twitter"
231
- msgstr "已与Twitter断开连接"
232
-
233
- #: wp-to-twitter-oauth.php:173
234
- msgid "Twitter Username "
235
- msgstr "Twitter的用户名"
236
-
237
- #: wp-to-twitter-oauth.php:174
238
- msgid "Consumer Key "
239
- msgstr "Consumer Key "
240
-
241
- #: wp-to-twitter-oauth.php:175
242
- msgid "Consumer Secret "
243
- msgstr "Consumer Secret "
244
-
245
- #: wp-to-twitter-oauth.php:176
246
- msgid "Access Token "
247
- msgstr "Access Token "
248
-
249
- #: wp-to-twitter-oauth.php:177
250
- msgid "Access Token Secret "
251
- msgstr "Access Token Secret "
252
-
253
- #: wp-to-twitter-oauth.php:180
254
- msgid "Disconnect Your WordPress and Twitter Account"
255
- msgstr "断开你的Wordpress与Twitter连接"
256
-
257
- #: wp-to-twitter-oauth.php:186
258
- msgid "Twitter's current server time: "
259
- msgstr "Twitter服务器的当前时间:"
260
-
261
- #: wp-to-twitter-oauth.php:186
262
- msgid "If these times are not within 5 minutes of each other, your server could lose it's connection with Twitter."
263
- msgstr "如果他们之间的时间间隔超过5分钟,你将会失去与Twitter服务器的连接。"
264
-
265
- #: wp-to-twitter-manager.php:96
266
- msgid "WP to Twitter is now connected with Twitter."
267
- msgstr "WP to Twitter已连接到Twitter服务器。"
268
-
269
- #: wp-to-twitter-manager.php:106
270
- msgid "OAuth Authentication Data Cleared."
271
- msgstr "OAuth验证信息已被清除。"
272
-
273
- #: wp-to-twitter-manager.php:113
274
- 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."
275
- msgstr "OAuth验证失败。你服务器的时间与Twitter的时间不同步。请联系你服务器的管理员。"
276
-
277
- #: wp-to-twitter-manager.php:120
278
- msgid "OAuth Authentication response not understood."
279
- msgstr "OAuth验证的返回信息无法别解析。"
280
-
281
- #: wp-to-twitter-manager.php:129
282
- msgid "WP to Twitter Errors Cleared"
283
- msgstr "WP to Twitter 的错误信息已清除"
284
-
285
- #: wp-to-twitter-manager.php:136
286
- 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! "
287
- msgstr "抱歉! 我不能连接到Twitter服务器,将你的新日志同步至Twitter。你的推已经保存在该日志的自定义域中,如果你想可以手动发送。"
288
-
289
- #: wp-to-twitter-manager.php:138
290
- 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. "
291
- msgstr "抱歉! 不能连接Twitter服务器来将你的<strong>新链接</strong>同步至Twitter! 我恐怕你得手动发这个推了。"
292
-
293
- #: wp-to-twitter-manager.php:174
294
- msgid "WP to Twitter Advanced Options Updated"
295
- msgstr "WP to Twitter高级选项"
296
-
297
- #: wp-to-twitter-manager.php:197
298
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
299
- msgstr "如果你想使用Bit.ly提供的URL缩短功能,就必须添加Bit.ly登录信息和API Key。"
300
-
301
- #: wp-to-twitter-manager.php:201
302
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
303
- msgstr "要使用远程的YOURLS短域名服务,请先添加你的YOURLS的URL,用户名和密码。"
304
-
305
- #: wp-to-twitter-manager.php:205
306
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
307
- msgstr "要使用本机的YOURLS短域名服务,请先添加你的YOURLS路径。"
308
-
309
- #: wp-to-twitter-manager.php:209
310
- msgid "WP to Twitter Options Updated"
311
- msgstr "WP to Twitter 的设置已经更新"
312
-
313
- #: wp-to-twitter-manager.php:219
314
- msgid "Category limits updated."
315
- msgstr "分类的限制已更新。"
316
-
317
- #: wp-to-twitter-manager.php:223
318
- msgid "Category limits unset."
319
- msgstr "分类的限制未设定。"
320
-
321
- #: wp-to-twitter-manager.php:231
322
- msgid "YOURLS password updated. "
323
- msgstr "YOURLS的密码已经更新。"
324
-
325
- #: wp-to-twitter-manager.php:234
326
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
327
- msgstr "YOURLS的密码已删除。你将无法使用YOURLS短域名服务来缩短域名。"
328
-
329
- #: wp-to-twitter-manager.php:236
330
- msgid "Failed to save your YOURLS password! "
331
- msgstr "YOURLS的密码保存失败!"
332
-
333
- #: wp-to-twitter-manager.php:240
334
- msgid "YOURLS username added. "
335
- msgstr "YOURLS的用户名已添加。"
336
-
337
- #: wp-to-twitter-manager.php:244
338
- msgid "YOURLS API url added. "
339
- msgstr "YOURLS的API URL已添加。"
340
-
341
- #: wp-to-twitter-manager.php:247
342
- msgid "YOURLS API url removed. "
343
- msgstr "YOURLS的API URL已移除。"
344
-
345
- #: wp-to-twitter-manager.php:252
346
- msgid "YOURLS local server path added. "
347
- msgstr "本地YOURLS服务的路径地址已添加。"
348
-
349
- #: wp-to-twitter-manager.php:254
350
- msgid "The path to your YOURLS installation is not correct. "
351
- msgstr "所输入的YOURLS的路径无效。"
352
-
353
- #: wp-to-twitter-manager.php:258
354
- msgid "YOURLS local server path removed. "
355
- msgstr "YOURLS的路径地址已删除。"
356
-
357
- #: wp-to-twitter-manager.php:262
358
- msgid "YOURLS will use Post ID for short URL slug."
359
- msgstr "YOURLS采用博文的ID来缩短域名。"
360
-
361
- #: wp-to-twitter-manager.php:265
362
- msgid "YOURLS will not use Post ID for the short URL slug."
363
- msgstr "YOURLS不采用博文的ID来缩短域名。"
364
-
365
- #: wp-to-twitter-manager.php:273
366
- msgid "Su.pr API Key and Username Updated"
367
- msgstr "Su.pr API Key和用户名已更新"
368
-
369
- #: wp-to-twitter-manager.php:277
370
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
371
- msgstr "Su.pr API Key已经被删除。WP to Twitter将不再与Su.pr关联。"
372
-
373
- #: wp-to-twitter-manager.php:279
374
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
375
- msgstr "Su.pr API Key 还没有添加 - <a href='http://cli.gs/user/api/'>这里</a>来获取一个吧!"
376
-
377
- #: wp-to-twitter-manager.php:285
378
- msgid "Bit.ly API Key Updated."
379
- msgstr "Bit.ly API Key 已经更新"
380
-
381
- #: wp-to-twitter-manager.php:288
382
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
383
- msgstr "Bit.ly API Key 已经删除。如果没有 API,将无法使用Bit.ly提供的服务。"
384
-
385
- #: wp-to-twitter-manager.php:290
386
- 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."
387
- msgstr "Bit.ly的API还没有添加 - <a href='http://bit.ly/account/'>这里</a>获得一个吧! 如果你想使用URL缩短功能,就必须提供一个Bit.ly的API。"
388
-
389
- #: wp-to-twitter-manager.php:294
390
- msgid " Bit.ly User Login Updated."
391
- msgstr "Bit.ly登录信息已经更新。"
392
-
393
- #: wp-to-twitter-manager.php:297
394
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
395
- msgstr "Bit.ly登录信息已经删除。没有了登录信息,你将不能使用Bit.ly。"
396
-
397
- #: wp-to-twitter-manager.php:299
398
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
399
- msgstr "Bit.ly 登录信息没有添加 - <a href='http://bit.ly/account/'>这里</a>来获取一个吧!"
400
-
401
- #: wp-to-twitter-manager.php:328
402
- msgid "No error information is available for your shortener."
403
- msgstr "短语名服务发生未知错误。"
404
-
405
- #: wp-to-twitter-manager.php:330
406
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
407
- msgstr "<li class=\"error\"><strong>WP to Twitter无法连接到所选的短域名服务。</strong></li>"
408
-
409
- #: wp-to-twitter-manager.php:333
410
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
411
- msgstr "<li><strong>WP to Twitter成功的连接到所选的短域名服务。</strong> 下面的链接会指向你的博客首页。"
412
-
413
- #: wp-to-twitter-manager.php:342
414
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
415
- msgstr "<li><strong>WP to Twitter成功的更新了一条推。</strong></li>"
416
-
417
- #: wp-to-twitter-manager.php:345
418
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
419
- msgstr "<li class=\"error\"><strong>WP to Twitter更新Twitter失败。</strong></li>"
420
-
421
- #: wp-to-twitter-manager.php:349
422
- msgid "You have not connected WordPress to Twitter."
423
- msgstr "你还没有建立Wordpress到Twitter的连接。"
424
-
425
- #: wp-to-twitter-manager.php:353
426
- 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>"
427
- msgstr "<li><strong>你的服务器可能缺少一些WP to Twitter需要的PHP函数。</strong>你可以继续尝试,因为这些测试结果并不保证是正确的。</li>"
428
-
429
- #: wp-to-twitter-manager.php:357
430
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
431
- msgstr "<li><strong>你的服务器应该可以正常运行WP to Twitter。</strong></li>"
432
-
433
- #: wp-to-twitter-manager.php:374
434
- msgid "WP to Twitter Options"
435
- msgstr "WP to Twitter 选项"
436
-
437
- #: wp-to-twitter-manager.php:384
438
- msgid "Pledge to new features"
439
- msgstr "征求新功能"
440
-
441
- #: wp-to-twitter-manager.php:385
442
- msgid "View Settings"
443
- msgstr "查看设置"
444
-
445
- #: wp-to-twitter-manager.php:412
446
- msgid "Shortcodes available in post update templates:"
447
- msgstr "推文模板支持的简码:"
448
-
449
- #: wp-to-twitter-manager.php:414
450
- msgid "<code>#title#</code>: the title of your blog post"
451
- msgstr "<code>#title#</code>: 博文的标题"
452
-
453
- #: wp-to-twitter-manager.php:415
454
- msgid "<code>#blog#</code>: the title of your blog"
455
- msgstr "<code>#blog#</code>: 博客的站名"
456
-
457
- #: wp-to-twitter-manager.php:416
458
- msgid "<code>#post#</code>: a short excerpt of the post content"
459
- msgstr "<code>#post#</code>: 博文概要"
460
-
461
- #: wp-to-twitter-manager.php:417
462
- msgid "<code>#category#</code>: the first selected category for the post"
463
- msgstr "<code>#category#</code>: 博文的第一个分类"
464
-
465
- #: wp-to-twitter-manager.php:418
466
- msgid "<code>#date#</code>: the post date"
467
- msgstr "<code>#date#</code>: 发布日期"
468
-
469
- #: wp-to-twitter-manager.php:419
470
- msgid "<code>#url#</code>: the post URL"
471
- msgstr "<code>#url#</code>: 博文地址"
472
-
473
- #: wp-to-twitter-manager.php:420
474
- msgid "<code>#author#</code>: the post author"
475
- msgstr "<code>#author#</code>: 博文作者"
476
-
477
- #: wp-to-twitter-manager.php:421
478
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
479
- msgstr "<code>#account#</code>: 用@通知当前用户的twitter账户(如果启用了作者选项,则是作者)"
480
-
481
- #: wp-to-twitter-manager.php:423
482
- 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>"
483
- msgstr "你可以自定义短码,以便于引用那些自定义的字段。要在推文中加入自定义字段,请用两个方括号将自己字段的名字括起来。如: <code>[[custom_field]]</code></p>"
484
-
485
- #: wp-to-twitter-manager.php:428
486
- 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>"
487
- msgstr "<p>在同步一个或多个日志到Twitter时出现错误。你的推已经保存在日志的自定义域中,你可以在空闲时间重新发送他们。</p>"
488
-
489
- #: wp-to-twitter-manager.php:432
490
- 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>"
491
- msgstr "<p>在请求URL缩短服务的API时出错,你的URL并没有被缩短。一个完整的URL已经包含在你的推中。检查你的URL缩短功能提供商看那里是不是有一些已知的错误。[<a href=\"http://blog.cli.gs\">Su.pr Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
492
-
493
- #: wp-to-twitter-manager.php:439
494
- msgid "Clear 'WP to Twitter' Error Messages"
495
- msgstr "清除WP to Twitter的错误信息"
496
-
497
- #: wp-to-twitter-manager.php:452
498
- msgid "Basic Settings"
499
- msgstr "基本设置"
500
-
501
- #: wp-to-twitter-manager.php:486
502
- msgid "Settings for Comments"
503
- msgstr "评论设置"
504
-
505
- #: wp-to-twitter-manager.php:489
506
- msgid "Update Twitter when new comments are posted"
507
- msgstr "当添加评论时同步至Twitter"
508
-
509
- #: wp-to-twitter-manager.php:490
510
- msgid "Text for new comments:"
511
- msgstr "发表新评论时,推的内容:"
512
-
513
- #: wp-to-twitter-manager.php:494
514
- msgid "Settings for Links"
515
- msgstr "链接设置"
516
-
517
- #: wp-to-twitter-manager.php:497
518
- msgid "Update Twitter when you post a Blogroll link"
519
- msgstr "当Blogroll链接更新时同步至Twitter"
520
-
521
- #: wp-to-twitter-manager.php:498
522
- msgid "Text for new link updates:"
523
- msgstr "添加新链接时,推的内容:"
524
-
525
- #: wp-to-twitter-manager.php:498
526
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
527
- msgstr "支持的简码:<code>#url#</code>,<code>#title#</code>,<code>#description#</code>。"
528
-
529
- #: wp-to-twitter-manager.php:502
530
- msgid "Choose your short URL service (account settings below)"
531
- msgstr "选择你的短域名服务(账户设置在下面)"
532
-
533
- #: wp-to-twitter-manager.php:505
534
- msgid "Don't shorten URLs."
535
- msgstr "不要缩短URL。"
536
-
537
- #: wp-to-twitter-manager.php:506
538
- msgid "Use Su.pr for my URL shortener."
539
- msgstr "使用<strong>Su.pr</strong>来为我缩短URL。"
540
-
541
- #: wp-to-twitter-manager.php:507
542
- msgid "Use Bit.ly for my URL shortener."
543
- msgstr "使用<strong>Bit.ly</strong>短域名服务。"
544
-
545
- #: wp-to-twitter-manager.php:508
546
- msgid "YOURLS (installed on this server)"
547
- msgstr "YOURLS (安装在这台服务器上)"
548
-
549
- #: wp-to-twitter-manager.php:509
550
- msgid "YOURLS (installed on a remote server)"
551
- msgstr "YOURLS(安装在远程的服务器上)"
552
-
553
- #: wp-to-twitter-manager.php:510
554
- msgid "Use WordPress as a URL shortener."
555
- msgstr "使用<strong>Wordpress</strong>短域名服务。"
556
-
557
- #: wp-to-twitter-manager.php:512
558
- 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."
559
- msgstr "使用Wordpress短域名服务,地址将会自动被格式化为<code>http://domain.com/subdir/?p=123</code>。同时,无法使用Google Analytics来跟踪。"
560
-
561
- #: wp-to-twitter-manager.php:518
562
- msgid "Save WP->Twitter Options"
563
- msgstr "保存 WP to Twitter 选项"
564
-
565
- #: wp-to-twitter-manager.php:527
566
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
567
- msgstr "<abbr title=\"统一资源定位符\">URL</abbr>短域名账户设置"
568
-
569
- #: wp-to-twitter-manager.php:531
570
- msgid "Your Su.pr account details"
571
- msgstr "你的Su.pr账户信息:"
572
-
573
- #: wp-to-twitter-manager.php:536
574
- msgid "Your Su.pr Username:"
575
- msgstr "你的Su.pr用户名:"
576
-
577
- #: wp-to-twitter-manager.php:540
578
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
579
- msgstr "你的Su.pr<abbr title='应用程序接口'>API</abbr> Key:"
580
-
581
- #: wp-to-twitter-manager.php:546
582
- 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."
583
- msgstr "你还没有Su.pr账户或者Su.pr的API Key么? 那快来<a href='http://cli.gs/user/api/'>这里</a>免费获取一个吧!<br />如果你需要关联你的Su.pr账户,你还需要一个API Key。"
584
-
585
- #: wp-to-twitter-manager.php:552
586
- msgid "Your Bit.ly account details"
587
- msgstr "你的Bit.ly账户信息"
588
-
589
- #: wp-to-twitter-manager.php:557
590
- msgid "Your Bit.ly username:"
591
- msgstr "你的Bit.ly用户名:"
592
-
593
- #: wp-to-twitter-manager.php:561
594
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
595
- msgstr "你Bit.ly<abbr title='应用程序接口'>API</abbr> Key:"
596
-
597
- #: wp-to-twitter-manager.php:568
598
- msgid "Save Bit.ly API Key"
599
- msgstr "保存Bit.ly API Key"
600
-
601
- #: wp-to-twitter-manager.php:568
602
- msgid "Clear Bit.ly API Key"
603
- msgstr "清除Bit.ly API Key"
604
-
605
- #: wp-to-twitter-manager.php:568
606
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
607
- msgstr "当通过Bit.ly API缩短URL时,需要Bit.ly的API Key和用户名。"
608
-
609
- #: wp-to-twitter-manager.php:573
610
- msgid "Your YOURLS account details"
611
- msgstr "你的YOURLS账户信息:"
612
-
613
- #: wp-to-twitter-manager.php:577
614
- msgid "Path to your YOURLS config file (Local installations)"
615
- msgstr "本地YOURLS的配置文件(本地安装)"
616
-
617
- #: wp-to-twitter-manager.php:578
618
- #: wp-to-twitter-manager.php:582
619
- msgid "Example:"
620
- msgstr "如:"
621
-
622
- #: wp-to-twitter-manager.php:581
623
- msgid "URI to the YOURLS API (Remote installations)"
624
- msgstr "YOURLS API的URI地址(远程安装)"
625
-
626
- #: wp-to-twitter-manager.php:585
627
- msgid "Your YOURLS username:"
628
- msgstr "你的YOURLS用户名:"
629
-
630
- #: wp-to-twitter-manager.php:589
631
- msgid "Your YOURLS password:"
632
- msgstr "你的YOURLS的密码:"
633
-
634
- #: wp-to-twitter-manager.php:589
635
- msgid "<em>Saved</em>"
636
- msgstr "<em>已保存</em>"
637
-
638
- #: wp-to-twitter-manager.php:593
639
- msgid "Use Post ID for YOURLS url slug."
640
- msgstr "YOURLS采用博文的ID缩短域名。"
641
-
642
- #: wp-to-twitter-manager.php:598
643
- msgid "Save YOURLS Account Info"
644
- msgstr "保存YOURLS账户信息"
645
-
646
- #: wp-to-twitter-manager.php:598
647
- msgid "Clear YOURLS password"
648
- msgstr "清除YOURLS的密码"
649
-
650
- #: wp-to-twitter-manager.php:598
651
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
652
- msgstr "当通过YOURLS API缩短URL时,需要YOURLS的用户名和密码。"
653
-
654
- #: wp-to-twitter-manager.php:610
655
- msgid "Advanced Settings"
656
- msgstr "高级设置"
657
-
658
- #: wp-to-twitter-manager.php:617
659
- msgid "Advanced Tweet settings"
660
- msgstr "高级推文设置"
661
-
662
- #: wp-to-twitter-manager.php:619
663
- msgid "Add tags as hashtags on Tweets"
664
- msgstr "在推中将Tag添加为hashTags(#)"
665
-
666
- #: wp-to-twitter-manager.php:619
667
- msgid "Strip nonalphanumeric characters"
668
- msgstr "跳过非阿拉伯字符"
669
-
670
- #: wp-to-twitter-manager.php:620
671
- msgid "Spaces replaced with:"
672
- msgstr "空格被替换为:"
673
-
674
- #: wp-to-twitter-manager.php:622
675
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
676
- msgstr "默认替换为下划线(<code>_</code>)。使用<code>[ ]</code>来删除日志中的空格。"
677
-
678
- #: wp-to-twitter-manager.php:625
679
- msgid "Maximum number of tags to include:"
680
- msgstr "包含Tag的最大数量:"
681
-
682
- #: wp-to-twitter-manager.php:626
683
- msgid "Maximum length in characters for included tags:"
684
- msgstr "包含Tag的最大长度:"
685
-
686
- #: wp-to-twitter-manager.php:627
687
- 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."
688
- msgstr "这些选项可以让你限制WP日志中,Tag的数量和长度。设置<code>0</code>或者留空来显示所有的标签。"
689
-
690
- #: wp-to-twitter-manager.php:630
691
- msgid "Length of post excerpt (in characters):"
692
- msgstr "日志摘要的长度(以字符计算):"
693
-
694
- #: wp-to-twitter-manager.php:630
695
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
696
- msgstr "默认的,将会从日志内提取,如果你使用了‘摘要’这个自定义域,将会自动替换为你自定义的内容。"
697
-
698
- #: wp-to-twitter-manager.php:633
699
- msgid "WP to Twitter Date Formatting:"
700
- msgstr "WP to Twitter 日期格式:"
701
-
702
- #: wp-to-twitter-manager.php:634
703
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
704
- msgstr "默认将会使用通用设置。请参考<a href='http://codex.wordpress.org/Formatting_Date_and_Time'>时间格式文档</a>。"
705
-
706
- #: wp-to-twitter-manager.php:638
707
- msgid "Custom text before all Tweets:"
708
- msgstr "每条推前的自定义文字:"
709
-
710
- #: wp-to-twitter-manager.php:639
711
- msgid "Custom text after all Tweets:"
712
- msgstr "每条推后的自定义文字:"
713
-
714
- #: wp-to-twitter-manager.php:642
715
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
716
- msgstr "会替换为短URL并且同步至至Twitter的域的名称:"
717
-
718
- #: wp-to-twitter-manager.php:643
719
- 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."
720
- msgstr "你可以用自定义字段同步一些其实的链接。这里的值就是那个字段的名称。"
721
-
722
- #: wp-to-twitter-manager.php:647
723
- msgid "Special Cases when WordPress should send a Tweet"
724
- msgstr "Wordpress同步博文的条件"
725
-
726
- #: wp-to-twitter-manager.php:650
727
- msgid "Do not post status updates by default"
728
- msgstr "默认不发表状态更新"
729
-
730
- #: wp-to-twitter-manager.php:651
731
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
732
- msgstr "默认情况下,所有的博文满足其他需求的,会被发表到Twitter。点击这里更改设置。"
733
-
734
- #: wp-to-twitter-manager.php:655
735
- msgid "Allow status updates from Quick Edit"
736
- msgstr "允许在快速编辑中更新状态"
737
-
738
- #: wp-to-twitter-manager.php:656
739
- msgid "If checked, all posts edited individually or in bulk through the Quick Edit feature will be tweeted."
740
- msgstr "如果被选中,所有的博文,无论是单独编辑的,还是通过快速编辑功能批量编辑的,都会被发表到Twitter上。"
741
-
742
- #: wp-to-twitter-manager.php:661
743
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
744
- msgstr "当远程发布日志的时候(通过EMail或者XMLRPC客户端),同步至Twitter"
745
-
746
- #: wp-to-twitter-manager.php:665
747
- msgid "Google Analytics Settings"
748
- msgstr "Google Analytics设置"
749
-
750
- #: wp-to-twitter-manager.php:666
751
- 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."
752
- msgstr "通过定义一个标识,你可以用Google Analytics跟踪Twitter的反响。标识包含静态和动态的两种:静态标识这所有博文公用的,不会改变。动态标识依据博文不同而不同。动态标识可以帮助你更细的拆分统计结果。"
753
-
754
- #: wp-to-twitter-manager.php:670
755
- msgid "Use a Static Identifier with WP-to-Twitter"
756
- msgstr "WP to Twitter使用静态标识"
757
-
758
- #: wp-to-twitter-manager.php:671
759
- msgid "Static Campaign identifier for Google Analytics:"
760
- msgstr "Google Analytics的静态标识符"
761
-
762
- #: wp-to-twitter-manager.php:675
763
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
764
- msgstr "WP to Twitter为Google Analysis使用动态标识"
765
-
766
- #: wp-to-twitter-manager.php:676
767
- msgid "What dynamic identifier would you like to use?"
768
- msgstr "你想选择什么样的动态标识?"
769
-
770
- #: wp-to-twitter-manager.php:678
771
- msgid "Category"
772
- msgstr "分类"
773
-
774
- #: wp-to-twitter-manager.php:679
775
- msgid "Post ID"
776
- msgstr "博文ID"
777
-
778
- #: wp-to-twitter-manager.php:680
779
- msgid "Post Title"
780
- msgstr "博文标题"
781
-
782
- #: wp-to-twitter-manager.php:681
783
- #: wp-to-twitter-manager.php:695
784
- msgid "Author"
785
- msgstr "作者"
786
-
787
- #: wp-to-twitter-manager.php:686
788
- msgid "Individual Authors"
789
- msgstr "独立的作者"
790
-
791
- #: wp-to-twitter-manager.php:689
792
- msgid "Authors have individual Twitter accounts"
793
- msgstr "作者有独立的Twitter账户"
794
-
795
- #: wp-to-twitter-manager.php:689
796
- 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.)"
797
- msgstr "作者可以在个人设置中设定他们的用户名。但在2.2.0版本中,已不再允许作者们发布到各自的Twitter上。要添加一个作者,你只能通过添加一个@通知。通过<code>#account#</code>短码指定@所要放置的位置。(如果没有指定,会自动选择用户的主账户。)"
798
-
799
- #: wp-to-twitter-manager.php:692
800
- msgid "Choose the lowest user group that can add their Twitter information"
801
- msgstr "选择具有添加Twitter账户权限的最低用户组"
802
-
803
- #: wp-to-twitter-manager.php:693
804
- msgid "Subscriber"
805
- msgstr "订阅者"
806
-
807
- #: wp-to-twitter-manager.php:694
808
- msgid "Contributor"
809
- msgstr "投稿者"
810
-
811
- #: wp-to-twitter-manager.php:696
812
- msgid "Editor"
813
- msgstr "编辑"
814
-
815
- #: wp-to-twitter-manager.php:697
816
- msgid "Administrator"
817
- msgstr "管理员"
818
-
819
- #: wp-to-twitter-manager.php:702
820
- msgid "Disable Error Messages"
821
- msgstr "禁用错误信息"
822
-
823
- #: wp-to-twitter-manager.php:705
824
- msgid "Disable global URL shortener error messages."
825
- msgstr "全局禁用短域名服务的错误信息。"
826
-
827
- #: wp-to-twitter-manager.php:709
828
- msgid "Disable global Twitter API error messages."
829
- msgstr "全局禁用Twitter API的错误信息。"
830
-
831
- #: wp-to-twitter-manager.php:713
832
- msgid "Disable notification to implement OAuth"
833
- msgstr "禁用OAuth请求的通知"
834
-
835
- #: wp-to-twitter-manager.php:717
836
- msgid "Get Debugging Data for OAuth Connection"
837
- msgstr "OAuth连接的调试信息"
838
-
839
- #: wp-to-twitter-manager.php:721
840
- msgid "I made a donation, so stop showing me ads, please. <a href='http://pluginsponsors.com/privacy.html'>PluginSponsors.com Privacy Policy</a>"
841
- msgstr "我已经捐赠过,所以请不要再显示广告。<a href='http://pluginsponsors.com/privacy.html'>PluginSponsors.com隐私协议</a>"
842
-
843
- #: wp-to-twitter-manager.php:727
844
- msgid "Save Advanced WP->Twitter Options"
845
- msgstr "保存WP To Twitter的高级选项"
846
-
847
- #: wp-to-twitter-manager.php:737
848
- msgid "Limit Updating Categories"
849
- msgstr "限制更新分类"
850
-
851
- #: wp-to-twitter-manager.php:741
852
- msgid "Select which blog categories will be Tweeted. Uncheck all categories to disable category limits."
853
- msgstr "选择要同步到Twitter的分类"
854
-
855
- #: wp-to-twitter-manager.php:744
856
- msgid "<em>Category limits are disabled.</em>"
857
- msgstr "<em>分类限制已被禁用。</em>"
858
-
859
- #: wp-to-twitter-manager.php:758
860
- msgid "Check Support"
861
- msgstr "查看支持"
862
-
863
- #: wp-to-twitter-manager.php:758
864
- 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."
865
- msgstr "测试你的服务器是否支持<a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a>的Twitter同步功能和短域名服务。这项测试会在你的Twitter账户中发一条带短域名的推。"
866
-
867
- #. Plugin URI of the plugin/theme
868
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
869
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
870
-
871
- #. Description of the plugin/theme
872
- 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."
873
- msgstr "当你发布或更新Wordpress的博文或链接时,自动发送一条推到你的Twitter账户,支持多种短域名服务。同时还包含了丰富的功能、设置选项。"
874
-
875
- #. Author of the plugin/theme
876
- msgid "Joseph Dolson"
877
- msgstr "Joseph Dolson"
878
-
879
- #. Author URI of the plugin/theme
880
- msgid "http://www.joedolson.com/"
881
- msgstr "http://www.joedolson.com/"
882
-
883
- #~ msgid "Twitter Password Saved"
884
- #~ msgstr "Twitter密码已保存"
885
-
886
- #~ msgid "Twitter Password Not Saved"
887
- #~ msgstr "Twitter密码未保存"
888
-
889
- #~ msgid "Bit.ly API Saved"
890
- #~ msgstr "Bit.ly API Key 已保存"
891
-
892
- #~ msgid "Bit.ly API Not Saved"
893
- #~ msgstr "Bit.ly API Key 未保存"
894
-
895
- #~ msgid ""
896
- #~ "Set your Twitter login information and URL shortener API information to "
897
- #~ "use this plugin!"
898
- #~ msgstr "设置你Twitter的登录信息还有短URL服务商的API,来使用此插件!"
899
-
900
- #~ msgid "Please add your Twitter password. "
901
- #~ msgstr "请填写你Twitter的密码。"
902
-
903
- #~ msgid "You need to provide your twitter login and password! "
904
- #~ msgstr "你必须提供你的Twitter登录信息"
905
-
906
- #~ msgid "Cligs API Key Updated"
907
- #~ msgstr "Cli.gs API Key 已经更新"
908
-
909
- #~ msgid ""
910
- #~ "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL "
911
- #~ "creation failed.</li>"
912
- #~ msgstr "<li>通过Snoopy连接Cli.gs API成功,但是URL创建失败。</li>"
913
-
914
- #~ msgid ""
915
- #~ "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server "
916
- #~ "error prevented the URL from being shrotened.</li>"
917
- #~ msgstr ""
918
- #~ "<li>通过Snoopy连接Cli.gs API成功,但是远程服务器发生错误致使URL没有被缩"
919
- #~ "短。</li>"
920
-
921
- #~ msgid ""
922
- #~ "<li>Successfully contacted the Cli.gs API via Snoopy and created a "
923
- #~ "shortened link.</li>"
924
- #~ msgstr "<li>成功的通过Snoopy连接到Cli.gs的API,并且创建了短URL。</li>"
925
-
926
- #~ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
927
- #~ msgstr "<li>成功的通过Snoopy连接到Bit.ly的API。</li>"
928
-
929
- #~ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
930
- #~ msgstr "<li>通过Snoopy连接Bit.ly的API失败。</li>"
931
-
932
- #~ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
933
- #~ msgstr "<li>没有一个有效的API Key,不能访问Bit.ly的API。</li>"
934
-
935
- #~ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
936
- #~ msgstr "<li>通过Snoopy连接到Twitter API成功。</li>"
937
-
938
- #~ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
939
- #~ msgstr "<li>通过Snoopy连接到Twitter API失败。</li>"
940
-
941
- #~ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
942
- #~ msgstr "<li>通过cURL连接到Twitter API成功。</li>"
943
-
944
- #~ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
945
- #~ msgstr "<li>通过cURL连接到Twitter API失败。</li>"
946
-
947
- #~ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
948
- #~ msgstr "<li>通过Snoopy连接Cli.gs API成功。</li>"
949
-
950
- #~ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
951
- #~ msgstr "<li>通过Snoopy连接CLi.gs API失败。</li>"
952
-
953
- #~ msgid "<li>Your server does not support <code>fputs</code>.</li>"
954
- #~ msgstr "<li>你的服务器不支持<code>fputs</code>函数。</li>"
955
-
956
- #~ msgid ""
957
- #~ "<li>Your server does not support <code>file_get_contents</code> or "
958
- #~ "<code>cURL</code> functions.</li>"
959
- #~ msgstr ""
960
- #~ "<li>你的服务器不支持<code>file_get_contents</code>或者<code>cURL</code>函"
961
- #~ "数。</li>"
962
-
963
- #~ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
964
- #~ msgstr "<li>你的服务器不支持<code>Snoopy</code>函数。</li>"
965
-
966
- #~ msgid ""
967
- #~ "This plugin may not fully work in your server environment. The plugin "
968
- #~ "failed to contact both a URL shortener API and the Twitter service API."
969
- #~ msgstr ""
970
- #~ "此插件或许在当前服务器环境下正常工作。当访问URL缩短功能和Twitter的API时发"
971
- #~ "生了错误。"
972
-
973
- #~ msgid "Export Settings"
974
- #~ msgstr "导出设置"
975
-
976
- #~ msgid ""
977
- #~ "For any post update field, you can use the codes <code>#title#</code> for "
978
- #~ "the title of your blog post, <code>#blog#</code> for the title of your "
979
- #~ "blog, <code>#post#</code> for a short excerpt of the post content, "
980
- #~ "<code>#category#</code> for the first selected category for the post, "
981
- #~ "<code>#date#</code> for the post date, or <code>#url#</code> for the post "
982
- #~ "URL (shortened or not, depending on your preferences.) You can also "
983
- #~ "create custom shortcodes to access WordPress custom fields. Use doubled "
984
- #~ "square brackets surrounding the name of your custom field to add the "
985
- #~ "value of that custom field to your status update. Example: <code>"
986
- #~ "[[custom_field]]</code>"
987
- #~ msgstr ""
988
- #~ "在任何一个日志的更新区域,你可以使用<code>#title#</code>来代替日志标题,"
989
- #~ "<code>#blog#</code>代替博客标题,<code>#post#</code>代替日志内容的一个摘"
990
- #~ "要,<code>#category#</code>来代替第一个被选中的分类,<code>#date#</code>代"
991
- #~ "替日志发布的日期,<code>#url#</code>代替日志发布的URL(将会根据你的设置显"
992
- #~ "示长、短链接)。你也可以使用自定义的快捷代码来显示日志中自定义与的内容。例"
993
- #~ "如:<code>[[custom_field]]</code>这样。"
994
-
995
- #~ msgid "Set what should be in a Tweet"
996
- #~ msgstr "设置推中应该有什么"
997
-
998
- #~ msgid "Update when a post is published"
999
- #~ msgstr "当日志发布的时候同步至Twitter"
1000
-
1001
- #~ msgid "Update when a post is edited"
1002
- #~ msgstr "当日志修改的时候同步Twitter"
1003
-
1004
- #~ msgid "Text for editing updates:"
1005
- #~ msgstr "修改日志时,推的内容:"
1006
-
1007
- #~ msgid "Text for new page updates:"
1008
- #~ msgstr "添加新页面时,推的内容:"
1009
-
1010
- #~ msgid "Update Twitter when WordPress Pages are edited"
1011
- #~ msgstr "当修改静态页面是同步至Twitter"
1012
-
1013
- #~ msgid "Text for page edit updates:"
1014
- #~ msgstr "修改页面时,推的内容:"
1015
-
1016
- #~ msgid "Set default Tweet status to 'No.'"
1017
- #~ msgstr "设置默认的推状态为'否'。"
1018
-
1019
- #~ msgid ""
1020
- #~ "Twitter updates can be set on a post by post basis. By default, posts "
1021
- #~ "WILL be posted to Twitter. Check this to change the default to NO."
1022
- #~ msgstr ""
1023
- #~ "可以设置当发布新日志的时候自动同步至Twitter。默认情况下,日志将会自动被发"
1024
- #~ "送至Twitter。检查这个是否设置为'否'。"
1025
-
1026
- #~ msgid "Update Twitter when a post is published using QuickPress"
1027
- #~ msgstr "当使用QuickPress功能发布新日志时,同步至Twitter"
1028
-
1029
- #~ msgid "Special Fields"
1030
- #~ msgstr "特殊的域"
1031
-
1032
- #~ msgid ""
1033
- #~ "You can track the response from Twitter using Google Analytics by "
1034
- #~ "defining a campaign identifier here."
1035
- #~ msgstr "你可以给Google Analytics定义Campaign标识符来追踪Twitter上的响应。"
1036
-
1037
- #~ msgid ""
1038
- #~ "Each author can set their own Twitter username and password in their user "
1039
- #~ "profile. Their posts will be sent to their own Twitter accounts."
1040
- #~ msgstr ""
1041
- #~ "每一个作者可以设置自己独立的Twitter账户信息。他们的日志将会同步至到他们自"
1042
- #~ "己的Twitter帐号中。"
1043
-
1044
- #~ msgid "Set your preferred URL Shortener"
1045
- #~ msgstr "设置你喜欢的URL缩短服务商"
1046
-
1047
- #~ msgid "Your Twitter account details"
1048
- #~ msgstr "你Twitter账户的细节"
1049
-
1050
- #~ msgid "Save Twitter Login Info"
1051
- #~ msgstr "保存Twitter登录信息"
1052
-
1053
- #~ msgid ""
1054
- #~ "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter."
1055
- #~ "com'>Get one for free here</a>"
1056
- #~ msgstr ""
1057
- #~ "&raquo; <small>还没有Twitter账户? 快来<a href='http://www.twitter.com'>这"
1058
- #~ "里</a>免费获取一个吧。"
1059
-
1060
- #~ msgid ""
1061
- #~ "Check whether your server supports WP to Twitter's queries to the Twitter "
1062
- #~ "and URL shortening APIs."
1063
- #~ msgstr "检查你的服务器是否支持WP to Twitter请求Twitter和短URL功能的API。"
1064
-
1065
- #~ msgid "Need help?"
1066
- #~ msgstr "需要帮助?"
1067
-
1068
- #~ msgid ""
1069
- #~ "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP "
1070
- #~ "to Twitter plugin page</a>."
1071
- #~ msgstr ""
1072
- #~ "访问<a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to "
1073
- #~ "Twitter 插件的主页</a>."
1074
-
1075
- #~ msgid ""
1076
- #~ " characters.<br />Twitter posts are a maximum of 140 characters; if your "
1077
- #~ "Cli.gs URL is appended to the end of your document, you have 119 "
1078
- #~ "characters available. You can use <code>#url#</code>, <code>#title#</"
1079
- #~ "code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, "
1080
- #~ "or <code>#blog#</code> to insert the shortened URL, post title, the first "
1081
- #~ "category selected, the post date, or a post excerpt or blog name into the "
1082
- #~ "Tweet."
1083
- #~ msgstr ""
1084
- #~ " 字符。<br />推不能超过140个字符;当Cli.gs的短URL在最后时,你还剩119个字。"
1085
- #~ "你可以在推中使用<code>#url#</code>,<code>#title#</code>,<code>#post#</"
1086
- #~ "code>,<code>#date#</code>或者<code>#blog#</code>来插入一个短URL,日志标"
1087
- #~ "题,第一个分类,发布日期,日志摘要或者Blog名称。"
1088
-
1089
- #~ msgid "Use My Twitter Account"
1090
- #~ msgstr "使用我的Twitter账户"
1091
-
1092
- #~ msgid ""
1093
- #~ "Select this option if you would like your posts to be Tweeted into your "
1094
- #~ "own Twitter account with no @ references."
1095
- #~ msgstr ""
1096
- #~ "如果你想同步日志到Twitter,但不使用@通知任何人,那快来选中这个选项吧。"
1097
-
1098
- #~ msgid ""
1099
- #~ "Tweet my posts into the main site Twitter account with an @ reference to "
1100
- #~ "my username. (Password not required with this option.)"
1101
- #~ msgstr ""
1102
- #~ "同步日志使用Blog的主Twitter账户,并且使用@通知我自己的账户(不需要提供密"
1103
- #~ "码)。"
1104
-
1105
- #~ msgid "Your Twitter Password"
1106
- #~ msgstr "你的Twitter密码"
1107
-
1108
- #~ msgid "Enter your own Twitter password."
1109
- #~ msgstr "输入你的Twitter密码。"
1110
-
1111
- #~ msgid ""
1112
- #~ "Updates Twitter when you create a new blog post or add to your blogroll "
1113
- #~ "using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs "
1114
- #~ "account with the name of your post as the title."
1115
- #~ msgstr ""
1116
- #~ "当你发布新日志或者添加新链接的时候,使用Cli.gs缩短链接,并且同步至"
1117
- #~ "Twitter。使用一个Cli.gs API Key,可以使用日志名作为标题来创建一个Cli.gs短"
1118
- #~ "链接。"
1119
-
1120
- #~ msgid ""
1121
- #~ "The query to the URL shortener API failed, and your URL was not shrunk. "
1122
- #~ "The full post URL was attached to your Tweet."
1123
- #~ msgstr ""
1124
- #~ "Die Verbindung zum URL Kürzer API schlug fehl und deine URL wurde nicht "
1125
- #~ "verkürzt. Es wurde die normale URL wurde im Tweet veröffentlicht."
1126
-
1127
- #~ msgid "Add_new_tag"
1128
- #~ msgstr "Tag_hinzufügen"
1129
-
1130
- #~ msgid "This plugin may not work in your server environment."
1131
- #~ msgstr ""
1132
- #~ "Dieses Plugin funktioniert vielleicht nicht in deiner Server Umgebung."
1133
-
1134
- #~ msgid "Wordpress to Twitter Publishing Options"
1135
- #~ msgstr "Wordpress to Twitter Veröffentlichungs-Optionen"
1136
-
1137
- #~ msgid "Provide link to blog?"
1138
- #~ msgstr "Link zum Blog hinzufügen?"
1139
-
1140
- #~ msgid "Use <strong>link title</strong> for Twitter updates"
1141
- #~ msgstr ""
1142
- #~ "Verwende den <strong>Link Namen</strong> für Twitter Aktualisierungen"
1143
-
1144
- #~ msgid "Use <strong>link description</strong> for Twitter updates"
1145
- #~ msgstr ""
1146
- #~ "Verwende die <strong>Link Beschreibung</strong> für Twitter "
1147
- #~ "Aktualisierungen"
1148
-
1149
- #~ msgid ""
1150
- #~ "Text for new link updates (used if title/description isn't available.):"
1151
- #~ msgstr ""
1152
- #~ "Text für neuen Link (wenn kein Namen oder Beschreibung vorhanden sind.):"
1153
-
1154
- #~ msgid "Custom text prepended to Tweets:"
1155
- #~ msgstr "Eigener Text zu Beginn des Tweets:"
1156
-
1157
- #~ msgid ""
1158
- #~ "Your server appears to support the required PHP functions and classes for "
1159
- #~ "WP to Twitter to function."
1160
- #~ msgstr ""
1161
- #~ "Es scheint als würde dein Server die benötigten PHP Funktion und Klassen "
1162
- #~ "für WP to Twitter bereitstellen."
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
lang/wp-to-twitter-zh_TW.po DELETED
@@ -1,1082 +0,0 @@
1
- # Translation of WP to Twitter in Chinese (Taiwan)
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:11:08+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=1; plural=0;\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 ""
44
-
45
- #: wp-to-twitter-manager.php:540
46
- msgid "(optional)"
47
- msgstr ""
48
-
49
- #: wp-to-twitter-manager.php:689
50
- msgid "Do not post Tweets by default (editing only)"
51
- msgstr ""
52
-
53
- #: wp-to-twitter-manager.php:883
54
- msgid "<code>#modified#</code>: the post modified date"
55
- msgstr ""
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 ""
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 ""
64
-
65
- #: wp-to-twitter-manager.php:733
66
- msgid "Individual Authors"
67
- msgstr "獨立的作者"
68
-
69
- #: wp-to-twitter-manager.php:736
70
- msgid "Authors have individual Twitter accounts"
71
- msgstr "作者有獨立的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 ""
76
-
77
- #: wp-to-twitter-manager.php:751
78
- msgid "Choose the lowest user group that can add their Twitter information"
79
- msgstr "選擇具有添加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 ""
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 ""
88
-
89
- #: wp-to-twitter-manager.php:767
90
- msgid "Disable Error Messages"
91
- msgstr "禁用錯誤信息"
92
-
93
- #: wp-to-twitter-manager.php:769
94
- msgid "Disable global URL shortener error messages."
95
- msgstr "全局禁用短域名服務的錯誤信息。"
96
-
97
- #: wp-to-twitter-manager.php:770
98
- msgid "Disable global Twitter API error messages."
99
- msgstr "全局禁用Twitter API的錯誤信息。"
100
-
101
- #: wp-to-twitter-manager.php:771
102
- msgid "Disable notification to implement OAuth"
103
- msgstr "禁用OAuth請求的通知"
104
-
105
- #: wp-to-twitter-manager.php:773
106
- msgid "Get Debugging Data for OAuth Connection"
107
- msgstr "OAuth連接的調試信息"
108
-
109
- #: wp-to-twitter-manager.php:775
110
- msgid "Switch to <code>http</code> connection. (Default is https)"
111
- msgstr ""
112
-
113
- #: wp-to-twitter-manager.php:777
114
- msgid "I made a donation, so stop whinging at me, please."
115
- msgstr ""
116
-
117
- #: wp-to-twitter-manager.php:791
118
- msgid "Limit Updating Categories"
119
- msgstr "限制更新分類"
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 ""
124
-
125
- #: wp-to-twitter-manager.php:795
126
- msgid "<em>Category limits are disabled.</em>"
127
- msgstr "<em>分類限制已被禁用。</em>"
128
-
129
- #: wp-to-twitter-manager.php:804
130
- msgid "Get Plug-in Support"
131
- msgstr ""
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 ""
136
-
137
- #: wp-to-twitter-manager.php:818
138
- msgid "Check Support"
139
- msgstr "查看支持"
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 "測試你的服務器是否支持<a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a>的Twitter同步功能和短域名服務。這項測試會在你的Twitter賬戶中發一條帶短域名的推。"
144
-
145
- #: wp-to-twitter-manager.php:829
146
- msgid "Support WP to Twitter"
147
- msgstr ""
148
-
149
- #: wp-to-twitter-manager.php:831
150
- msgid "WP to Twitter Support"
151
- msgstr ""
152
-
153
- #: wp-to-twitter-manager.php:835
154
- msgid "View Settings"
155
- msgstr "查看設置"
156
-
157
- #: wp-to-twitter-manager.php:837 wp-to-twitter.php:1273 wp-to-twitter.php:1275
158
- msgid "Get Support"
159
- msgstr "獲得支持"
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 ""
164
-
165
- #: wp-to-twitter-manager.php:858
166
- msgid "Upgrade Now!"
167
- msgstr ""
168
-
169
- #: wp-to-twitter-manager.php:861
170
- msgid "Extra features with the PRO upgrade:"
171
- msgstr ""
172
-
173
- #: wp-to-twitter-manager.php:863
174
- msgid "Users can post to their own Twitter accounts"
175
- msgstr ""
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 ""
180
-
181
- #: wp-to-twitter-manager.php:865
182
- msgid "Automatically re-send Tweets at an assigned time after publishing"
183
- msgstr ""
184
-
185
- #: wp-to-twitter-manager.php:874
186
- msgid "Shortcodes"
187
- msgstr ""
188
-
189
- #: wp-to-twitter-manager.php:876
190
- msgid "Available in post update templates:"
191
- msgstr ""
192
-
193
- #: wp-to-twitter-manager.php:878
194
- msgid "<code>#title#</code>: the title of your blog post"
195
- msgstr "<code>#title#</code>: 博文的標題"
196
-
197
- #: wp-to-twitter-manager.php:879
198
- msgid "<code>#blog#</code>: the title of your blog"
199
- msgstr "<code>#blog#</code>: 博客的站名"
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>: 博文概要"
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>: 博文的第一個分類"
208
-
209
- #: wp-to-twitter-manager.php:882
210
- msgid "<code>#date#</code>: the post date"
211
- msgstr "<code>#date#</code>: 發布日期"
212
-
213
- #: wp-to-twitter-manager.php:884
214
- msgid "<code>#url#</code>: the post URL"
215
- msgstr "<code>#url#</code>: 博文地址"
216
-
217
- #: wp-to-twitter-manager.php:885
218
- msgid "<code>#author#</code>: the post author"
219
- msgstr "<code>#author#</code>: 博文作者"
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>: 用@通知當前用戶的twitter賬戶(如果啟用了作者選項,則是作者)"
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 ""
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 "你可以自定義短碼,以便於引用那些自定義的字段。要在推文中加入自定義字段,請用兩個方括號將自己字段的名字括起來。如: <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 ""
236
-
237
- #: wp-to-twitter-oauth.php:169
238
- msgid "There was an error querying Twitter's servers"
239
- msgstr ""
240
-
241
- #: wp-to-twitter-oauth.php:185 wp-to-twitter-oauth.php:187
242
- msgid "Connect to Twitter"
243
- msgstr "連接到Twitter"
244
-
245
- #: wp-to-twitter-oauth.php:190
246
- msgid "WP to Twitter Set-up"
247
- msgstr ""
248
-
249
- #: wp-to-twitter-oauth.php:191 wp-to-twitter-oauth.php:282
250
- msgid "Your server time:"
251
- msgstr "你服務器的時間:"
252
-
253
- #: wp-to-twitter-oauth.php:191
254
- msgid "Twitter's time:"
255
- msgstr ""
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 ""
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 ""
264
-
265
- #: wp-to-twitter-oauth.php:197
266
- msgid "1. Register this site as an application on "
267
- msgstr "1. 將本站註冊為一個應用:"
268
-
269
- #: wp-to-twitter-oauth.php:197
270
- msgid "Twitter's application registration page"
271
- msgstr "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 ""
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 ""
280
-
281
- #: wp-to-twitter-oauth.php:201
282
- msgid "Your Application Description can be anything."
283
- msgstr ""
284
-
285
- #: wp-to-twitter-oauth.php:202
286
- msgid "The WebSite and Callback URL should be "
287
- msgstr "WebSite和Callback URL應該是"
288
-
289
- #: wp-to-twitter-oauth.php:204
290
- msgid "Agree to the Developer Rules of the Road and continue."
291
- msgstr "同意開發者協議,並繼續。"
292
-
293
- #: wp-to-twitter-oauth.php:205
294
- msgid "2. Switch to the \"Settings\" tab in Twitter apps"
295
- msgstr ""
296
-
297
- #: wp-to-twitter-oauth.php:207
298
- msgid "Select \"Read and Write\" for the Application Type"
299
- msgstr "應用程序類型選擇\"Read and Write\""
300
-
301
- #: wp-to-twitter-oauth.php:208
302
- msgid "Update the application settings"
303
- msgstr "更新程序設置"
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 ""
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 "應用程序註冊成功後,你要輸入Twitter所提示的4個Key。"
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 "3. 將你的Consumer Key和Consumer Secert復制到下面"
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 "4. 將你的Access Token和Access Token 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 ""
332
-
333
- #: wp-to-twitter-oauth.php:227
334
- msgid "Access Token"
335
- msgstr "Access Token"
336
-
337
- #: wp-to-twitter-oauth.php:231
338
- msgid "Access Token Secret"
339
- msgstr "Access Token Secret"
340
-
341
- #: wp-to-twitter-oauth.php:250
342
- msgid "Disconnect Your WordPress and Twitter Account"
343
- msgstr "斷開你的Wordpress與Twitter連接"
344
-
345
- #: wp-to-twitter-oauth.php:254
346
- msgid "Disconnect your WordPress and Twitter Account"
347
- msgstr ""
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 ""
352
-
353
- #: wp-to-twitter-oauth.php:264
354
- msgid "Disconnect from Twitter"
355
- msgstr "已與Twitter斷開連接"
356
-
357
- #: wp-to-twitter-oauth.php:270
358
- msgid "Twitter Username "
359
- msgstr "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 "Access Token "
372
-
373
- #: wp-to-twitter-oauth.php:274
374
- msgid "Access Token Secret "
375
- msgstr "Access Token Secret "
376
-
377
- #: wp-to-twitter-oauth.php:282
378
- msgid "Twitter's current server time: "
379
- msgstr "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 ""
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 ""
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需要OAuth驗證。若要完成安裝,請先<a href='%s'>更新設置</a>。"
392
-
393
- #: wp-to-twitter.php:275
394
- msgid "200 OK: Success!"
395
- msgstr "200 OK: 成功!"
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 無效請求:請求無效。在請求頻率限制的範圍內返回了400的狀態碼。"
400
-
401
- #: wp-to-twitter.php:284
402
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
403
- msgstr "401 未授權:授權證書丟失或不正確。"
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 ""
408
-
409
- #: wp-to-twitter.php:293
410
- msgid "500 Internal Server Error: Something is broken at Twitter."
411
- msgstr "500 內部錯誤: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 ""
416
-
417
- #: wp-to-twitter.php:301
418
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
419
- msgstr "502 錯誤的網關:Twitter服務器宕機或升級中。"
420
-
421
- #: wp-to-twitter.php:330
422
- msgid "No Twitter OAuth connection found."
423
- msgstr ""
424
-
425
- #: wp-to-twitter.php:1155
426
- msgid "WP Tweets"
427
- msgstr ""
428
-
429
- #: wp-to-twitter.php:1202
430
- msgid "Previous Tweets"
431
- msgstr ""
432
-
433
- #: wp-to-twitter.php:1218
434
- msgid "Custom Twitter Post"
435
- msgstr "定制推文"
436
-
437
- #: wp-to-twitter.php:1220
438
- msgid "Your template:"
439
- msgstr ""
440
-
441
- #: wp-to-twitter.php:1224
442
- msgid "YOURLS Custom Keyword"
443
- msgstr ""
444
-
445
- #: wp-to-twitter.php:1273
446
- msgid "Upgrade to WP Tweets Pro"
447
- msgstr ""
448
-
449
- #: wp-to-twitter.php:1234
450
- msgid "Don't Tweet this post."
451
- msgstr "不要將這篇日誌同步至Twitter"
452
-
453
- #: wp-to-twitter.php:1234
454
- msgid "Tweet this post."
455
- msgstr "推這篇博文。"
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 ""
460
-
461
- #: wp-to-twitter.php:1263
462
- msgid "This URL is direct and has not been shortened: "
463
- msgstr "URL沒有使用短域名服務:"
464
-
465
- #: wp-to-twitter.php:1319
466
- msgid "Characters left: "
467
- msgstr ""
468
-
469
- #: wp-to-twitter.php:1380
470
- msgid "WP Tweets User Settings"
471
- msgstr ""
472
-
473
- #: wp-to-twitter.php:1384
474
- msgid "Use My Twitter Username"
475
- msgstr "使用我Twitter的用戶名"
476
-
477
- #: wp-to-twitter.php:1385
478
- msgid "Tweet my posts with an @ reference to my username."
479
- msgstr "同步日誌到Twitter後,使用@通知我的Twitter賬戶。"
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 "如果如果同步日誌到Twitter後,使用@通知我的Twitter賬戶以及博客的主Twitter賬戶。"
484
-
485
- #: wp-to-twitter.php:1390
486
- msgid "Your Twitter Username"
487
- msgstr "你的Twitter用戶名"
488
-
489
- #: wp-to-twitter.php:1391
490
- msgid "Enter your own Twitter username."
491
- msgstr "輸入你的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 ""
496
-
497
- #: wp-to-twitter.php:1439
498
- msgid "Check off categories to tweet"
499
- msgstr ""
500
-
501
- #: wp-to-twitter.php:1443
502
- msgid "Do not tweet posts in checked categories (Reverses default behavior)"
503
- msgstr ""
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 ""
508
-
509
- #: wp-to-twitter.php:1463
510
- msgid "Set Categories"
511
- msgstr "設定分類"
512
-
513
- #: wp-to-twitter.php:1487
514
- msgid "Settings"
515
- msgstr "設置"
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 ""
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 ""
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 ""
539
-
540
- #: functions.php:323
541
- msgid "Please read the FAQ and other Help documents before making a support request."
542
- msgstr ""
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'>隱藏</a>]如果你在使用中遇到錯誤,請復制這些設置信息給我們以獲得技術支持。"
547
-
548
- #: functions.php:345
549
- msgid "Please include your license key in your support request."
550
- msgstr ""
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 ""
555
-
556
- #: functions.php:325
557
- msgid "Please describe your problem. I'm not psychic."
558
- msgstr ""
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 ""
563
-
564
- #: functions.php:355
565
- msgid "From:"
566
- msgstr ""
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 ""
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 ""
575
-
576
- #: functions.php:367
577
- msgid "Send Support Request"
578
- msgstr ""
579
-
580
- #: functions.php:370
581
- msgid "The following additional information will be sent with your support request:"
582
- msgstr ""
583
-
584
- #: wp-to-twitter-manager.php:41
585
- msgid "No error information is available for your shortener."
586
- msgstr "短語名服務發生未知錯誤。"
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無法連接到所選的短域名服務。</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成功的連接到所選的短域名服務。</strong> 下面的鏈接會指向你的博客首頁。"
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成功的更新了一條推。</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更新Twitter失敗。</strong></li>"
603
-
604
- #: wp-to-twitter-manager.php:61
605
- msgid "You have not connected WordPress to Twitter."
606
- msgstr "你還沒有建立Wordpress到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><strong>你的服務器可能缺少一些WP to Twitter需要的PHP函數。</strong>你可以繼續嘗試,因為這些測試結果並不保證是正確的。</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。</strong></li>"
615
-
616
- #: wp-to-twitter-manager.php:87
617
- msgid "WP to Twitter Errors Cleared"
618
- msgstr "WP to Twitter 的錯誤信息已清除"
619
-
620
- #: wp-to-twitter-manager.php:163
621
- msgid "WP to Twitter is now connected with Twitter."
622
- msgstr "WP to Twitter已連接到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 ""
627
-
628
- #: wp-to-twitter-manager.php:177
629
- msgid "OAuth Authentication Data Cleared."
630
- msgstr "OAuth驗證信息已被清除。"
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 "OAuth驗證失敗。你服務器的時間與Twitter的時間不同步。請聯系你服務器的管理員。"
635
-
636
- #: wp-to-twitter-manager.php:191
637
- msgid "OAuth Authentication response not understood."
638
- msgstr "OAuth驗證的返回信息無法別解析。"
639
-
640
- #: wp-to-twitter-manager.php:285
641
- msgid "WP to Twitter Advanced Options Updated"
642
- msgstr "WP to Twitter高級選項"
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 "如果你想使用Bit.ly提供的URL縮短功能,就必須添加Bit.ly登錄信息和API Key。"
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 "要使用遠程的YOURLS短域名服務,請先添加你的YOURLS的URL,用戶名和密碼。"
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 "要使用本機的YOURLS短域名服務,請先添加你的YOURLS路徑。"
655
-
656
- #: wp-to-twitter-manager.php:318
657
- msgid "WP to Twitter Options Updated"
658
- msgstr "WP to Twitter 的設置已經更新"
659
-
660
- #: wp-to-twitter-manager.php:327
661
- msgid "Category limits updated."
662
- msgstr "分類的限制已更新。"
663
-
664
- #: wp-to-twitter-manager.php:331
665
- msgid "Category limits unset."
666
- msgstr "分類的限制未設定。"
667
-
668
- #: wp-to-twitter-manager.php:338
669
- msgid "YOURLS password updated. "
670
- msgstr "YOURLS的密碼已經更新。"
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 "YOURLS的密碼已刪除。你將無法使用YOURLS短域名服務來縮短域名。"
675
-
676
- #: wp-to-twitter-manager.php:343
677
- msgid "Failed to save your YOURLS password! "
678
- msgstr "YOURLS的密碼保存失敗!"
679
-
680
- #: wp-to-twitter-manager.php:347
681
- msgid "YOURLS username added. "
682
- msgstr "YOURLS的用戶名已添加。"
683
-
684
- #: wp-to-twitter-manager.php:351
685
- msgid "YOURLS API url added. "
686
- msgstr "YOURLS的API URL已添加。"
687
-
688
- #: wp-to-twitter-manager.php:354
689
- msgid "YOURLS API url removed. "
690
- msgstr "YOURLS的API URL已移除。"
691
-
692
- #: wp-to-twitter-manager.php:359
693
- msgid "YOURLS local server path added. "
694
- msgstr "本地YOURLS服務的路徑地址已添加。"
695
-
696
- #: wp-to-twitter-manager.php:361
697
- msgid "The path to your YOURLS installation is not correct. "
698
- msgstr "所輸入的YOURLS的路徑無效。"
699
-
700
- #: wp-to-twitter-manager.php:365
701
- msgid "YOURLS local server path removed. "
702
- msgstr "YOURLS的路徑地址已刪除。"
703
-
704
- #: wp-to-twitter-manager.php:370
705
- msgid "YOURLS will use Post ID for short URL slug."
706
- msgstr "YOURLS采用博文的ID來縮短域名。"
707
-
708
- #: wp-to-twitter-manager.php:372
709
- msgid "YOURLS will use your custom keyword for short URL slug."
710
- msgstr ""
711
-
712
- #: wp-to-twitter-manager.php:376
713
- msgid "YOURLS will not use Post ID for the short URL slug."
714
- msgstr "YOURLS不采用博文的ID來縮短域名。"
715
-
716
- #: wp-to-twitter-manager.php:384
717
- msgid "Su.pr API Key and Username Updated"
718
- msgstr "Su.pr API Key和用戶名已更新"
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 "Su.pr API Key已經被刪除。WP to Twitter將不再與Su.pr關聯。"
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 "Su.pr API Key 還沒有添加 - <a href='http://cli.gs/user/api/'>這裏</a>來獲取一個吧!"
727
-
728
- #: wp-to-twitter-manager.php:396
729
- msgid "Bit.ly API Key Updated."
730
- msgstr "Bit.ly API Key 已經更新"
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 "Bit.ly API Key 已經刪除。如果沒有 API,將無法使用Bit.ly提供的服務。"
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 "Bit.ly的API還沒有添加 - <a href='http://bit.ly/account/'>這裏</a>獲得一個吧! 如果你想使用URL縮短功能,就必須提供一個Bit.ly的API。"
739
-
740
- #: wp-to-twitter-manager.php:405
741
- msgid " Bit.ly User Login Updated."
742
- msgstr "Bit.ly登錄信息已經更新。"
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 "Bit.ly登錄信息已經刪除。沒有了登錄信息,你將不能使用Bit.ly。"
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 "Bit.ly 登錄信息沒有添加 - <a href='http://bit.ly/account/'>這裏</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 ""
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 "抱歉! 不能連接Twitter服務器來將你的<strong>新鏈接</strong>同步至Twitter! 我恐怕你得手動發這個推了。"
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 ""
763
-
764
- #: wp-to-twitter-manager.php:441
765
- msgid "Clear 'WP to Twitter' Error Messages"
766
- msgstr "清除WP to Twitter的錯誤信息"
767
-
768
- #: wp-to-twitter-manager.php:448
769
- msgid "WP to Twitter Options"
770
- msgstr "WP to Twitter 選項"
771
-
772
- #: wp-to-twitter-manager.php:461
773
- msgid "Basic Settings"
774
- msgstr "基本設置"
775
-
776
- #: wp-to-twitter-manager.php:466 wp-to-twitter-manager.php:529
777
- msgid "Save WP->Twitter Options"
778
- msgstr "保存 WP to Twitter 選項"
779
-
780
- #: wp-to-twitter-manager.php:496
781
- msgid "Settings for Comments"
782
- msgstr "評論設置"
783
-
784
- #: wp-to-twitter-manager.php:499
785
- msgid "Update Twitter when new comments are posted"
786
- msgstr "當添加評論時同步至Twitter"
787
-
788
- #: wp-to-twitter-manager.php:500
789
- msgid "Text for new comments:"
790
- msgstr "發表新評論時,推的內容:"
791
-
792
- #: wp-to-twitter-manager.php:505
793
- msgid "Settings for Links"
794
- msgstr "鏈接設置"
795
-
796
- #: wp-to-twitter-manager.php:508
797
- msgid "Update Twitter when you post a Blogroll link"
798
- msgstr "當Blogroll鏈接更新時同步至Twitter"
799
-
800
- #: wp-to-twitter-manager.php:509
801
- msgid "Text for new link updates:"
802
- msgstr "添加新鏈接時,推的內容:"
803
-
804
- #: wp-to-twitter-manager.php:509
805
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
806
- msgstr "支持的簡碼:<code>#url#</code>,<code>#title#</code>,<code>#description#</code>。"
807
-
808
- #: wp-to-twitter-manager.php:513
809
- msgid "Choose your short URL service (account settings below)"
810
- msgstr "選擇你的短域名服務(賬戶設置在下面)"
811
-
812
- #: wp-to-twitter-manager.php:516
813
- msgid "Don't shorten URLs."
814
- msgstr "不要縮短URL。"
815
-
816
- #: wp-to-twitter-manager.php:517
817
- msgid "Use Su.pr for my URL shortener."
818
- msgstr "使用<strong>Su.pr</strong>來為我縮短URL。"
819
-
820
- #: wp-to-twitter-manager.php:518
821
- msgid "Use Bit.ly for my URL shortener."
822
- msgstr "使用<strong>Bit.ly</strong>短域名服務。"
823
-
824
- #: wp-to-twitter-manager.php:519
825
- msgid "Use Goo.gl as a URL shortener."
826
- msgstr ""
827
-
828
- #: wp-to-twitter-manager.php:520
829
- msgid "YOURLS (installed on this server)"
830
- msgstr "YOURLS (安裝在這臺服務器上)"
831
-
832
- #: wp-to-twitter-manager.php:521
833
- msgid "YOURLS (installed on a remote server)"
834
- msgstr "YOURLS(安裝在遠程的服務器上)"
835
-
836
- #: wp-to-twitter-manager.php:522
837
- msgid "Use WordPress as a URL shortener."
838
- msgstr "使用<strong>Wordpress</strong>短域名服務。"
839
-
840
- #: wp-to-twitter-manager.php:537
841
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
842
- msgstr "<abbr title=\"統一資源定位符\">URL</abbr>短域名賬戶設置"
843
-
844
- #: wp-to-twitter-manager.php:540
845
- msgid "Your Su.pr account details"
846
- msgstr "你的Su.pr賬戶信息:"
847
-
848
- #: wp-to-twitter-manager.php:544
849
- msgid "Your Su.pr Username:"
850
- msgstr "你的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 "你的Su.pr<abbr title='應用程序接口'>API</abbr> Key:"
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 "你還沒有Su.pr賬戶或者Su.pr的API Key麽? 那快來<a href='http://cli.gs/user/api/'>這裏</a>免費獲取一個吧!<br />如果你需要關聯你的Su.pr賬戶,你還需要一個API Key。"
859
-
860
- #: wp-to-twitter-manager.php:560
861
- msgid "Your Bit.ly account details"
862
- msgstr "你的Bit.ly賬戶信息"
863
-
864
- #: wp-to-twitter-manager.php:564
865
- msgid "Your Bit.ly username:"
866
- msgstr "你的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 ""
871
-
872
- #: wp-to-twitter-manager.php:568
873
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
874
- msgstr "你Bit.ly<abbr title='應用程序接口'>API</abbr> Key:"
875
-
876
- #: wp-to-twitter-manager.php:576
877
- msgid "Save Bit.ly API Key"
878
- msgstr "保存Bit.ly API Key"
879
-
880
- #: wp-to-twitter-manager.php:576
881
- msgid "Clear Bit.ly API Key"
882
- msgstr "清除Bit.ly API Key"
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 "當通過Bit.ly API縮短URL時,需要Bit.ly的API Key和用戶名。"
887
-
888
- #: wp-to-twitter-manager.php:581
889
- msgid "Your YOURLS account details"
890
- msgstr "你的YOURLS賬戶信息:"
891
-
892
- #: wp-to-twitter-manager.php:585
893
- msgid "Path to your YOURLS config file (Local installations)"
894
- msgstr "本地YOURLS的配置文件(本地安裝)"
895
-
896
- #: wp-to-twitter-manager.php:586 wp-to-twitter-manager.php:590
897
- msgid "Example:"
898
- msgstr "如:"
899
-
900
- #: wp-to-twitter-manager.php:589
901
- msgid "URI to the YOURLS API (Remote installations)"
902
- msgstr "YOURLS API的URI地址(遠程安裝)"
903
-
904
- #: wp-to-twitter-manager.php:593
905
- msgid "Your YOURLS username:"
906
- msgstr "你的YOURLS用戶名:"
907
-
908
- #: wp-to-twitter-manager.php:597
909
- msgid "Your YOURLS password:"
910
- msgstr "你的YOURLS的密碼:"
911
-
912
- #: wp-to-twitter-manager.php:597
913
- msgid "<em>Saved</em>"
914
- msgstr "<em>已保存</em>"
915
-
916
- #: wp-to-twitter-manager.php:601
917
- msgid "Post ID for YOURLS url slug."
918
- msgstr ""
919
-
920
- #: wp-to-twitter-manager.php:602
921
- msgid "Custom keyword for YOURLS url slug."
922
- msgstr ""
923
-
924
- #: wp-to-twitter-manager.php:603
925
- msgid "Default: sequential URL numbering."
926
- msgstr ""
927
-
928
- #: wp-to-twitter-manager.php:609
929
- msgid "Save YOURLS Account Info"
930
- msgstr "保存YOURLS賬戶信息"
931
-
932
- #: wp-to-twitter-manager.php:609
933
- msgid "Clear YOURLS password"
934
- msgstr "清除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 "當通過YOURLS API縮短URL時,需要YOURLS的用戶名和密碼。"
939
-
940
- #: wp-to-twitter-manager.php:620
941
- msgid "Advanced Settings"
942
- msgstr "高級設置"
943
-
944
- #: wp-to-twitter-manager.php:625 wp-to-twitter-manager.php:783
945
- msgid "Save Advanced WP->Twitter Options"
946
- msgstr "保存WP To Twitter的高級選項"
947
-
948
- #: wp-to-twitter-manager.php:627
949
- msgid "Advanced Tweet settings"
950
- msgstr "高級推文設置"
951
-
952
- #: wp-to-twitter-manager.php:629
953
- msgid "Strip nonalphanumeric characters from tags"
954
- msgstr ""
955
-
956
- #: wp-to-twitter-manager.php:630
957
- msgid "Spaces in tags replaced with:"
958
- msgstr ""
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 "默認替換為下劃線(<code>_</code>)。使用<code>[ ]</code>來刪除日誌中的空格。"
963
-
964
- #: wp-to-twitter-manager.php:635
965
- msgid "Maximum number of tags to include:"
966
- msgstr "包含Tag的最大數量:"
967
-
968
- #: wp-to-twitter-manager.php:636
969
- msgid "Maximum length in characters for included tags:"
970
- msgstr "包含Tag的最大長度:"
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 "這些選項可以讓你限制WP日誌中,Tag的數量和長度。設置<code>0</code>或者留空來顯示所有的標簽。"
975
-
976
- #: wp-to-twitter-manager.php:640
977
- msgid "Length of post excerpt (in characters):"
978
- msgstr "日誌摘要的長度(以字符計算):"
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 "默認的,將會從日誌內提取,如果你使用了‘摘要’這個自定義域,將會自動替換為你自定義的內容。"
983
-
984
- #: wp-to-twitter-manager.php:643
985
- msgid "WP to Twitter Date Formatting:"
986
- msgstr "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 "默認將會使用通用設置。請參考<a href='http://codex.wordpress.org/Formatting_Date_and_Time'>時間格式文檔</a>。"
991
-
992
- #: wp-to-twitter-manager.php:648
993
- msgid "Custom text before all Tweets:"
994
- msgstr "每條推前的自定義文字:"
995
-
996
- #: wp-to-twitter-manager.php:649
997
- msgid "Custom text after all Tweets:"
998
- msgstr "每條推後的自定義文字:"
999
-
1000
- #: wp-to-twitter-manager.php:652
1001
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1002
- msgstr "會替換為短URL並且同步至至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 "你可以用自定義字段同步一些其實的鏈接。這裏的值就是那個字段的名稱。"
1007
-
1008
- #: wp-to-twitter-manager.php:676
1009
- msgid "Preferred status update truncation sequence"
1010
- msgstr ""
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 ""
1015
-
1016
- #: wp-to-twitter-manager.php:684
1017
- msgid "Special Cases when WordPress should send a Tweet"
1018
- msgstr "Wordpress同步博文的條件"
1019
-
1020
- #: wp-to-twitter-manager.php:687
1021
- msgid "Do not post Tweets by default"
1022
- msgstr ""
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 "默認情況下,所有的博文滿足其他需求的,會被發表到Twitter。點擊這裏更改設置。"
1027
-
1028
- #: wp-to-twitter-manager.php:694
1029
- msgid "Allow status updates from Quick Edit"
1030
- msgstr "允許在快速編輯中更新狀態"
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 ""
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 ""
1039
-
1040
- #: wp-to-twitter-manager.php:707
1041
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1042
- msgstr "當遠程發布日誌的時候(通過EMail或者XMLRPC客戶端),同步至Twitter"
1043
-
1044
- #: wp-to-twitter-manager.php:712
1045
- msgid "Google Analytics Settings"
1046
- msgstr "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 "通過定義一個標識,你可以用Google Analytics跟蹤Twitter的反響。標識包含靜態和動態的兩種:靜態標識這所有博文公用的,不會改變。動態標識依據博文不同而不同。動態標識可以幫助你更細的拆分統計結果。"
1051
-
1052
- #: wp-to-twitter-manager.php:717
1053
- msgid "Use a Static Identifier with WP-to-Twitter"
1054
- msgstr "WP to Twitter使用靜態標識"
1055
-
1056
- #: wp-to-twitter-manager.php:718
1057
- msgid "Static Campaign identifier for Google Analytics:"
1058
- msgstr "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 "WP to Twitter為Google Analysis使用動態標識"
1063
-
1064
- #: wp-to-twitter-manager.php:723
1065
- msgid "What dynamic identifier would you like to use?"
1066
- msgstr "你想選擇什麽樣的動態標識?"
1067
-
1068
- #: wp-to-twitter-manager.php:725
1069
- msgid "Category"
1070
- msgstr "分類"
1071
-
1072
- #: wp-to-twitter-manager.php:726
1073
- msgid "Post ID"
1074
- msgstr "博文ID"
1075
-
1076
- #: wp-to-twitter-manager.php:727
1077
- msgid "Post Title"
1078
- msgstr "博文標題"
1079
-
1080
- #: wp-to-twitter-manager.php:728
1081
- msgid "Author"
1082
- msgstr "作者"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
readme.txt CHANGED
@@ -1,32 +1,38 @@
1
  === WP to Twitter ===
2
  Contributors: joedolson
3
- Donate link: http://www.joedolson.com/donate.php
4
  Tags: twitter, microblogging, su.pr, bitly, yourls, redirect, shortener, post, links
5
  Requires at least: 3.7.0
6
- Tested up to: 3.9.2
7
  License: GPLv2 or later
8
- Stable tag: 2.8.9
 
9
 
10
- Auto-posts a Twitter update when you update your WordPress blog or blogroll, with your chosen URL shortening service.
11
 
12
  == Description ==
13
 
14
- WP to Twitter posts Tweets from WordPress to Twitter.
15
 
16
- Shorten URLs using a variety of popular URL shorteners, or leave Twitter to do it for you using t.co.
17
-
18
- Use WP to Twitter display a feed of recent Tweets. Display Tweets from any account by entering that account's Twitter ID!
19
 
 
 
 
 
20
  [Upgrade to WP Tweets Pro](http://www.joedolson.com/wp-tweets-pro/) for Tweet scheduling, automatic re-tweeting, and more!
21
 
22
- WP to Twitter supports a customizable Tweet template for updating or editing posts and pages, supports custom post types, and allows you to write a custom Tweet for each post, using custom template tags to generate the Tweet copy.
23
 
24
- More features:
25
 
26
- * Use tags as Twitter hashtags
27
  * Use alternate URLs in place of post permalinks
28
  * Support for Google Analytics
29
  * Support for XMLRPC remote clients
 
 
 
30
 
31
  Upgrade to [WP Tweets Pro](http://www.joedolson.com/wp-tweets-pro/) for extra features, including:
32
 
@@ -40,12 +46,12 @@ Upgrade to [WP Tweets Pro](http://www.joedolson.com/wp-tweets-pro/) for extra fe
40
 
41
  Want to stay up to date on WP to Twitter? [Follow me on Twitter!](https://twitter.com/joedolson)
42
 
43
- Translations:
44
 
45
  Visit the [WP to Twitter translations page](http://translate.joedolson.com/projects/wp-to-twitter) to see how complete these are.
46
 
47
- Languages available (in order of completeness):
48
- Dutch, Italian, Russian, French, Danish, Catalan, Portuguese, Spanish, Chinese, Japanese, Romanian, Estonian, German, Swedish, Irish, Ukrainian, Lithuanian, Belarusian, Turkish, Persian
49
 
50
  Translating my plug-ins is always appreciated. Visit <a href="http://translate.joedolson.com">my translations site</a> to start getting your language into shape!
51
 
@@ -53,7 +59,59 @@ Translating my plug-ins is always appreciated. Visit <a href="http://translate.j
53
 
54
  = Future =
55
 
 
56
  * Add regex filter to detect URLs typed into Tweet fields for counting/shortening purposes. [todo]
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
57
 
58
  = 2.9.0 =
59
 
@@ -1001,7 +1059,7 @@ Right here: [WP to Twitter FAQ](http://www.joedolson.com/wp-to-twitter/support-2
1001
 
1002
  = How can I help you make WP to Twitter a better plug-in? =
1003
 
1004
- Writing and maintaining a plug-in is a lot of work. You can help me by providing detailed support requests (which saves me time), or by providing financial support, either via my [plug-in donations page](http://www.joedolson.com/donate.php) or by [upgrading to WP Tweets Pro](http://www.joedolson.com/wp-tweets-pro/). Believe me, any small donation really makes a difference!
1005
 
1006
  == Screenshots ==
1007
 
@@ -1014,4 +1072,6 @@ Writing and maintaining a plug-in is a lot of work. You can help me by providing
1014
 
1015
  == Upgrade Notice ==
1016
 
1017
- * 2.9.0 - Permissions re-vamp; support for custom roles; Add "Tweet Now" button.
 
 
1
  === WP to Twitter ===
2
  Contributors: joedolson
3
+ Donate link: http://www.joedolson.com/donate/
4
  Tags: twitter, microblogging, su.pr, bitly, yourls, redirect, shortener, post, links
5
  Requires at least: 3.7.0
6
+ Tested up to: 4.1
7
  License: GPLv2 or later
8
+ Text Domain: wp-to-twitter
9
+ Stable tag: 2.9.7
10
 
11
+ Posts a Twitter update when you update your WordPress blog or add a link, with your chosen URL shortening service.
12
 
13
  == Description ==
14
 
15
+ = Post Tweets from WordPress to Twitter. =
16
 
17
+ Yep. That's the basic functionality. But it's not the only thing you can do:
 
 
18
 
19
+ * Shorten URLs in your Tweets with popular URL shorteners, or let Twitter to do it with [t.co](http://t.co).
20
+ * Recent Tweets Widget: Display recent Tweets. Fetch Tweets from your own or any other account.
21
+ * Tweet Search Widget: Display the Tweets resulting from a search.
22
+
23
  [Upgrade to WP Tweets Pro](http://www.joedolson.com/wp-tweets-pro/) for Tweet scheduling, automatic re-tweeting, and more!
24
 
25
+ WP to Twitter uses a customizable Tweet template for Tweets sent when updating or editing posts and pages or custom post types. You can customize your Tweet for each post, using custom template tags to generate the Tweet.
26
 
27
+ = Free Features =
28
 
29
+ * Use post tags as Twitter hashtags
30
  * Use alternate URLs in place of post permalinks
31
  * Support for Google Analytics
32
  * Support for XMLRPC remote clients
33
+ * Select from YOURLS, Goo.gl, Bit.ly, jotURL, or Su.pr as external URL shorteners.
34
+
35
+ = Premium Features =
36
 
37
  Upgrade to [WP Tweets Pro](http://www.joedolson.com/wp-tweets-pro/) for extra features, including:
38
 
46
 
47
  Want to stay up to date on WP to Twitter? [Follow me on Twitter!](https://twitter.com/joedolson)
48
 
49
+ = Translations =
50
 
51
  Visit the [WP to Twitter translations page](http://translate.joedolson.com/projects/wp-to-twitter) to see how complete these are.
52
 
53
+ Translations available (in order of completeness):
54
+ Dutch, Italian, Russian, French, Danish, Catalan, Portuguese, Spanish, Chinese, Japanese, German, Romanian, Estonian, Swedish, Irish, Ukrainian, Lithuanian, Belarusian, Turkish
55
 
56
  Translating my plug-ins is always appreciated. Visit <a href="http://translate.joedolson.com">my translations site</a> to start getting your language into shape!
57
 
59
 
60
  = Future =
61
 
62
+ * Use apply_filters( 'wpt_tweet_sentence', $tweet, $post_ID ) to pass custom taxonomy Tweet formats
63
  * Add regex filter to detect URLs typed into Tweet fields for counting/shortening purposes. [todo]
64
+ * Replacement for incoming data that's already encoded? (e.g. &apos;)
65
+
66
+ = 2.9.8 =
67
+
68
+ * Feature: Upload images from remote servers (WP Tweets PRO)
69
+ * Updated User's Guide.
70
+
71
+ = 2.9.7 =
72
+
73
+ * New filter: wpt_allow_reposts to filter whether a specific post should schedule retweets (WP Tweets PRO).
74
+ * Alter image selection criteria to use first uploaded image as the default instead of the last uploaded image (WP Tweets PRO)
75
+ * Pass media data into Tweet Now AJAX function (WP Tweets PRO);
76
+ * Fixed issue with 400 error for "Tweet Now" button for unauthenticated logged-in users (WP Tweets PRO)
77
+ * Add filter to disable use of featured image for uploading (wpt_use_featured_image; returns boolean) (WP Tweets PRO)
78
+ * Bug fix: In translated context, successful Tweet notices picked up wrong notice class.
79
+ * Extensive code cleanup and reformatting.
80
+
81
+ = 2.9.6 =
82
+
83
+ * Bug fix: Expiration not set on retweets.
84
+
85
+ = 2.9.5 =
86
+
87
+ * Added test to prevent duplicate sending of Tweets. Any Tweets to the same author sent within 30 seconds are blocked silently.
88
+ * Feature: Add Twitter widget for search API
89
+ * Add support for YOURLS signature tokens
90
+ * Deprecate support for YOURLS access with username/password.
91
+ * Revised debugging setup
92
+ * Translation updated: German
93
+
94
+ = 2.9.4 =
95
+
96
+ * Security Fix: https://vexatioustendencies.com/wordpress-plugin-vulnerability-dump-part-2/; No thanks to reporter.
97
+
98
+ = 2.9.3 =
99
+
100
+ * Feature: Use display URL for URLs in Twitter Widget
101
+ * Bug fix: user's Twitter account not assigned to #author# tag
102
+ * Bug fix: reverted bug fix #4 from 2.9.1; didn't accomplish what it was supposed to and caused new issues.
103
+
104
+ = 2.9.2 =
105
+
106
+ * Bug fix: Accidentally enabled upload images in free edition; feature is problematic without the controls in WP Tweets PRO!
107
+
108
+ = 2.9.1 =
109
+
110
+ * Bug fix: too many fallbacks for #author#, display name never shows
111
+ * Bug fix: stripslashes on AJAX tweet
112
+ * Bug fix: prevent PHP warnings on invalid shortener return values
113
+ * Bug fix: [WP Tweets PRO] if images are to be uploaded, but were added to post after publication, they were not tweeted.
114
+ * Updated Dutch, German translations.
115
 
116
  = 2.9.0 =
117
 
1059
 
1060
  = How can I help you make WP to Twitter a better plug-in? =
1061
 
1062
+ Writing and maintaining a plug-in is a lot of work. You can help me by providing detailed support requests (which saves me time), or by providing financial support, either via my [plug-in donations page](https://www.joedolson.com/donate/) or by [upgrading to WP Tweets Pro](https://www.joedolson.com/wp-tweets-pro/). Believe me, any small donation really makes a difference!
1063
 
1064
  == Screenshots ==
1065
 
1072
 
1073
  == Upgrade Notice ==
1074
 
1075
+ 2.9.8: Updated User's Guide, related tasks.
1076
+
1077
+ * 2.9.7 - Changes to fix bugs for WP Tweets PRO users.
styles.css DELETED
@@ -1,47 +0,0 @@
1
- #wp-to-twitter #message {margin: 10px 0;padding: 5px;}
2
- #wp-to-twitter .jd-settings {clear: both;}
3
- #wp-to-twitter form .error p {background: none;border: none;}
4
- legend { padding: 6px; background: #f3f3f3; width: 100%; border-radius: 3px 0 0 3px; color: #000; }
5
- #wp-to-twitter .resources {background: url(images/logo.png) 50% 5px no-repeat; padding-top: 70px; text-align: center;}
6
- #wp-to-twitter .resources form {margin: 0;}
7
- .settings {margin: 25px 0;background: #fff;padding: 10px;border: 1px solid #000;}
8
- #wp-to-twitter .inside em {color: #f33;}
9
- #wp-to-twitter .button-side { position: absolute; top: 0; right: 10px;}
10
- #wp-to-twitter .tokens label { width: 13em; display: block; float: left; margin-top:5px;}
11
- #wp-to-twitter .wpt-terms ul { -moz-column-count: 3; -moz-column-gap: 20px; -webkit-column-count: 3; -webkit-column-gap: 20px; margin: 0 0 20px; padding: 0; }
12
- #wp-to-twitter .wpt-terms li { list-style-type: none; margin: 3px 0; padding: 0;}
13
- #wp-to-twitter .inside .clear { display: block; clear: both; }
14
- #wp-to-twitter .inside .comments { clear: both;}
15
- #wp-to-twitter .postbox { margin: 10px 10px 0 0; }
16
- #wp-to-twitter .meta-box-sortables { min-height: 0; }
17
- #wp-to-twitter .wpt-template, #wp-to-twitter .support-request { width: 95%; }
18
- .wpt_image { padding-left: 20px; background: url(images/image.png) left 50% no-repeat; display: block; }
19
- #wpt_license_key { font-size: 1.3em; padding: 5px; letter-spacing: .5px; }
20
- #wp-to-twitter input { max-width: 100%; }
21
- label[for="wpt_license_key"] { font-size: 1.3em; }
22
- #wp-to-twitter .wpt-upgrade { background: crimson; color: #fff; text-shadow: #000 0 1px 0; border-radius: 2px 2px 0 0; }
23
- .wp-tweets-pro .widefat input[type=text] { width: 100%; }
24
-
25
- #wpt_settings_page .tabs { margin: 0!important; padding: 0 4px; position: relative; top: 1px; }
26
- #wpt_settings_page .tabs li { display: inline; margin: 0 auto; line-height: 1; }
27
- #wpt_settings_page .tabs a { display: inline-block; padding: 4px 8px; border-radius: 4px 4px 0 0; border: 1px solid #ccc; background: #f3f3f3; }
28
- #wpt_settings_page .tabs a.active { border-bottom: 1px solid #fefefe; background: #fefefe; }
29
- #wpt_settings_page .wptab { background: #fff; padding: 0 12px; margin-bottom: 10px; min-height: 200px; border: 1px solid #ccc; }
30
- #wpt_settings_page input[type=text] { font-size: 1.3em; padding: 4px; margin: 0 0 4px; }
31
-
32
- .wpt-permissions .wptab { padding: 10px; min-height: 160px !important; }
33
- .wpt-permissions legend { background: none; }
34
-
35
- .wpt-terms li{ padding: 2px!important; border-radius: 3px; }
36
- .tweet { background: #070 url(images/Ok.png) right 50% no-repeat; color: #fff; }
37
- .notweet { background: #9d1309 url(images/Error.png) right 50% no-repeat; color: #fff; }
38
-
39
- .donations * { vertical-align: middle; display: inline-block; }
40
-
41
- .jcd-wide { width: 75%; }
42
- .jcd-narrow { width: 20%; }
43
-
44
- @media (max-width: 782px) {
45
- .jcd-narrow { width: 100%; }
46
- .jcd-wide { width: 100%; }
47
- }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
tmhOAuth/composer.json CHANGED
@@ -1,26 +1,26 @@
1
  {
2
- "name": "themattharris/tmhoauth",
3
- "description": "An OAuth 1.0A library written in PHP by @themattharris, specifically for use with the Twitter API",
4
- "license": "Apache-2.0",
5
- "authors": [
6
- {
7
- "name": "themattharris",
8
- "email": "matt@themattharris.com",
9
- "role": "Developer"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
10
  }
11
- ],
12
- "keywords": [
13
- "twitter",
14
- "oauth"
15
- ],
16
- "support": {
17
- "issues": "https://github.com/themattharris/tmhOAuth/issues"
18
- },
19
- "require": {
20
- "php": ">=5.3.0",
21
- "ext-curl": "*"
22
- },
23
- "autoload": {
24
- "psr-0": { "tmhOAuth": "" }
25
- }
26
  }
1
  {
2
+ "name": "themattharris/tmhoauth",
3
+ "description": "An OAuth 1.0A library written in PHP by @themattharris, specifically for use with the Twitter API",
4
+ "license": "Apache-2.0",
5
+ "authors": [
6
+ {
7
+ "name": "themattharris",
8
+ "email": "matt@themattharris.com",
9
+ "role": "Developer"
10
+ }
11
+ ],
12
+ "keywords": [
13
+ "twitter",
14
+ "oauth"
15
+ ],
16
+ "support": {
17
+ "issues": "https://github.com/themattharris/tmhOAuth/issues"
18
+ },
19
+ "require": {
20
+ "php": ">=5.3.0",
21
+ "ext-curl": "*"
22
+ },
23
+ "autoload": {
24
+ "psr-0": {"tmhOAuth": ""}
25
  }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
26
  }
tmhOAuth/tmhOAuth.php CHANGED
@@ -1,4 +1,5 @@
1
  <?php
 
2
  /**
3
  * tmhOAuth
4
  *
@@ -12,713 +13,745 @@
12
  * 20 February 2013
13
  */
14
  class tmhOAuth {
15
- const VERSION = '0.7.5';
16
-
17
- var $response = array();
18
-
19
- /**
20
- * Creates a new tmhOAuth object
21
- *
22
- * @param string $config, the configuration to use for this request
23
- * @return void
24
- */
25
- public function __construct($config=array()) {
26
- $this->params = array();
27
- $this->headers = array();
28
- $this->auto_fixed_time = false;
29
- $this->buffer = null;
30
-
31
- // default configuration options
32
- $this->config = array_merge(
33
- array(
34
- // leave 'user_agent' blank for default, otherwise set this to
35
- // something that clearly identifies your app
36
- 'user_agent' => '',
37
- // default timezone for requests
38
- 'timezone' => 'UTC',
39
-
40
- 'use_ssl' => true,
41
- 'host' => 'api.twitter.com',
42
-
43
- 'consumer_key' => '',
44
- 'consumer_secret' => '',
45
- 'user_token' => '',
46
- 'user_secret' => '',
47
- 'force_nonce' => false,
48
- 'nonce' => false, // used for checking signatures. leave as false for auto
49
- 'force_timestamp' => false,
50
- 'timestamp' => false, // used for checking signatures. leave as false for auto
51
-
52
- // oauth signing variables that are not dynamic
53
- 'oauth_version' => '1.0',
54
- 'oauth_signature_method' => 'HMAC-SHA1',
55
-
56
- // you probably don't want to change any of these curl values
57
- 'curl_connecttimeout' => 30,
58
- 'curl_timeout' => 10,
59
-
60
- // for security this should always be set to 2.
61
- 'curl_ssl_verifyhost' => 2,
62
- // for security this should always be set to true.
63
- 'curl_ssl_verifypeer' => true,
64
-
65
- // you can get the latest cacert.pem from here http://curl.haxx.se/ca/cacert.pem
66
- 'curl_cainfo' => dirname(__FILE__) . DIRECTORY_SEPARATOR . 'cacert.pem',
67
- 'curl_capath' => dirname(__FILE__),
68
-
69
- 'curl_followlocation' => false, // whether to follow redirects or not
70
-
71
- // support for proxy servers
72
- 'curl_proxy' => false, // really you don't want to use this if you are using streaming
73
- 'curl_proxyuserpwd' => false, // format username:password for proxy, if required
74
- 'curl_encoding' => '', // leave blank for all supported formats, else use gzip, deflate, identity
75
-
76
- // streaming API
77
- 'is_streaming' => false,
78
- 'streaming_eol' => "\r\n",
79
- 'streaming_metrics_interval' => 60,
80
-
81
- // header or querystring. You should always use header!
82
- // this is just to help me debug other developers implementations
83
- 'as_header' => true,
84
- 'debug' => false,
85
- ),
86
- $config
87
- );
88
- $this->set_user_agent();
89
- date_default_timezone_set($this->config['timezone']);
90
- }
91
-
92
- /**
93
- * Sets the useragent for PHP to use
94
- * If '$this->config['user_agent']' already has a value it is used instead of one
95
- * being generated.
96
- *
97
- * @return void value is stored to the config array class variable
98
- */
99
- private function set_user_agent() {
100
- if (!empty($this->config['user_agent']))
101
- return;
102
-
103
- if ($this->config['curl_ssl_verifyhost'] && $this->config['curl_ssl_verifypeer']) {
104
- $ssl = '+SSL';
105
- } else {
106
- $ssl = '-SSL';
107
- }
108
-
109
- $ua = 'tmhOAuth ' . self::VERSION . $ssl . ' - //github.com/themattharris/tmhOAuth';
110
- $this->config['user_agent'] = $ua;
111
- }
112
-
113
- /**
114
- * Generates a random OAuth nonce.
115
- * If 'force_nonce' is true a nonce is not generated and the value in the configuration will be retained.
116
- *
117
- * @param string $length how many characters the nonce should be before MD5 hashing. default 12
118
- * @param string $include_time whether to include time at the beginning of the nonce. default true
119
- * @return void value is stored to the config array class variable
120
- */
121
- private function create_nonce($length=12, $include_time=true) {
122
- if ($this->config['force_nonce'] == false) {
123
- $sequence = array_merge(range(0,9), range('A','Z'), range('a','z'));
124
- $length = $length > count($sequence) ? count($sequence) : $length;
125
- shuffle($sequence);
126
-
127
- $prefix = $include_time ? microtime() : '';
128
- $this->config['nonce'] = md5(substr($prefix . implode('', $sequence), 0, $length));
129
- }
130
- }
131
-
132
- /**
133
- * Generates a timestamp.
134
- * If 'force_timestamp' is true a nonce is not generated and the value in the configuration will be retained.
135
- *
136
- * @return void value is stored to the config array class variable
137
- */
138
- private function create_timestamp() {
139
- $this->config['timestamp'] = ($this->config['force_timestamp'] == false ? time() : $this->config['timestamp']);
140
- }
141
-
142
- /**
143
- * Encodes the string or array passed in a way compatible with OAuth.
144
- * If an array is passed each array value will will be encoded.
145
- *
146
- * @param mixed $data the scalar or array to encode
147
- * @return $data encoded in a way compatible with OAuth
148
- */
149
- private function safe_encode($data) {
150
- if (is_array($data)) {
151
- return array_map(array($this, 'safe_encode'), $data);
152
- } else if (is_scalar($data)) {
153
- return str_ireplace(
154
- array('+', '%7E'),
155
- array(' ', '~'),
156
- rawurlencode($data)
157
- );
158
- } else {
159
- return '';
160
- }
161
- }
162
-
163
- /**
164
- * Decodes the string or array from it's URL encoded form
165
- * If an array is passed each array value will will be decoded.
166
- *
167
- * @param mixed $data the scalar or array to decode
168
- * @return string $data decoded from the URL encoded form
169
- */
170
- private function safe_decode($data) {
171
- if (is_array($data)) {
172
- return array_map(array($this, 'safe_decode'), $data);
173
- } else if (is_scalar($data)) {
174
- return rawurldecode($data);
175
- } else {
176
- return '';
177
- }
178
- }
179
-
180
- /**
181
- * Returns an array of the standard OAuth parameters.
182
- *
183
- * @return array all required OAuth parameters, safely encoded
184
- */
185
- private function get_defaults() {
186
- $defaults = array(
187
- 'oauth_version' => $this->config['oauth_version'],
188
- 'oauth_nonce' => $this->config['nonce'],
189
- 'oauth_timestamp' => $this->config['timestamp'],
190
- 'oauth_consumer_key' => $this->config['consumer_key'],
191
- 'oauth_signature_method' => $this->config['oauth_signature_method'],
192
- );
193
-
194
- // include the user token if it exists
195
- if ( $this->config['user_token'] )
196
- $defaults['oauth_token'] = $this->config['user_token'];
197
-
198
- // safely encode
199
- foreach ($defaults as $k => $v) {
200
- $_defaults[$this->safe_encode($k)] = $this->safe_encode($v);
201
- }
202
-
203
- return $_defaults;
204
- }
205
-
206
- /**
207
- * Extracts and decodes OAuth parameters from the passed string
208
- *
209
- * @param string $body the response body from an OAuth flow method
210
- * @return array the response body safely decoded to an array of key => values
211
- */
212
- public function extract_params($body) {
213
- $kvs = explode('&', $body);
214
- $decoded = array();
215
- foreach ($kvs as $kv) {
216
- $kv = explode('=', $kv, 2);
217
- $kv[0] = $this->safe_decode($kv[0]);
218
- $kv[1] = $this->safe_decode($kv[1]);
219
- $decoded[$kv[0]] = $kv[1];
220
- }
221
- return $decoded;
222
- }
223
-
224
- /**
225
- * Prepares the HTTP method for use in the base string by converting it to
226
- * uppercase.
227
- *
228
- * @param string $method an HTTP method such as GET or POST
229
- * @return void value is stored to the class variable 'method'
230
- */
231
- private function prepare_method($method) {
232
- $this->method = strtoupper($method);
233
- }
234
-
235
- /**
236
- * Prepares the URL for use in the base string by ripping it apart and
237
- * reconstructing it.
238
- *
239
- * Ref: 3.4.1.2
240
- *
241
- * @param string $url the request URL
242
- * @return void value is stored to the class variable 'url'
243
- */
244
- private function prepare_url($url) {
245
- $parts = parse_url($url);
246
-
247
- $port = isset($parts['port']) ? $parts['port'] : false;
248
- $scheme = $parts['scheme'];
249
- $host = $parts['host'];
250
- $path = isset($parts['path']) ? $parts['path'] : false;
251
-
252
- $port or $port = ($scheme == 'https') ? '443' : '80';
253
-
254
- if (($scheme == 'https' && $port != '443')
255
- || ($scheme == 'http' && $port != '80')) {
256
- $host = "$host:$port";
257
- }
258
-
259
- // the scheme and host MUST be lowercase
260
- $this->url = strtolower("$scheme://$host");
261
- // but not the path
262
- $this->url .= $path;
263
- }
264
-
265
- /**
266
- * Prepares all parameters for the base string and request.
267
- * Multipart parameters are ignored as they are not defined in the specification,
268
- * all other types of parameter are encoded for compatibility with OAuth.
269
- *
270
- * @param array $params the parameters for the request
271
- * @return void prepared values are stored in the class variable 'signing_params'
272
- */
273
- private function prepare_params($params) {
274
- // do not encode multipart parameters, leave them alone
275
- if ($this->config['multipart']) {
276
- $this->request_params = $params;
277
- $params = array();
278
- }
279
-
280
- // signing parameters are request parameters + OAuth default parameters
281
- $this->signing_params = array_merge($this->get_defaults(), (array)$params);
282
-
283
- // Remove oauth_signature if present
284
- // Ref: Spec: 9.1.1 ("The oauth_signature parameter MUST be excluded.")
285
- if (isset($this->signing_params['oauth_signature'])) {
286
- unset($this->signing_params['oauth_signature']);
287
- }
288
-
289
- // Parameters are sorted by name, using lexicographical byte value ordering.
290
- // Ref: Spec: 9.1.1 (1)
291
- uksort($this->signing_params, 'strcmp');
292
-
293
- // encode. Also sort the signed parameters from the POST parameters
294
- foreach ($this->signing_params as $k => $v) {
295
- $k = $this->safe_encode($k);
296
-
297
- if (is_array($v))
298
- $v = implode(',', $v);
299
-
300
- $v = $this->safe_encode($v);
301
- $_signing_params[$k] = $v;
302
- $kv[] = "{$k}={$v}";
303
- }
304
-
305
- // auth params = the default oauth params which are present in our collection of signing params
306
- $this->auth_params = array_intersect_key($this->get_defaults(), $_signing_params);
307
- if (isset($_signing_params['oauth_callback'])) {
308
- $this->auth_params['oauth_callback'] = $_signing_params['oauth_callback'];
309
- unset($_signing_params['oauth_callback']);
310
- }
311
-
312
- if (isset($_signing_params['oauth_verifier'])) {
313
- $this->auth_params['oauth_verifier'] = $_signing_params['oauth_verifier'];
314
- unset($_signing_params['oauth_verifier']);
315
- }
316
-
317
- // request_params is already set if we're doing multipart, if not we need to set them now
318
- if ( ! $this->config['multipart'])
319
- $this->request_params = array_diff_key($_signing_params, $this->get_defaults());
320
-
321
- // create the parameter part of the base string
322
- $this->signing_params = implode('&', $kv);
323
- }
324
-
325
- /**
326
- * Prepares the OAuth signing key
327
- *
328
- * @return void prepared signing key is stored in the class variable 'signing_key'
329
- */
330
- private function prepare_signing_key() {
331
- $this->signing_key = $this->safe_encode($this->config['consumer_secret']) . '&' . $this->safe_encode($this->config['user_secret']);
332
- }
333
-
334
- /**
335
- * Prepare the base string.
336
- * Ref: Spec: 9.1.3 ("Concatenate Request Elements")
337
- *
338
- * @return void prepared base string is stored in the class variable 'base_string'
339
- */
340
- private function prepare_base_string() {
341
- $url = $this->url;
342
-
343
- # if the host header is set we need to rewrite the basestring to use
344
- # that, instead of the request host. otherwise the signature won't match
345
- # on the server side
346
- if (!empty($this->custom_headers['Host'])) {
347
- $url = str_ireplace(
348
- $this->config['host'],
349
- $this->custom_headers['Host'],
350
- $url
351
- );
352
- }
353
-
354
- $base = array(
355
- $this->method,
356
- $url,
357
- $this->signing_params
358
- );
359
- $this->base_string = implode('&', $this->safe_encode($base));
360
- }
361
-
362
- /**
363
- * Prepares the Authorization header
364
- *
365
- * @return void prepared authorization header is stored in the class variable headers['Authorization']
366
- */
367
- private function prepare_auth_header() {
368
- unset($this->headers['Authorization']);
369
-
370
- uksort($this->auth_params, 'strcmp');
371
- if (!$this->config['as_header']) :
372
- $this->request_params = array_merge($this->request_params, $this->auth_params);
373
- return;
374
- endif;
375
-
376
- foreach ($this->auth_params as $k => $v) {
377
- $kv[] = "{$k}=\"{$v}\"";
378
- }
379
- $this->auth_header = 'OAuth ' . implode(', ', $kv);
380
- $this->headers['Authorization'] = $this->auth_header;
381
- }
382
-
383
- /**
384
- * Signs the request and adds the OAuth signature. This runs all the request
385
- * parameter preparation methods.
386
- *
387
- * @param string $method the HTTP method being used. e.g. POST, GET, HEAD etc
388
- * @param string $url the request URL without query string parameters
389
- * @param array $params the request parameters as an array of key=value pairs
390
- * @param string $useauth whether to use authentication when making the request.
391
- * @return void
392
- */
393
- private function sign($method, $url, $params, $useauth) {
394
- $this->prepare_method($method);
395
- $this->prepare_url($url);
396
- $this->prepare_params($params);
397
-
398
- // we don't sign anything is we're not using auth
399
- if ($useauth) {
400
- $this->prepare_base_string();
401
- $this->prepare_signing_key();
402
-
403
- $this->auth_params['oauth_signature'] = $this->safe_encode(
404
- base64_encode(
405
- hash_hmac(
406
- 'sha1', $this->base_string, $this->signing_key, true
407
- )));
408
-
409
- $this->prepare_auth_header();
410
- }
411
- }
412
-
413
- /**
414
- * Make an HTTP request using this library. This method doesn't return anything.
415
- * Instead the response should be inspected directly.
416
- *
417
- * @param string $method the HTTP method being used. e.g. POST, GET, HEAD etc
418
- * @param string $url the request URL without query string parameters
419
- * @param array $params the request parameters as an array of key=value pairs. Default empty array
420
- * @param string $useauth whether to use authentication when making the request. Default true
421
- * @param string $multipart whether this request contains multipart data. Default false
422
- * @param array $headers any custom headers to send with the request. Default empty array
423
- * @return int the http response code for the request. 0 is returned if a connection could not be made
424
- */
425
- public function request($method, $url, $params=array(), $useauth=true, $multipart=false, $headers=array()) {
426
- // reset the request headers (we don't want to reuse them)
427
- $this->headers = array();
428
- $this->custom_headers = $headers;
429
-
430
- $this->config['multipart'] = $multipart;
431
-
432
- $this->create_nonce();
433
- $this->create_timestamp();
434
-
435
- $this->sign($method, $url, $params, $useauth);
436
-
437
- if (!empty($this->custom_headers))
438
- $this->headers = array_merge((array)$this->headers, (array)$this->custom_headers);
439
-
440
- return $this->curlit();
441
- }
442
-
443
- /**
444
- * Make a long poll HTTP request using this library. This method is
445
- * different to the other request methods as it isn't supposed to disconnect
446
- *
447
- * Using this method expects a callback which will receive the streaming
448
- * responses.
449
- *
450
- * @param string $method the HTTP method being used. e.g. POST, GET, HEAD etc
451
- * @param string $url the request URL without query string parameters
452
- * @param array $params the request parameters as an array of key=value pairs
453
- * @param string $callback the callback function to stream the buffer to.
454
- * @return void
455
- */
456
- public function streaming_request($method, $url, $params=array(), $callback='') {
457
- if ( ! empty($callback) ) {
458
- if ( ! is_callable($callback) ) {
459
- return false;
460
- }
461
- $this->config['streaming_callback'] = $callback;
462
- }
463
- $this->metrics['start'] = time();
464
- $this->metrics['interval_start'] = $this->metrics['start'];
465
- $this->metrics['tweets'] = 0;
466
- $this->metrics['last_tweets'] = 0;
467
- $this->metrics['bytes'] = 0;
468
- $this->metrics['last_bytes'] = 0;
469
- $this->config['is_streaming'] = true;
470
- $this->request($method, $url, $params);
471
- }
472
-
473
- /**
474
- * Handles the updating of the current Streaming API metrics.
475
- *
476
- * @return array the metrics for the streaming api connection
477
- */
478
- private function update_metrics() {
479
- $now = time();
480
- if (($this->metrics['interval_start'] + $this->config['streaming_metrics_interval']) > $now)
481
- return false;
482
-
483
- $this->metrics['tps'] = round( ($this->metrics['tweets'] - $this->metrics['last_tweets']) / $this->config['streaming_metrics_interval'], 2);
484
- $this->metrics['bps'] = round( ($this->metrics['bytes'] - $this->metrics['last_bytes']) / $this->config['streaming_metrics_interval'], 2);
485
-
486
- $this->metrics['last_bytes'] = $this->metrics['bytes'];
487
- $this->metrics['last_tweets'] = $this->metrics['tweets'];
488
- $this->metrics['interval_start'] = $now;
489
- return $this->metrics;
490
- }
491
-
492
- /**
493
- * Utility function to create the request URL in the requested format
494
- *
495
- * @param string $request the API method without extension
496
- * @param string $format the format of the response. Default json. Set to an empty string to exclude the format
497
- * @return string the concatenation of the host, API version, API method and format
498
- */
499
- public function url($request, $format='json') {
500
- $format = strlen($format) > 0 ? ".$format" : '';
501
- $proto = $this->config['use_ssl'] ? 'https:/' : 'http:/';
502
-
503
- // backwards compatibility with v0.1
504
- if (isset($this->config['v']))
505
- $this->config['host'] = $this->config['host'] . '/' . $this->config['v'];
506
-
507
- $request = ltrim($request, '/');
508
-
509
- $pos = strlen($request) - strlen($format);
510
- if (substr($request, $pos) === $format)
511
- $request = substr_replace($request, '', $pos);
512
-
513
- return implode('/', array(
514
- $proto,
515
- $this->config['host'],
516
- $request . $format
517
- ));
518
- }
519
-
520
- /**
521
- * Public access to the private safe decode/encode methods
522
- *
523
- * @param string $text the text to transform
524
- * @param string $mode the transformation mode. either encode or decode
525
- * @return string $text transformed by the given $mode
526
- */
527
- public function transformText($text, $mode='encode') {
528
- return $this->{"safe_$mode"}($text);
529
- }
530
-
531
- /**
532
- * Utility function to parse the returned curl headers and store them in the
533
- * class array variable.
534
- *
535
- * @param object $ch curl handle
536
- * @param string $header the response headers
537
- * @return string the length of the header
538
- */
539
- private function curlHeader($ch, $header) {
540
- $this->response['raw'] .= $header;
541
-
542
- list($key, $value) = array_pad(explode(':', $header, 2), 2, null);
543
-
544
- $key = trim($key);
545
- $value = trim($value);
546
-
547
- if ( ! isset($this->response['headers'][$key])) {
548
- $this->response['headers'][$key] = $value;
549
- } else {
550
- if (!is_array($this->response['headers'][$key])) {
551
- $this->response['headers'][$key] = array($this->response['headers'][$key]);
552
- }
553
- $this->response['headers'][$key][] = $value;
554
- }
555
-
556
- return strlen($header);
557
- }
558
-
559
- /**
560
- * Utility function to parse the returned curl buffer and store them until
561
- * an EOL is found. The buffer for curl is an undefined size so we need
562
- * to collect the content until an EOL is found.
563
- *
564
- * This function calls the previously defined streaming callback method.
565
- *
566
- * @param object $ch curl handle
567
- * @param string $data the current curl buffer
568
- * @return int the length of the data string processed in this function
569
- */
570
- private function curlWrite($ch, $data) {
571
- $l = strlen($data);
572
- if (strpos($data, $this->config['streaming_eol']) === false) {
573
- $this->buffer .= $data;
574
- return $l;
575
- }
576
-
577
- $buffered = explode($this->config['streaming_eol'], $data);
578
- $content = $this->buffer . $buffered[0];
579
-
580
- $this->metrics['tweets']++;
581
- $this->metrics['bytes'] += strlen($content);
582
-
583
- if ( ! is_callable($this->config['streaming_callback']))
584
- return 0;
585
-
586
- $metrics = $this->update_metrics();
587
- $stop = call_user_func(
588
- $this->config['streaming_callback'],
589
- $content,
590
- strlen($content),
591
- $metrics
592
- );
593
- $this->buffer = $buffered[1];
594
- if ($stop)
595
- return 0;
596
-
597
- return $l;
598
- }
599
-
600
- /**
601
- * Makes a curl request. Takes no parameters as all should have been prepared
602
- * by the request method
603
- *
604
- * the response data is stored in the class variable 'response'
605
- *
606
- * @return int the http response code for the request. 0 is returned if a connection could not be made
607
- */
608
- private function curlit() {
609
- $this->response['raw'] = '';
610
-
611
- // method handling
612
- switch ($this->method) {
613
- case 'POST':
614
- break;
615
- default:
616
- // GET, DELETE request so convert the parameters to a querystring
617
- if ( ! empty($this->request_params)) {
618
- foreach ($this->request_params as $k => $v) {
619
- // Multipart params haven't been encoded yet.
620
- // Not sure why you would do a multipart GET but anyway, here's the support for it
621
- if ($this->config['multipart']) {
622
- $params[] = $this->safe_encode($k) . '=' . $this->safe_encode($v);
623
- } else {
624
- $params[] = $k . '=' . $v;
625
- }
626
- }
627
- $qs = implode('&', $params);
628
- $this->url = strlen($qs) > 0 ? $this->url . '?' . $qs : $this->url;
629
- $this->request_params = array();
630
- }
631
- break;
632
- }
633
-
634
- // configure curl
635
- $c = curl_init();
636
- curl_setopt_array($c, array(
637
- CURLOPT_USERAGENT => $this->config['user_agent'],
638
- CURLOPT_CONNECTTIMEOUT => $this->config['curl_connecttimeout'],
639
- CURLOPT_TIMEOUT => $this->config['curl_timeout'],
640
- CURLOPT_RETURNTRANSFER => true,
641
- CURLOPT_SSL_VERIFYPEER => $this->config['curl_ssl_verifypeer'],
642
- CURLOPT_SSL_VERIFYHOST => $this->config['curl_ssl_verifyhost'],
643
-
644
- CURLOPT_FOLLOWLOCATION => $this->config['curl_followlocation'],
645
- CURLOPT_PROXY => $this->config['curl_proxy'],
646
- CURLOPT_ENCODING => $this->config['curl_encoding'],
647
- CURLOPT_URL => $this->url,
648
- // process the headers
649
- CURLOPT_HEADERFUNCTION => array($this, 'curlHeader'),
650
- CURLOPT_HEADER => false,
651
- CURLINFO_HEADER_OUT => true,
652
- ));
653
-
654
- if ($this->config['curl_cainfo'] !== false)
655
- curl_setopt($c, CURLOPT_CAINFO, $this->config['curl_cainfo']);
656
-
657
- if ($this->config['curl_capath'] !== false)
658
- curl_setopt($c, CURLOPT_CAPATH, $this->config['curl_capath']);
659
-
660
- if ($this->config['curl_proxyuserpwd'] !== false)
661
- curl_setopt($c, CURLOPT_PROXYUSERPWD, $this->config['curl_proxyuserpwd']);
662
-
663
- if ($this->config['is_streaming']) {
664
- // process the body
665
- $this->response['content-length'] = 0;
666
- curl_setopt($c, CURLOPT_TIMEOUT, 0);
667
- curl_setopt($c, CURLOPT_WRITEFUNCTION, array($this, 'curlWrite'));
668
- }
669
-
670
- switch ($this->method) {
671
- case 'GET':
672
- break;
673
- case 'POST':
674
- curl_setopt($c, CURLOPT_POST, true);
675
- curl_setopt($c, CURLOPT_POSTFIELDS, $this->request_params);
676
- break;
677
- default:
678
- curl_setopt($c, CURLOPT_CUSTOMREQUEST, $this->method);
679
- }
680
-
681
- if ( ! empty($this->request_params) ) {
682
- // if not doing multipart we need to implode the parameters
683
- if ( ! $this->config['multipart'] ) {
684
- foreach ($this->request_params as $k => $v) {
685
- $ps[] = "{$k}={$v}";
686
- }
687
- $this->request_params = implode('&', $ps);
688
- }
689
- curl_setopt($c, CURLOPT_POSTFIELDS, $this->request_params);
690
- }
691
-
692
- if ( ! empty($this->headers)) {
693
- foreach ($this->headers as $k => $v) {
694
- $headers[] = trim($k . ': ' . $v);
695
- }
696
- curl_setopt($c, CURLOPT_HTTPHEADER, $headers);
697
- }
698
-
699
- if (isset($this->config['prevent_request']) && (true == $this->config['prevent_request']))
700
- return 0;
701
-
702
- // do it!
703
- $response = curl_exec($c);
704
- $code = curl_getinfo($c, CURLINFO_HTTP_CODE);
705
- $info = curl_getinfo($c);
706
- $error = curl_error($c);
707
- $errno = curl_errno($c);
708
- curl_close($c);
709
-
710
- // store the response
711
- $this->response['code'] = $code;
712
- $this->response['response'] = $response;
713
- $this->response['info'] = $info;
714
- $this->response['error'] = $error;
715
- $this->response['errno'] = $errno;
716
-
717
- if (!isset($this->response['raw'])) {
718
- $this->response['raw'] = '';
719
- }
720
- $this->response['raw'] .= $response;
721
-
722
- return $code;
723
- }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
724
  }
1
  <?php
2
+
3
  /**
4
  * tmhOAuth
5
  *
13
  * 20 February 2013
14
  */
15
  class tmhOAuth {
16
+ const VERSION = '0.7.5';
17
+
18
+ var $response = array();
19
+
20
+ /**
21
+ * Creates a new tmhOAuth object
22
+ *
23
+ * @param string $config , the configuration to use for this request
24
+ *
25
+ * @return void
26
+ */
27
+ public function __construct( $config = array() ) {
28
+ $this->params = array();
29
+ $this->headers = array();
30
+ $this->auto_fixed_time = false;
31
+ $this->buffer = null;
32
+
33
+ // default configuration options
34
+ $this->config = array_merge(
35
+ array(
36
+ // leave 'user_agent' blank for default, otherwise set this to
37
+ // something that clearly identifies your app
38
+ 'user_agent' => '',
39
+ // default timezone for requests
40
+ 'timezone' => 'UTC',
41
+ 'use_ssl' => true,
42
+ 'host' => 'api.twitter.com',
43
+ 'consumer_key' => '',
44
+ 'consumer_secret' => '',
45
+ 'user_token' => '',
46
+ 'user_secret' => '',
47
+ 'force_nonce' => false,
48
+ 'nonce' => false,
49
+ // used for checking signatures. leave as false for auto
50
+ 'force_timestamp' => false,
51
+ 'timestamp' => false,
52
+ // used for checking signatures. leave as false for auto
53
+
54
+ // oauth signing variables that are not dynamic
55
+ 'oauth_version' => '1.0',
56
+ 'oauth_signature_method' => 'HMAC-SHA1',
57
+ // you probably don't want to change any of these curl values
58
+ 'curl_connecttimeout' => 30,
59
+ 'curl_timeout' => 10,
60
+ // for security this should always be set to 2.
61
+ 'curl_ssl_verifyhost' => 2,
62
+ // for security this should always be set to true.
63
+ 'curl_ssl_verifypeer' => true,
64
+ // you can get the latest cacert.pem from here http://curl.haxx.se/ca/cacert.pem
65
+ 'curl_cainfo' => dirname( __FILE__ ) . DIRECTORY_SEPARATOR . 'cacert.pem',
66
+ 'curl_capath' => dirname( __FILE__ ),
67
+ 'curl_followlocation' => false,
68
+ // whether to follow redirects or not
69
+
70
+ // support for proxy servers
71
+ 'curl_proxy' => false,
72
+ // really you don't want to use this if you are using streaming
73
+ 'curl_proxyuserpwd' => false,
74
+ // format username:password for proxy, if required
75
+ 'curl_encoding' => '',
76
+ // leave blank for all supported formats, else use gzip, deflate, identity
77
+
78
+ // streaming API
79
+ 'is_streaming' => false,
80
+ 'streaming_eol' => "\r\n",
81
+ 'streaming_metrics_interval' => 60,
82
+ // header or querystring. You should always use header!
83
+ // this is just to help me debug other developers implementations
84
+ 'as_header' => true,
85
+ 'debug' => false,
86
+ ),
87
+ $config
88
+ );
89
+ $this->set_user_agent();
90
+ date_default_timezone_set( $this->config['timezone'] );
91
+ }
92
+
93
+ /**
94
+ * Sets the useragent for PHP to use
95
+ * If '$this->config['user_agent']' already has a value it is used instead of one
96
+ * being generated.
97
+ *
98
+ * @return void value is stored to the config array class variable
99
+ */
100
+ private function set_user_agent() {
101
+ if ( ! empty( $this->config['user_agent'] ) ) {
102
+ return;
103
+ }
104
+
105
+ if ( $this->config['curl_ssl_verifyhost'] && $this->config['curl_ssl_verifypeer'] ) {
106
+ $ssl = '+SSL';
107
+ } else {
108
+ $ssl = '-SSL';
109
+ }
110
+
111
+ $ua = 'tmhOAuth ' . self::VERSION . $ssl . ' - //github.com/themattharris/tmhOAuth';
112
+ $this->config['user_agent'] = $ua;
113
+ }
114
+
115
+ /**
116
+ * Generates a random OAuth nonce.
117
+ * If 'force_nonce' is true a nonce is not generated and the value in the configuration will be retained.
118
+ *
119
+ * @param string $length how many characters the nonce should be before MD5 hashing. default 12
120
+ * @param string $include_time whether to include time at the beginning of the nonce. default true
121
+ *
122
+ * @return void value is stored to the config array class variable
123
+ */
124
+ private function create_nonce( $length = 12, $include_time = true ) {
125
+ if ( $this->config['force_nonce'] == false ) {
126
+ $sequence = array_merge( range( 0, 9 ), range( 'A', 'Z' ), range( 'a', 'z' ) );
127
+ $length = $length > count( $sequence ) ? count( $sequence ) : $length;
128
+ shuffle( $sequence );
129
+
130
+ $prefix = $include_time ? microtime() : '';
131
+ $this->config['nonce'] = md5( substr( $prefix . implode( '', $sequence ), 0, $length ) );
132
+ }
133
+ }
134
+
135
+ /**
136
+ * Generates a timestamp.
137
+ * If 'force_timestamp' is true a nonce is not generated and the value in the configuration will be retained.
138
+ *
139
+ * @return void value is stored to the config array class variable
140
+ */
141
+ private function create_timestamp() {
142
+ $this->config['timestamp'] = ( $this->config['force_timestamp'] == false ? time() : $this->config['timestamp'] );
143
+ }
144
+
145
+ /**
146
+ * Encodes the string or array passed in a way compatible with OAuth.
147
+ * If an array is passed each array value will will be encoded.
148
+ *
149
+ * @param mixed $data the scalar or array to encode
150
+ *
151
+ * @return $data encoded in a way compatible with OAuth
152
+ */
153
+ private function safe_encode( $data ) {
154
+ if ( is_array( $data ) ) {
155
+ return array_map( array( $this, 'safe_encode' ), $data );
156
+ } else if ( is_scalar( $data ) ) {
157
+ return str_ireplace(
158
+ array( '+', '%7E' ),
159
+ array( ' ', '~' ),
160
+ rawurlencode( $data )
161
+ );
162
+ } else {
163
+ return '';
164
+ }
165
+ }
166
+
167
+ /**
168
+ * Decodes the string or array from it's URL encoded form
169
+ * If an array is passed each array value will will be decoded.
170
+ *
171
+ * @param mixed $data the scalar or array to decode
172
+ *
173
+ * @return string $data decoded from the URL encoded form
174
+ */
175
+ private function safe_decode( $data ) {
176
+ if ( is_array( $data ) ) {
177
+ return array_map( array( $this, 'safe_decode' ), $data );
178
+ } else if ( is_scalar( $data ) ) {
179
+ return rawurldecode( $data );
180
+ } else {
181
+ return '';
182
+ }
183
+ }
184
+
185
+ /**
186
+ * Returns an array of the standard OAuth parameters.
187
+ *
188
+ * @return array all required OAuth parameters, safely encoded
189
+ */
190
+ private function get_defaults() {
191
+ $defaults = array(
192
+ 'oauth_version' => $this->config['oauth_version'],
193
+ 'oauth_nonce' => $this->config['nonce'],
194
+ 'oauth_timestamp' => $this->config['timestamp'],
195
+ 'oauth_consumer_key' => $this->config['consumer_key'],
196
+ 'oauth_signature_method' => $this->config['oauth_signature_method'],
197
+ );
198
+
199
+ // include the user token if it exists
200
+ if ( $this->config['user_token'] ) {
201
+ $defaults['oauth_token'] = $this->config['user_token'];
202
+ }
203
+
204
+ // safely encode
205
+ foreach ( $defaults as $k => $v ) {
206
+ $_defaults[ $this->safe_encode( $k ) ] = $this->safe_encode( $v );
207
+ }
208
+
209
+ return $_defaults;
210
+ }
211
+
212
+ /**
213
+ * Extracts and decodes OAuth parameters from the passed string
214
+ *
215
+ * @param string $body the response body from an OAuth flow method
216
+ *
217
+ * @return array the response body safely decoded to an array of key => values
218
+ */
219
+ public function extract_params( $body ) {
220
+ $kvs = explode( '&', $body );
221
+ $decoded = array();
222
+ foreach ( $kvs as $kv ) {
223
+ $kv = explode( '=', $kv, 2 );
224
+ $kv[0] = $this->safe_decode( $kv[0] );
225
+ $kv[1] = $this->safe_decode( $kv[1] );
226
+ $decoded[ $kv[0] ] = $kv[1];
227
+ }
228
+
229
+ return $decoded;
230
+ }
231
+
232
+ /**
233
+ * Prepares the HTTP method for use in the base string by converting it to
234
+ * uppercase.
235
+ *
236
+ * @param string $method an HTTP method such as GET or POST
237
+ *
238
+ * @return void value is stored to the class variable 'method'
239
+ */
240
+ private function prepare_method( $method ) {
241
+ $this->method = strtoupper( $method );
242
+ }
243
+
244
+ /**
245
+ * Prepares the URL for use in the base string by ripping it apart and
246
+ * reconstructing it.
247
+ *
248
+ * Ref: 3.4.1.2
249
+ *
250
+ * @param string $url the request URL
251
+ *
252
+ * @return void value is stored to the class variable 'url'
253
+ */
254
+ private function prepare_url( $url ) {
255
+ $parts = parse_url( $url );
256
+
257
+ $port = isset( $parts['port'] ) ? $parts['port'] : false;
258
+ $scheme = $parts['scheme'];
259
+ $host = $parts['host'];
260
+ $path = isset( $parts['path'] ) ? $parts['path'] : false;
261
+
262
+ $port or $port = ( $scheme == 'https' ) ? '443' : '80';
263
+
264
+ if ( ( $scheme == 'https' && $port != '443' )
265
+ || ( $scheme == 'http' && $port != '80' )
266
+ ) {
267
+ $host = "$host:$port";
268
+ }
269
+
270
+ // the scheme and host MUST be lowercase
271
+ $this->url = strtolower( "$scheme://$host" );
272
+ // but not the path
273
+ $this->url .= $path;
274
+ }
275
+
276
+ /**
277
+ * Prepares all parameters for the base string and request.
278
+ * Multipart parameters are ignored as they are not defined in the specification,
279
+ * all other types of parameter are encoded for compatibility with OAuth.
280
+ *
281
+ * @param array $params the parameters for the request
282
+ *
283
+ * @return void prepared values are stored in the class variable 'signing_params'
284
+ */
285
+ private function prepare_params( $params ) {
286
+ // do not encode multipart parameters, leave them alone
287
+ if ( $this->config['multipart'] ) {
288
+ $this->request_params = $params;
289
+ $params = array();
290
+ }
291
+
292
+ // signing parameters are request parameters + OAuth default parameters
293
+ $this->signing_params = array_merge( $this->get_defaults(), (array) $params );
294
+
295
+ // Remove oauth_signature if present
296
+ // Ref: Spec: 9.1.1 ("The oauth_signature parameter MUST be excluded.")
297
+ if ( isset( $this->signing_params['oauth_signature'] ) ) {
298
+ unset( $this->signing_params['oauth_signature'] );
299
+ }
300
+
301
+ // Parameters are sorted by name, using lexicographical byte value ordering.
302
+ // Ref: Spec: 9.1.1 (1)
303
+ uksort( $this->signing_params, 'strcmp' );
304
+
305
+ // encode. Also sort the signed parameters from the POST parameters
306
+ foreach ( $this->signing_params as $k => $v ) {
307
+ $k = $this->safe_encode( $k );
308
+
309
+ if ( is_array( $v ) ) {
310
+ $v = implode( ',', $v );
311
+ }
312
+
313
+ $v = $this->safe_encode( $v );
314
+ $_signing_params[ $k ] = $v;
315
+ $kv[] = "{$k}={$v}";
316
+ }
317
+
318
+ // auth params = the default oauth params which are present in our collection of signing params
319
+ $this->auth_params = array_intersect_key( $this->get_defaults(), $_signing_params );
320
+ if ( isset( $_signing_params['oauth_callback'] ) ) {
321
+ $this->auth_params['oauth_callback'] = $_signing_params['oauth_callback'];
322
+ unset( $_signing_params['oauth_callback'] );
323
+ }
324
+
325
+ if ( isset( $_signing_params['oauth_verifier'] ) ) {
326
+ $this->auth_params['oauth_verifier'] = $_signing_params['oauth_verifier'];
327
+ unset( $_signing_params['oauth_verifier'] );
328
+ }
329
+
330
+ // request_params is already set if we're doing multipart, if not we need to set them now
331
+ if ( ! $this->config['multipart'] ) {
332
+ $this->request_params = array_diff_key( $_signing_params, $this->get_defaults() );
333
+ }
334
+
335
+ // create the parameter part of the base string
336
+ $this->signing_params = implode( '&', $kv );
337
+ }
338
+
339
+ /**
340
+ * Prepares the OAuth signing key
341
+ *
342
+ * @return void prepared signing key is stored in the class variable 'signing_key'
343
+ */
344
+ private function prepare_signing_key() {
345
+ $this->signing_key = $this->safe_encode( $this->config['consumer_secret'] ) . '&' . $this->safe_encode( $this->config['user_secret'] );
346
+ }
347
+
348
+ /**
349
+ * Prepare the base string.
350
+ * Ref: Spec: 9.1.3 ("Concatenate Request Elements")
351
+ *
352
+ * @return void prepared base string is stored in the class variable 'base_string'
353
+ */
354
+ private function prepare_base_string() {
355
+ $url = $this->url;
356
+
357
+ # if the host header is set we need to rewrite the basestring to use
358
+ # that, instead of the request host. otherwise the signature won't match
359
+ # on the server side
360
+ if ( ! empty( $this->custom_headers['Host'] ) ) {
361
+ $url = str_ireplace(
362
+ $this->config['host'],
363
+ $this->custom_headers['Host'],
364
+ $url
365
+ );
366
+ }
367
+
368
+ $base = array(
369
+ $this->method,
370
+ $url,
371
+ $this->signing_params
372
+ );
373
+ $this->base_string = implode( '&', $this->safe_encode( $base ) );
374
+ }
375
+
376
+ /**
377
+ * Prepares the Authorization header
378
+ *
379
+ * @return void prepared authorization header is stored in the class variable headers['Authorization']
380
+ */
381
+ private function prepare_auth_header() {
382
+ unset( $this->headers['Authorization'] );
383
+
384
+ uksort( $this->auth_params, 'strcmp' );
385
+ if ( ! $this->config['as_header'] ) :
386
+ $this->request_params = array_merge( $this->request_params, $this->auth_params );
387
+
388
+ return;
389
+ endif;
390
+
391
+ foreach ( $this->auth_params as $k => $v ) {
392
+ $kv[] = "{$k}=\"{$v}\"";
393
+ }
394
+ $this->auth_header = 'OAuth ' . implode( ', ', $kv );
395
+ $this->headers['Authorization'] = $this->auth_header;
396
+ }
397
+
398
+ /**
399
+ * Signs the request and adds the OAuth signature. This runs all the request
400
+ * parameter preparation methods.
401
+ *
402
+ * @param string $method the HTTP method being used. e.g. POST, GET, HEAD etc
403
+ * @param string $url the request URL without query string parameters
404
+ * @param array $params the request parameters as an array of key=value pairs
405
+ * @param string $useauth whether to use authentication when making the request.
406
+ *
407
+ * @return void
408
+ */
409
+ private function sign( $method, $url, $params, $useauth ) {
410
+ $this->prepare_method( $method );
411
+ $this->prepare_url( $url );
412
+ $this->prepare_params( $params );
413
+
414
+ // we don't sign anything is we're not using auth
415
+ if ( $useauth ) {
416
+ $this->prepare_base_string();
417
+ $this->prepare_signing_key();
418
+
419
+ $this->auth_params['oauth_signature'] = $this->safe_encode(
420
+ base64_encode(
421
+ hash_hmac(
422
+ 'sha1', $this->base_string, $this->signing_key, true
423
+ ) ) );
424
+
425
+ $this->prepare_auth_header();
426
+ }
427
+ }
428
+
429
+ /**
430
+ * Make an HTTP request using this library. This method doesn't return anything.
431
+ * Instead the response should be inspected directly.
432
+ *
433
+ * @param string $method the HTTP method being used. e.g. POST, GET, HEAD etc
434
+ * @param string $url the request URL without query string parameters
435
+ * @param array $params the request parameters as an array of key=value pairs. Default empty array
436
+ * @param string $useauth whether to use authentication when making the request. Default true
437
+ * @param string $multipart whether this request contains multipart data. Default false
438
+ * @param array $headers any custom headers to send with the request. Default empty array
439
+ *
440
+ * @return int the http response code for the request. 0 is returned if a connection could not be made
441
+ */
442
+ public function request( $method, $url, $params = array(), $useauth = true, $multipart = false, $headers = array() ) {
443
+ // reset the request headers (we don't want to reuse them)
444
+ $this->headers = array();
445
+ $this->custom_headers = $headers;
446
+
447
+ $this->config['multipart'] = $multipart;
448
+
449
+ $this->create_nonce();
450
+ $this->create_timestamp();
451
+
452
+ $this->sign( $method, $url, $params, $useauth );
453
+
454
+ if ( ! empty( $this->custom_headers ) ) {
455
+ $this->headers = array_merge( (array) $this->headers, (array) $this->custom_headers );
456
+ }
457
+
458
+ return $this->curlit();
459
+ }
460
+
461
+ /**
462
+ * Make a long poll HTTP request using this library. This method is
463
+ * different to the other request methods as it isn't supposed to disconnect
464
+ *
465
+ * Using this method expects a callback which will receive the streaming
466
+ * responses.
467
+ *
468
+ * @param string $method the HTTP method being used. e.g. POST, GET, HEAD etc
469
+ * @param string $url the request URL without query string parameters
470
+ * @param array $params the request parameters as an array of key=value pairs
471
+ * @param string $callback the callback function to stream the buffer to.
472
+ *
473
+ * @return void
474
+ */
475
+ public function streaming_request( $method, $url, $params = array(), $callback = '' ) {
476
+ if ( ! empty( $callback ) ) {
477
+ if ( ! is_callable( $callback ) ) {
478
+ return false;
479
+ }
480
+ $this->config['streaming_callback'] = $callback;
481
+ }
482
+ $this->metrics['start'] = time();
483
+ $this->metrics['interval_start'] = $this->metrics['start'];
484
+ $this->metrics['tweets'] = 0;
485
+ $this->metrics['last_tweets'] = 0;
486
+ $this->metrics['bytes'] = 0;
487
+ $this->metrics['last_bytes'] = 0;
488
+ $this->config['is_streaming'] = true;
489
+ $this->request( $method, $url, $params );
490
+ }
491
+
492
+ /**
493
+ * Handles the updating of the current Streaming API metrics.
494
+ *
495
+ * @return array the metrics for the streaming api connection
496
+ */
497
+ private function update_metrics() {
498
+ $now = time();
499
+ if ( ( $this->metrics['interval_start'] + $this->config['streaming_metrics_interval'] ) > $now ) {
500
+ return false;
501
+ }
502
+
503
+ $this->metrics['tps'] = round( ( $this->metrics['tweets'] - $this->metrics['last_tweets'] ) / $this->config['streaming_metrics_interval'], 2 );
504
+ $this->metrics['bps'] = round( ( $this->metrics['bytes'] - $this->metrics['last_bytes'] ) / $this->config['streaming_metrics_interval'], 2 );
505
+
506
+ $this->metrics['last_bytes'] = $this->metrics['bytes'];
507
+ $this->metrics['last_tweets'] = $this->metrics['tweets'];
508
+ $this->metrics['interval_start'] = $now;
509
+
510
+ return $this->metrics;
511
+ }
512
+
513
+ /**
514
+ * Utility function to create the request URL in the requested format
515
+ *
516
+ * @param string $request the API method without extension
517
+ * @param string $format the format of the response. Default json. Set to an empty string to exclude the format
518
+ *
519
+ * @return string the concatenation of the host, API version, API method and format
520
+ */
521
+ public function url( $request, $format = 'json' ) {
522
+ $format = strlen( $format ) > 0 ? ".$format" : '';
523
+ $proto = $this->config['use_ssl'] ? 'https:/' : 'http:/';
524
+
525
+ // backwards compatibility with v0.1
526
+ if ( isset( $this->config['v'] ) ) {
527
+ $this->config['host'] = $this->config['host'] . '/' . $this->config['v'];
528
+ }
529
+
530
+ $request = ltrim( $request, '/' );
531
+
532
+ $pos = strlen( $request ) - strlen( $format );
533
+ if ( substr( $request, $pos ) === $format ) {
534
+ $request = substr_replace( $request, '', $pos );
535
+ }
536
+
537
+ return implode( '/', array(
538
+ $proto,
539
+ $this->config['host'],
540
+ $request . $format
541
+ ) );
542
+ }
543
+
544
+ /**
545
+ * Public access to the private safe decode/encode methods
546
+ *
547
+ * @param string $text the text to transform
548
+ * @param string $mode the transformation mode. either encode or decode
549
+ *
550
+ * @return string $text transformed by the given $mode
551
+ */
552
+ public function transformText( $text, $mode = 'encode' ) {
553
+ return $this->{"safe_$mode"}( $text );
554
+ }
555
+
556
+ /**
557
+ * Utility function to parse the returned curl headers and store them in the
558
+ * class array variable.
559
+ *
560
+ * @param object $ch curl handle
561
+ * @param string $header the response headers
562
+ *
563
+ * @return string the length of the header
564
+ */
565
+ private function curlHeader( $ch, $header ) {
566
+ $this->response['raw'] .= $header;
567
+
568
+ list( $key, $value ) = array_pad( explode( ':', $header, 2 ), 2, null );
569
+
570
+ $key = trim( $key );
571
+ $value = trim( $value );
572
+
573
+ if ( ! isset( $this->response['headers'][ $key ] ) ) {
574
+ $this->response['headers'][ $key ] = $value;
575
+ } else {
576
+ if ( ! is_array( $this->response['headers'][ $key ] ) ) {
577
+ $this->response['headers'][ $key ] = array( $this->response['headers'][ $key ] );
578
+ }
579
+ $this->response['headers'][ $key ][] = $value;
580
+ }
581
+
582
+ return strlen( $header );
583
+ }
584
+
585
+ /**
586
+ * Utility function to parse the returned curl buffer and store them until
587
+ * an EOL is found. The buffer for curl is an undefined size so we need
588
+ * to collect the content until an EOL is found.
589
+ *
590
+ * This function calls the previously defined streaming callback method.
591
+ *
592
+ * @param object $ch curl handle
593
+ * @param string $data the current curl buffer
594
+ *
595
+ * @return int the length of the data string processed in this function
596
+ */
597
+ private function curlWrite( $ch, $data ) {
598
+ $l = strlen( $data );
599
+ if ( strpos( $data, $this->config['streaming_eol'] ) === false ) {
600
+ $this->buffer .= $data;
601
+
602
+ return $l;
603
+ }
604
+
605
+ $buffered = explode( $this->config['streaming_eol'], $data );
606
+ $content = $this->buffer . $buffered[0];
607
+
608
+ $this->metrics['tweets'] ++;
609
+ $this->metrics['bytes'] += strlen( $content );
610
+
611
+ if ( ! is_callable( $this->config['streaming_callback'] ) ) {
612
+ return 0;
613
+ }
614
+
615
+ $metrics = $this->update_metrics();
616
+ $stop = call_user_func(
617
+ $this->config['streaming_callback'],
618
+ $content,
619
+ strlen( $content ),
620
+ $metrics
621
+ );
622
+ $this->buffer = $buffered[1];
623
+ if ( $stop ) {
624
+ return 0;
625
+ }
626
+
627
+ return $l;
628
+ }
629
+
630
+ /**
631
+ * Makes a curl request. Takes no parameters as all should have been prepared
632
+ * by the request method
633
+ *
634
+ * the response data is stored in the class variable 'response'
635
+ *
636
+ * @return int the http response code for the request. 0 is returned if a connection could not be made
637
+ */
638
+ private function curlit() {
639
+ $this->response['raw'] = '';
640
+
641
+ // method handling
642
+ switch ( $this->method ) {
643
+ case 'POST':
644
+ break;
645
+ default:
646
+ // GET, DELETE request so convert the parameters to a querystring
647
+ if ( ! empty( $this->request_params ) ) {
648
+ foreach ( $this->request_params as $k => $v ) {
649
+ // Multipart params haven't been encoded yet.
650
+ // Not sure why you would do a multipart GET but anyway, here's the support for it
651
+ if ( $this->config['multipart'] ) {
652
+ $params[] = $this->safe_encode( $k ) . '=' . $this->safe_encode( $v );
653
+ } else {
654
+ $params[] = $k . '=' . $v;
655
+ }
656
+ }
657
+ $qs = implode( '&', $params );
658
+ $this->url = strlen( $qs ) > 0 ? $this->url . '?' . $qs : $this->url;
659
+ $this->request_params = array();
660
+ }
661
+ break;
662
+ }
663
+
664
+ // configure curl
665
+ $c = curl_init();
666
+ curl_setopt_array( $c, array(
667
+ CURLOPT_USERAGENT => $this->config['user_agent'],
668
+ CURLOPT_CONNECTTIMEOUT => $this->config['curl_connecttimeout'],
669
+ CURLOPT_TIMEOUT => $this->config['curl_timeout'],
670
+ CURLOPT_RETURNTRANSFER => true,
671
+ CURLOPT_SSL_VERIFYPEER => $this->config['curl_ssl_verifypeer'],
672
+ CURLOPT_SSL_VERIFYHOST => $this->config['curl_ssl_verifyhost'],
673
+ CURLOPT_FOLLOWLOCATION => $this->config['curl_followlocation'],
674
+ CURLOPT_PROXY => $this->config['curl_proxy'],
675
+ CURLOPT_ENCODING => $this->config['curl_encoding'],
676
+ CURLOPT_URL => $this->url,
677
+ // process the headers
678
+ CURLOPT_HEADERFUNCTION => array( $this, 'curlHeader' ),
679
+ CURLOPT_HEADER => false,
680
+ CURLINFO_HEADER_OUT => true,
681
+ ) );
682
+
683
+ if ( $this->config['curl_cainfo'] !== false ) {
684
+ curl_setopt( $c, CURLOPT_CAINFO, $this->config['curl_cainfo'] );
685
+ }
686
+
687
+ if ( $this->config['curl_capath'] !== false ) {
688
+ curl_setopt( $c, CURLOPT_CAPATH, $this->config['curl_capath'] );
689
+ }
690
+
691
+ if ( $this->config['curl_proxyuserpwd'] !== false ) {
692
+ curl_setopt( $c, CURLOPT_PROXYUSERPWD, $this->config['curl_proxyuserpwd'] );
693
+ }
694
+
695
+ if ( $this->config['is_streaming'] ) {
696
+ // process the body
697
+ $this->response['content-length'] = 0;
698
+ curl_setopt( $c, CURLOPT_TIMEOUT, 0 );
699
+ curl_setopt( $c, CURLOPT_WRITEFUNCTION, array( $this, 'curlWrite' ) );
700
+ }
701
+
702
+ switch ( $this->method ) {
703
+ case 'GET':
704
+ break;
705
+ case 'POST':
706
+ curl_setopt( $c, CURLOPT_POST, true );
707
+ curl_setopt( $c, CURLOPT_POSTFIELDS, $this->request_params );
708
+ break;
709
+ default:
710
+ curl_setopt( $c, CURLOPT_CUSTOMREQUEST, $this->method );
711
+ }
712
+
713
+ if ( ! empty( $this->request_params ) ) {
714
+ // if not doing multipart we need to implode the parameters
715
+ if ( ! $this->config['multipart'] ) {
716
+ foreach ( $this->request_params as $k => $v ) {
717
+ $ps[] = "{$k}={$v}";
718
+ }
719
+ $this->request_params = implode( '&', $ps );
720
+ }
721
+ curl_setopt( $c, CURLOPT_POSTFIELDS, $this->request_params );
722
+ }
723
+
724
+ if ( ! empty( $this->headers ) ) {
725
+ foreach ( $this->headers as $k => $v ) {
726
+ $headers[] = trim( $k . ': ' . $v );
727
+ }
728
+ curl_setopt( $c, CURLOPT_HTTPHEADER, $headers );
729
+ }
730
+
731
+ if ( isset( $this->config['prevent_request'] ) && ( true == $this->config['prevent_request'] ) ) {
732
+ return 0;
733
+ }
734
+
735
+ // do it!
736
+ $response = curl_exec( $c );
737
+ $code = curl_getinfo( $c, CURLINFO_HTTP_CODE );
738
+ $info = curl_getinfo( $c );
739
+ $error = curl_error( $c );
740
+ $errno = curl_errno( $c );
741
+ curl_close( $c );
742
+
743
+ // store the response
744
+ $this->response['code'] = $code;
745
+ $this->response['response'] = $response;
746
+ $this->response['info'] = $info;
747
+ $this->response['error'] = $error;
748
+ $this->response['errno'] = $errno;
749
+
750
+ if ( ! isset( $this->response['raw'] ) ) {
751
+ $this->response['raw'] = '';
752
+ }
753
+ $this->response['raw'] .= $response;
754
+
755
+ return $code;
756
+ }
757
  }
tmhOAuth/tmhUtilities.php CHANGED
@@ -1,4 +1,5 @@
1
  <?php
 
2
  /**
3
  * tmhUtilities
4
  *
@@ -10,271 +11,291 @@
10
  * 04 September 2012
11
  */
12
  class tmhUtilities {
13
- const VERSION = '0.5.0';
14
- /**
15
- * Entifies the tweet using the given entities element.
16
- * Deprecated.
17
- * You should instead use entify_with_options.
18
- *
19
- * @param array $tweet the json converted to normalised array
20
- * @param array $replacements if specified, the entities and their replacements will be stored to this variable
21
- * @return the tweet text with entities replaced with hyperlinks
22
- */
23
- public static function entify($tweet, &$replacements=array()) {
24
- return tmhUtilities::entify_with_options($tweet, array(), $replacements);
25
- }
26
-
27
- /**
28
- * Entifies the tweet using the given entities element, using the provided
29
- * options.
30
- *
31
- * @param array $tweet the json converted to normalised array
32
- * @param array $options settings to be used when rendering the entities
33
- * @param array $replacements if specified, the entities and their replacements will be stored to this variable
34
- * @return the tweet text with entities replaced with hyperlinks
35
- */
36
- public static function entify_with_options($tweet, $options=array(), &$replacements=array()) {
37
- $default_opts = array(
38
- 'encoding' => 'UTF-8',
39
- 'target' => '',
40
- );
41
-
42
- $opts = array_merge($default_opts, $options);
43
-
44
- $encoding = mb_internal_encoding();
45
- mb_internal_encoding($opts['encoding']);
46
-
47
- $keys = array();
48
- $is_retweet = false;
49
-
50
- if (isset($tweet['retweeted_status'])) {
51
- $tweet = $tweet['retweeted_status'];
52
- $is_retweet = true;
53
- }
54
-
55
- if (!isset($tweet['entities'])) {
56
- return $tweet['text'];
57
- }
58
-
59
- $target = (!empty($opts['target'])) ? ' target="'.$opts['target'].'"' : '';
60
-
61
- // prepare the entities
62
- foreach ($tweet['entities'] as $type => $things) {
63
- foreach ($things as $entity => $value) {
64
- $tweet_link = "<a href=\"https://twitter.com/{$tweet['user']['screen_name']}/statuses/{$tweet['id']}\"{$target}>{$tweet['created_at']}</a>";
65
-
66
- switch ($type) {
67
- case 'hashtags':
68
- $href = "<a href=\"https://twitter.com/search?q=%23{$value['text']}\"{$target}>#{$value['text']}</a>";
69
- break;
70
- case 'user_mentions':
71
- $href = "@<a href=\"https://twitter.com/{$value['screen_name']}\" title=\"{$value['name']}\"{$target}>{$value['screen_name']}</a>";
72
- break;
73
- case 'urls':
74
- case 'media':
75
- $url = empty($value['expanded_url']) ? $value['url'] : $value['expanded_url'];
76
- $display = isset($value['display_url']) ? $value['display_url'] : str_replace('http://', '', $url);
77
- // Not all pages are served in UTF-8 so you may need to do this ...
78
- $display = urldecode(str_replace('%E2%80%A6', '&hellip;', urlencode($display)));
79
- $href = "<a href=\"{$value['url']}\"{$target}>{$display}</a>";
80
- break;
81
- }
82
- $keys[$value['indices']['0']] = mb_substr(
83
- $tweet['text'],
84
- $value['indices']['0'],
85
- $value['indices']['1'] - $value['indices']['0']
86
- );
87
- $replacements[$value['indices']['0']] = $href;
88
- }
89
- }
90
-
91
- ksort($replacements);
92
- $replacements = array_reverse($replacements, true);
93
- $entified_tweet = $tweet['text'];
94
- foreach ($replacements as $k => $v) {
95
- $entified_tweet = mb_substr($entified_tweet, 0, $k).$v.mb_substr($entified_tweet, $k + strlen($keys[$k]));
96
- }
97
- $replacements = array(
98
- 'replacements' => $replacements,
99
- 'keys' => $keys
100
- );
101
-
102
- mb_internal_encoding($encoding);
103
- return $entified_tweet;
104
- }
105
-
106
- /**
107
- * Returns the current URL. This is instead of PHP_SELF which is unsafe
108
- *
109
- * @param bool $dropqs whether to drop the querystring or not. Default true
110
- * @return string the current URL
111
- */
112
- public static function php_self($dropqs=true) {
113
- $protocol = 'http';
114
- if (isset($_SERVER['HTTPS']) && strtolower($_SERVER['HTTPS']) == 'on') {
115
- $protocol = 'https';
116
- } elseif (isset($_SERVER['SERVER_PORT']) && ($_SERVER['SERVER_PORT'] == '443')) {
117
- $protocol = 'https';
118
- }
119
-
120
- $url = sprintf('%s://%s%s',
121
- $protocol,
122
- $_SERVER['SERVER_NAME'],
123
- $_SERVER['REQUEST_URI']
124
- );
125
-
126
- $parts = parse_url($url);
127
-
128
- $port = $_SERVER['SERVER_PORT'];
129
- $scheme = $parts['scheme'];
130
- $host = $parts['host'];
131
- $path = @$parts['path'];
132
- $qs = @$parts['query'];
133
-
134
- $port or $port = ($scheme == 'https') ? '443' : '80';
135
-
136
- if (($scheme == 'https' && $port != '443')
137
- || ($scheme == 'http' && $port != '80')) {
138
- $host = "$host:$port";
139
- }
140
- $url = "$scheme://$host$path";
141
- if ( ! $dropqs)
142
- return "{$url}?{$qs}";
143
- else
144
- return $url;
145
- }
146
-
147
- public static function is_cli() {
148
- return (PHP_SAPI == 'cli' && empty($_SERVER['REMOTE_ADDR']));
149
- }
150
-
151
- /**
152
- * Debug function for printing the content of an object
153
- *
154
- * @param mixes $obj
155
- */
156
- public static function pr($obj) {
157
-
158
- if (!self::is_cli())
159
- echo '<pre style="word-wrap: break-word">';
160
- if ( is_object($obj) )
161
- print_r($obj);
162
- elseif ( is_array($obj) )
163
- print_r($obj);
164
- else
165
- echo $obj;
166
- if (!self::is_cli())
167
- echo '</pre>';
168
- }
169
-
170
- /**
171
- * Make an HTTP request using this library. This method is different to 'request'
172
- * because on a 401 error it will retry the request.
173
- *
174
- * When a 401 error is returned it is possible the timestamp of the client is
175
- * too different to that of the API server. In this situation it is recommended
176
- * the request is retried with the OAuth timestamp set to the same as the API
177
- * server. This method will automatically try that technique.
178
- *
179
- * This method doesn't return anything. Instead the response should be
180
- * inspected directly.
181
- *
182
- * @param string $method the HTTP method being used. e.g. POST, GET, HEAD etc
183
- * @param string $url the request URL without query string parameters
184
- * @param array $params the request parameters as an array of key=value pairs
185
- * @param string $useauth whether to use authentication when making the request. Default true.
186
- * @param string $multipart whether this request contains multipart data. Default false
187
- */
188
- public static function auto_fix_time_request($tmhOAuth, $method, $url, $params=array(), $useauth=true, $multipart=false) {
189
- $tmhOAuth->request($method, $url, $params, $useauth, $multipart);
190
-
191
- // if we're not doing auth the timestamp isn't important
192
- if ( ! $useauth)
193
- return;
194
-
195
- // some error that isn't a 401
196
- if ($tmhOAuth->response['code'] != 401)
197
- return;
198
-
199
- // some error that is a 401 but isn't because the OAuth token and signature are incorrect
200
- // TODO: this check is horrid but helps avoid requesting twice when the username and password are wrong
201
- if (stripos($tmhOAuth->response['response'], 'password') !== false)
202
- return;
203
-
204
- // force the timestamp to be the same as the Twitter servers, and re-request
205
- $tmhOAuth->auto_fixed_time = true;
206
- $tmhOAuth->config['force_timestamp'] = true;
207
- $tmhOAuth->config['timestamp'] = strtotime($tmhOAuth->response['headers']['date']);
208
- return $tmhOAuth->request($method, $url, $params, $useauth, $multipart);
209
- }
210
-
211
- /**
212
- * Asks the user for input and returns the line they enter
213
- *
214
- * @param string $prompt the text to display to the user
215
- * @return the text entered by the user
216
- */
217
- public static function read_input($prompt) {
218
- echo $prompt;
219
- $handle = fopen("php://stdin","r");
220
- $data = fgets($handle);
221
- return trim($data);
222
- }
223
-
224
- /**
225
- * Get a password from the shell.
226
- *
227
- * This function works on *nix systems only and requires shell_exec and stty.
228
- *
229
- * @param boolean $stars Wether or not to output stars for given characters
230
- * @return string
231
- * @url http://www.dasprids.de/blog/2008/08/22/getting-a-password-hidden-from-stdin-with-php-cli
232
- */
233
- public static function read_password($prompt, $stars=false) {
234
- echo $prompt;
235
- $style = shell_exec('stty -g');
236
-
237
- if ($stars === false) {
238
- shell_exec('stty -echo');
239
- $password = rtrim(fgets(STDIN), "\n");
240
- } else {
241
- shell_exec('stty -icanon -echo min 1 time 0');
242
- $password = '';
243
- while (true) :
244
- $char = fgetc(STDIN);
245
- if ($char === "\n") :
246
- break;
247
- elseif (ord($char) === 127) :
248
- if (strlen($password) > 0) {
249
- fwrite(STDOUT, "\x08 \x08");
250
- $password = substr($password, 0, -1);
251
- }
252
- else
253
- fwrite(STDOUT, "*");
254
- $password .= $char;
255
- endif;
256
- endwhile;
257
- }
258
-
259
- // Reset
260
- shell_exec('stty ' . $style);
261
- echo PHP_EOL;
262
- return $password;
263
- }
264
-
265
- /**
266
- * Check if one string ends with another
267
- *
268
- * @param string $haystack the string to check inside of
269
- * @param string $needle the string to check $haystack ends with
270
- * @return true if $haystack ends with $needle, false otherwise
271
- */
272
- public static function endswith($haystack, $needle) {
273
- $haylen = strlen($haystack);
274
- $needlelen = strlen($needle);
275
- if ($needlelen > $haylen)
276
- return false;
277
-
278
- return substr_compare($haystack, $needle, -$needlelen) === 0;
279
- }
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
280
  }
1
  <?php
2
+
3
  /**
4
  * tmhUtilities
5
  *
11
  * 04 September 2012
12
  */
13
  class tmhUtilities {
14
+ const VERSION = '0.5.0';
15
+
16
+ /**
17
+ * Entifies the tweet using the given entities element.
18
+ * Deprecated.
19
+ * You should instead use entify_with_options.
20
+ *
21
+ * @param array $tweet the json converted to normalised array
22
+ * @param array $replacements if specified, the entities and their replacements will be stored to this variable
23
+ *
24
+ * @return the tweet text with entities replaced with hyperlinks
25
+ */
26
+ public static function entify( $tweet, &$replacements = array() ) {
27
+ return tmhUtilities::entify_with_options( $tweet, array(), $replacements );
28
+ }
29
+
30
+ /**
31
+ * Entifies the tweet using the given entities element, using the provided
32
+ * options.
33
+ *
34
+ * @param array $tweet the json converted to normalised array
35
+ * @param array $options settings to be used when rendering the entities
36
+ * @param array $replacements if specified, the entities and their replacements will be stored to this variable
37
+ *
38
+ * @return the tweet text with entities replaced with hyperlinks
39
+ */
40
+ public static function entify_with_options( $tweet, $options = array(), &$replacements = array() ) {
41
+ $default_opts = array(
42
+ 'encoding' => 'UTF-8',
43
+ 'target' => '',
44
+ );
45
+
46
+ $opts = array_merge( $default_opts, $options );
47
+
48
+ $encoding = mb_internal_encoding();
49
+ mb_internal_encoding( $opts['encoding'] );
50
+
51
+ $keys = array();
52
+ $is_retweet = false;
53
+
54
+ if ( isset( $tweet['retweeted_status'] ) ) {
55
+ $tweet = $tweet['retweeted_status'];
56
+ $is_retweet = true;
57
+ }
58
+
59
+ if ( ! isset( $tweet['entities'] ) ) {
60
+ return $tweet['text'];
61
+ }
62
+
63
+ $target = ( ! empty( $opts['target'] ) ) ? ' target="' . $opts['target'] . '"' : '';
64
+
65
+ // prepare the entities
66
+ foreach ( $tweet['entities'] as $type => $things ) {
67
+ foreach ( $things as $entity => $value ) {
68
+ $tweet_link = "<a href=\"https://twitter.com/{$tweet['user']['screen_name']}/statuses/{$tweet['id']}\"{$target}>{$tweet['created_at']}</a>";
69
+
70
+ switch ( $type ) {
71
+ case 'hashtags':
72
+ $href = "<a href=\"https://twitter.com/search?q=%23{$value['text']}\"{$target}>#{$value['text']}</a>";
73
+ break;
74
+ case 'user_mentions':
75
+ $href = "@<a href=\"https://twitter.com/{$value['screen_name']}\" title=\"{$value['name']}\"{$target}>{$value['screen_name']}</a>";
76
+ break;
77
+ case 'urls':
78
+ case 'media':
79
+ $url = empty( $value['expanded_url'] ) ? $value['url'] : $value['expanded_url'];
80
+ $display = isset( $value['display_url'] ) ? $value['display_url'] : str_replace( 'http://', '', $url );
81
+ // Not all pages are served in UTF-8 so you may need to do this ...
82
+ $display = urldecode( str_replace( '%E2%80%A6', '&hellip;', urlencode( $display ) ) );
83
+ $href = "<a href=\"{$value['url']}\"{$target}>{$display}</a>";
84
+ break;
85
+ }
86
+ $keys[ $value['indices']['0'] ] = mb_substr(
87
+ $tweet['text'],
88
+ $value['indices']['0'],
89
+ $value['indices']['1'] - $value['indices']['0']
90
+ );
91
+ $replacements[ $value['indices']['0'] ] = $href;
92
+ }
93
+ }
94
+
95
+ ksort( $replacements );
96
+ $replacements = array_reverse( $replacements, true );
97
+ $entified_tweet = $tweet['text'];
98
+ foreach ( $replacements as $k => $v ) {
99
+ $entified_tweet = mb_substr( $entified_tweet, 0, $k ) . $v . mb_substr( $entified_tweet, $k + strlen( $keys[ $k ] ) );
100
+ }
101
+ $replacements = array(
102
+ 'replacements' => $replacements,
103
+ 'keys' => $keys
104
+ );
105
+
106
+ mb_internal_encoding( $encoding );
107
+
108
+ return $entified_tweet;
109
+ }
110
+
111
+ /**
112
+ * Returns the current URL. This is instead of PHP_SELF which is unsafe
113
+ *
114
+ * @param bool $dropqs whether to drop the querystring or not. Default true
115
+ *
116
+ * @return string the current URL
117
+ */
118
+ public static function php_self( $dropqs = true ) {
119
+ $protocol = 'http';
120
+ if ( isset( $_SERVER['HTTPS'] ) && strtolower( $_SERVER['HTTPS'] ) == 'on' ) {
121
+ $protocol = 'https';
122
+ } elseif ( isset( $_SERVER['SERVER_PORT'] ) && ( $_SERVER['SERVER_PORT'] == '443' ) ) {
123
+ $protocol = 'https';
124
+ }
125
+
126
+ $url = sprintf( '%s://%s%s',
127
+ $protocol,
128
+ $_SERVER['SERVER_NAME'],
129
+ $_SERVER['REQUEST_URI']
130
+ );
131
+
132
+ $parts = parse_url( $url );
133
+
134
+ $port = $_SERVER['SERVER_PORT'];
135
+ $scheme = $parts['scheme'];
136
+ $host = $parts['host'];
137
+ $path = @$parts['path'];
138
+ $qs = @$parts['query'];
139
+
140
+ $port or $port = ( $scheme == 'https' ) ? '443' : '80';
141
+
142
+ if ( ( $scheme == 'https' && $port != '443' )
143
+ || ( $scheme == 'http' && $port != '80' )
144
+ ) {
145
+ $host = "$host:$port";
146
+ }
147
+ $url = "$scheme://$host$path";
148
+ if ( ! $dropqs ) {
149
+ return "{$url}?{$qs}";
150
+ } else {
151
+ return $url;
152
+ }
153
+ }
154
+
155
+ public static function is_cli() {
156
+ return ( PHP_SAPI == 'cli' && empty( $_SERVER['REMOTE_ADDR'] ) );
157
+ }
158
+
159
+ /**
160
+ * Debug function for printing the content of an object
161
+ *
162
+ * @param mixes $obj
163
+ */
164
+ public static function pr( $obj ) {
165
+
166
+ if ( ! self::is_cli() ) {
167
+ echo '<pre style="word-wrap: break-word">';
168
+ }
169
+ if ( is_object( $obj ) ) {
170
+ print_r( $obj );
171
+ } elseif ( is_array( $obj ) ) {
172
+ print_r( $obj );
173
+ } else {
174
+ echo $obj;
175
+ }
176
+ if ( ! self::is_cli() ) {
177
+ echo '</pre>';
178
+ }
179
+ }
180
+
181
+ /**
182
+ * Make an HTTP request using this library. This method is different to 'request'
183
+ * because on a 401 error it will retry the request.
184
+ *
185
+ * When a 401 error is returned it is possible the timestamp of the client is
186
+ * too different to that of the API server. In this situation it is recommended
187
+ * the request is retried with the OAuth timestamp set to the same as the API
188
+ * server. This method will automatically try that technique.
189
+ *
190
+ * This method doesn't return anything. Instead the response should be
191
+ * inspected directly.
192
+ *
193
+ * @param string $method the HTTP method being used. e.g. POST, GET, HEAD etc
194
+ * @param string $url the request URL without query string parameters
195
+ * @param array $params the request parameters as an array of key=value pairs
196
+ * @param string $useauth whether to use authentication when making the request. Default true.
197
+ * @param string $multipart whether this request contains multipart data. Default false
198
+ */
199
+ public static function auto_fix_time_request( $tmhOAuth, $method, $url, $params = array(), $useauth = true, $multipart = false ) {
200
+ $tmhOAuth->request( $method, $url, $params, $useauth, $multipart );
201
+
202
+ // if we're not doing auth the timestamp isn't important
203
+ if ( ! $useauth ) {
204
+ return;
205
+ }
206
+
207
+ // some error that isn't a 401
208
+ if ( $tmhOAuth->response['code'] != 401 ) {
209
+ return;
210
+ }
211
+
212
+ // some error that is a 401 but isn't because the OAuth token and signature are incorrect
213
+ // TODO: this check is horrid but helps avoid requesting twice when the username and password are wrong
214
+ if ( stripos( $tmhOAuth->response['response'], 'password' ) !== false ) {
215
+ return;
216
+ }
217
+
218
+ // force the timestamp to be the same as the Twitter servers, and re-request
219
+ $tmhOAuth->auto_fixed_time = true;
220
+ $tmhOAuth->config['force_timestamp'] = true;
221
+ $tmhOAuth->config['timestamp'] = strtotime( $tmhOAuth->response['headers']['date'] );
222
+
223
+ return $tmhOAuth->request( $method, $url, $params, $useauth, $multipart );
224
+ }
225
+
226
+ /**
227
+ * Asks the user for input and returns the line they enter
228
+ *
229
+ * @param string $prompt the text to display to the user
230
+ *
231
+ * @return the text entered by the user
232
+ */
233
+ public static function read_input( $prompt ) {
234
+ echo $prompt;
235
+ $handle = fopen( "php://stdin", "r" );
236
+ $data = fgets( $handle );
237
+
238
+ return trim( $data );
239
+ }
240
+
241
+ /**
242
+ * Get a password from the shell.
243
+ *
244
+ * This function works on *nix systems only and requires shell_exec and stty.
245
+ *
246
+ * @param boolean $stars Wether or not to output stars for given characters
247
+ *
248
+ * @return string
249
+ * @url http://www.dasprids.de/blog/2008/08/22/getting-a-password-hidden-from-stdin-with-php-cli
250
+ */
251
+ public static function read_password( $prompt, $stars = false ) {
252
+ echo $prompt;
253
+ $style = shell_exec( 'stty -g' );
254
+
255
+ if ( $stars === false ) {
256
+ shell_exec( 'stty -echo' );
257
+ $password = rtrim( fgets( STDIN ), "\n" );
258
+ } else {
259
+ shell_exec( 'stty -icanon -echo min 1 time 0' );
260
+ $password = '';
261
+ while ( true ) :
262
+ $char = fgetc( STDIN );
263
+ if ( $char === "\n" ) :
264
+ break;
265
+ elseif ( ord( $char ) === 127 ) :
266
+ if ( strlen( $password ) > 0 ) {
267
+ fwrite( STDOUT, "\x08 \x08" );
268
+ $password = substr( $password, 0, - 1 );
269
+ } else {
270
+ fwrite( STDOUT, "*" );
271
+ }
272
+ $password .= $char;
273
+ endif;
274
+ endwhile;
275
+ }
276
+
277
+ // Reset
278
+ shell_exec( 'stty ' . $style );
279
+ echo PHP_EOL;
280
+
281
+ return $password;
282
+ }
283
+
284
+ /**
285
+ * Check if one string ends with another
286
+ *
287
+ * @param string $haystack the string to check inside of
288
+ * @param string $needle the string to check $haystack ends with
289
+ *
290
+ * @return true if $haystack ends with $needle, false otherwise
291
+ */
292
+ public static function endswith( $haystack, $needle ) {
293
+ $haylen = strlen( $haystack );
294
+ $needlelen = strlen( $needle );
295
+ if ( $needlelen > $haylen ) {
296
+ return false;
297
+ }
298
+
299
+ return substr_compare( $haystack, $needle, - $needlelen ) === 0;
300
+ }
301
  }
uninstall.php CHANGED
@@ -1,90 +1,90 @@
1
  <?php
2
- if ( !defined( 'ABSPATH' ) && !defined( 'WP_UNINSTALL_PLUGIN' ) ) {
3
- exit();
4
  } else {
5
- delete_option( 'wpt_post_types' );
6
- delete_option( 'jd_twit_remote' );
7
- delete_option( 'jd_post_excerpt' );
8
 
9
- delete_option( 'comment-published-update');
10
- delete_option( 'comment-published-text');
11
 
12
  // Su.pr API
13
- delete_option( 'suprapi' );
14
 
15
  // Error checking
16
- delete_option( 'jd-functions-checked' );
17
- delete_option( 'wp_twitter_failure' );
18
- delete_option( 'wp_supr_failure' );
19
- delete_option( 'wp_url_failure' );
20
- delete_option( 'wp_bitly_failure' );
21
- delete_option( 'wpt_curl_error' );
22
 
23
  // Blogroll options
24
- delete_option( 'jd-use-link-title' );
25
- delete_option( 'jd-use-link-description' );
26
- delete_option( 'newlink-published-text' );
27
- delete_option( 'jd_twit_blogroll' );
28
 
29
  // Default publishing options.
30
- delete_option( 'jd_tweet_default' );
31
- delete_option( 'jd_tweet_default_edit' );
32
- delete_option( 'wpt_inline_edits' );
33
 
34
  // Note that default options are set.
35
- delete_option( 'twitterInitialised' );
36
- delete_option( 'wp_twitter_failure' );
37
- delete_option( 'twitterlogin' );
38
- delete_option( 'twitterpw' );
39
- delete_option( 'twitterlogin_encrypted' );
40
- delete_option( 'suprapi' );
41
- delete_option( 'jd_twit_quickpress' );
42
- delete_option( 'jd-use-supr' );
43
- delete_option( 'jd-use-none' );
44
- delete_option( 'jd-use-wp' );
45
 
46
  // Special Options
47
- delete_option( 'jd_twit_prepend' );
48
- delete_option( 'jd_twit_append' );
49
- delete_option( 'jd_twit_remote' );
50
- delete_option( 'twitter-analytics-campaign' );
51
- delete_option( 'use-twitter-analytics' );
52
- delete_option( 'jd_twit_custom_url' );
53
- delete_option( 'jd_shortener' );
54
- delete_option( 'jd_strip_nonan' );
55
 
56
- delete_option( 'jd_individual_twitter_users' );
57
- delete_option( 'use_tags_as_hashtags' );
58
- delete_option('jd_max_tags');
59
- delete_option('jd_max_characters');
60
  // Bitly Settings
61
- delete_option( 'bitlylogin' );
62
- delete_option( 'jd-use-bitly' );
63
- delete_option( 'bitlyapi' );
64
 
65
  // twitter compatible api
66
- delete_option( 'jd_api_post_status' );
67
- delete_option('app_consumer_key');
68
- delete_option('app_consumer_secret');
69
- delete_option('oauth_token');
70
- delete_option('oauth_token_secret');
71
 
72
  //dymamic analytics
73
- delete_option( 'jd_dynamic_analytics' );
74
- delete_option( 'use_dynamic_analytics' );
75
  //category limits
76
- delete_option('limit_categories' );
77
- delete_option('tweet_categories' );
78
  //yourls installation
79
- delete_option( 'yourlsapi' );
80
- delete_option( 'yourlspath' );
81
- delete_option( 'yourlsurl' );
82
- delete_option( 'yourlslogin' );
83
- delete_option( 'jd_replace_character' );
84
- delete_option( 'jd_date_format' );
85
- delete_option( 'jd_keyword_format' );
86
  //Version
87
- delete_option( 'wp_to_twitter_version' );
88
- delete_option( 'wpt_authentication_missing' );
89
- delete_option( 'wpt_http' );
90
  }
1
  <?php
2
+ if ( ! defined( 'ABSPATH' ) && ! defined( 'WP_UNINSTALL_PLUGIN' ) ) {
3
+ exit();
4
  } else {
5
+ delete_option( 'wpt_post_types' );
6
+ delete_option( 'jd_twit_remote' );
7
+ delete_option( 'jd_post_excerpt' );
8
 
9
+ delete_option( 'comment-published-update' );
10
+ delete_option( 'comment-published-text' );
11
 
12
  // Su.pr API
13
+ delete_option( 'suprapi' );
14
 
15
  // Error checking
16
+ delete_option( 'jd-functions-checked' );
17
+ delete_option( 'wp_twitter_failure' );
18
+ delete_option( 'wp_supr_failure' );
19
+ delete_option( 'wp_url_failure' );
20
+ delete_option( 'wp_bitly_failure' );
21
+ delete_option( 'wpt_curl_error' );
22
 
23
  // Blogroll options
24
+ delete_option( 'jd-use-link-title' );
25
+ delete_option( 'jd-use-link-description' );
26
+ delete_option( 'newlink-published-text' );
27
+ delete_option( 'jd_twit_blogroll' );
28
 
29
  // Default publishing options.
30
+ delete_option( 'jd_tweet_default' );
31
+ delete_option( 'jd_tweet_default_edit' );
32
+ delete_option( 'wpt_inline_edits' );
33
 
34
  // Note that default options are set.
35
+ delete_option( 'twitterInitialised' );
36
+ delete_option( 'wp_twitter_failure' );
37
+ delete_option( 'twitterlogin' );
38
+ delete_option( 'twitterpw' );
39
+ delete_option( 'twitterlogin_encrypted' );
40
+ delete_option( 'suprapi' );
41
+ delete_option( 'jd_twit_quickpress' );
42
+ delete_option( 'jd-use-supr' );
43
+ delete_option( 'jd-use-none' );
44
+ delete_option( 'jd-use-wp' );
45
 
46
  // Special Options
47
+ delete_option( 'jd_twit_prepend' );
48
+ delete_option( 'jd_twit_append' );
49
+ delete_option( 'jd_twit_remote' );
50
+ delete_option( 'twitter-analytics-campaign' );
51
+ delete_option( 'use-twitter-analytics' );
52
+ delete_option( 'jd_twit_custom_url' );
53
+ delete_option( 'jd_shortener' );
54
+ delete_option( 'jd_strip_nonan' );
55
 
56
+ delete_option( 'jd_individual_twitter_users' );
57
+ delete_option( 'use_tags_as_hashtags' );
58
+ delete_option( 'jd_max_tags' );
59
+ delete_option( 'jd_max_characters' );
60
  // Bitly Settings
61
+ delete_option( 'bitlylogin' );
62
+ delete_option( 'jd-use-bitly' );
63
+ delete_option( 'bitlyapi' );
64
 
65
  // twitter compatible api
66
+ delete_option( 'jd_api_post_status' );
67
+ delete_option( 'app_consumer_key' );
68
+ delete_option( 'app_consumer_secret' );
69
+ delete_option( 'oauth_token' );
70
+ delete_option( 'oauth_token_secret' );
71
 
72
  //dymamic analytics
73
+ delete_option( 'jd_dynamic_analytics' );
74
+ delete_option( 'use_dynamic_analytics' );
75
  //category limits
76
+ delete_option( 'limit_categories' );
77
+ delete_option( 'tweet_categories' );
78
  //yourls installation
79
+ delete_option( 'yourlsapi' );
80
+ delete_option( 'yourlspath' );
81
+ delete_option( 'yourlsurl' );
82
+ delete_option( 'yourlslogin' );
83
+ delete_option( 'jd_replace_character' );
84
+ delete_option( 'jd_date_format' );
85
+ delete_option( 'jd_keyword_format' );
86
  //Version
87
+ delete_option( 'wp_to_twitter_version' );
88
+ delete_option( 'wpt_authentication_missing' );
89
+ delete_option( 'wpt_http' );
90
  }
wp-to-twitter-manager.php CHANGED
@@ -1,12 +1,26 @@
1
  <?php
2
- if ( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly
 
 
 
 
 
 
 
 
 
 
 
 
 
 
3
 
4
  // FUNCTION to see if checkboxes should be checked
5
- function jd_checkCheckbox( $field,$sub1=false,$sub2='' ) {
6
  if ( $sub1 ) {
7
- $setting = get_option($field);
8
- if ( isset( $setting[$sub1] ) ) {
9
- $value = ( $sub2 != '' )?$setting[$sub1][$sub2]:$setting[$sub1];
10
  } else {
11
  $value = 0;
12
  }
@@ -14,216 +28,230 @@ function jd_checkCheckbox( $field,$sub1=false,$sub2='' ) {
14
  return 'checked="checked"';
15
  }
16
  }
17
- if( get_option( $field ) == '1'){
18
  return 'checked="checked"';
19
  }
 
20
  }
21
 
22
- function jd_checkSelect( $field, $value, $type='select' ) {
23
- if( get_option( $field ) == $value ) {
24
- return ( $type == 'select' )?'selected="selected"':'checked="checked"';
25
  }
 
26
  }
27
 
28
  function wpt_set_log( $data, $id, $message ) {
29
  if ( $id == 'test' ) {
30
- $log = update_option( $data, $message );
31
  } else {
32
- $log = update_post_meta( $id,'_'.$data, $message );
33
  }
34
- $last = update_option( $data.'_last', array( $id, $message ) );
35
  }
36
 
37
  function wpt_log( $data, $id ) {
38
  if ( $id == 'test' ) {
39
  $log = get_option( $data );
40
  } else if ( $id == 'last' ) {
41
- $log = get_option( $data.'_last' );
42
  } else {
43
- $log = get_post_meta( $id, '_'.$data, true );
44
  }
 
45
  return $log;
46
  }
47
 
48
  function jd_check_functions() {
49
  $message = "<div class='update'><ul>";
50
  // grab or set necessary variables
51
- $testurl = get_bloginfo( 'url' );
52
- $shortener = get_option( 'jd_shortener' );
53
- $title = urlencode( 'Your blog home' );
54
- $shrink = apply_filters( 'wptt_shorten_link', $testurl, $title, false, true );
55
  if ( $shrink == false ) {
56
- $error = htmlentities( get_option('wpt_shortener_status') );
57
- $message .= __("<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>",'wp-to-twitter');
58
  if ( $error != '' ) {
59
  $message .= "<li><code>$error</code></li>";
60
  } else {
61
- $message .= "<li><code>".__('No error message was returned.','wp-to-twitter' )."</code></li>";
62
  }
63
  } else {
64
- $message .= __("<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:",'wp-to-twitter');
65
- $message .= " <a href='$shrink'>$shrink</a></li>";
66
  }
67
  //check twitter credentials
68
  if ( wtt_oauth_test() ) {
69
- $rand = rand( 1000000,9999999 );
70
  $testpost = jd_doTwitterAPIPost( "This is a test of WP to Twitter. $shrink ($rand)" );
71
- if ( $testpost ) {
72
- $message .= __("<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>",'wp-to-twitter');
73
- } else {
74
- $error = wpt_log( 'wpt_status_message', 'test' );
75
- $message .= __("<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>",'wp-to-twitter');
76
- $message .= "<li class=\"error\">$error</li>";
77
- }
 
 
 
 
 
 
78
  } else {
79
- $message .= "<strong>"._e('You have not connected WordPress to Twitter.','wp-to-twitter')."</strong> ";
80
  }
81
- // If everything's OK, there's no reason to do this again.
82
- if ($testpost == FALSE && $shrink == FALSE ) {
83
- $message .= __("<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>", 'wp-to-twitter');
84
- } else {
85
- }
86
  if ( $testpost && $shrink ) {
87
- $message .= __("<li><strong>Your server should run WP to Twitter successfully.</strong></li>", 'wp-to-twitter');
88
  }
89
  $message .= "</ul>
90
  </div>";
 
91
  return $message;
92
  }
93
 
94
  function wpt_update_settings() {
95
  wpt_check_version();
96
 
97
- if ( !empty($_POST) ) {
98
- $nonce=$_REQUEST['_wpnonce'];
99
- if (! wp_verify_nonce($nonce,'wp-to-twitter-nonce') ) die("Security check failed");
 
 
100
  }
101
 
102
- if ( isset($_POST['oauth_settings'] ) ) {
103
  $oauth_message = jd_update_oauth_settings( false, $_POST );
 
 
104
  }
105
 
106
  $message = "";
107
 
108
  // SET DEFAULT OPTIONS
109
- if ( get_option( 'twitterInitialised') != '1' ) {
110
- $initial_settings = array(
111
- 'post'=> array(
112
- 'post-published-update'=>1,
113
- 'post-published-text'=>'New post: #title# #url#',
114
- 'post-edited-update'=>1,
115
- 'post-edited-text'=>'Post Edited: #title# #url#'
116
- ),
117
- 'page'=> array(
118
- 'post-published-update'=>0,
119
- 'post-published-text'=>'New page: #title# #url#',
120
- 'post-edited-update'=>0,
121
- 'post-edited-text'=>'Page edited: #title# #url#'
122
- )
123
- );
124
  update_option( 'wpt_post_types', $initial_settings );
125
- update_option( 'jd_twit_blogroll', '1');
126
  update_option( 'newlink-published-text', 'New link: #title# #url#' );
127
  update_option( 'jd_shortener', '1' );
128
  update_option( 'jd_strip_nonan', '0' );
129
- update_option('jd_max_tags',3);
130
- update_option('jd_max_characters',15);
131
- update_option('jd_replace_character','');
132
- $administrator = get_role('administrator');
133
- $administrator->add_cap('wpt_twitter_oauth');
134
- $administrator->add_cap('wpt_twitter_custom');
135
- $administrator->add_cap('wpt_twitter_switch');
136
- $administrator->add_cap('wpt_can_tweet');
137
- $administrator->add_cap('wpt_tweet_now');
138
- $editor = get_role('editor');
139
- if ( is_object( $editor ) ) { $editor->add_cap('wpt_can_tweet'); }
140
- $author = get_role('author');
141
- if ( is_object( $author ) ) { $author->add_cap('wpt_can_tweet'); }
142
- $contributor = get_role('contributor');
143
- if ( is_object( $contributor ) ) { $contributor->add_cap('wpt_can_tweet'); }
 
 
 
 
 
 
144
 
145
  update_option( 'jd_twit_remote', '0' );
146
  update_option( 'jd_post_excerpt', 30 );
147
  // Use Google Analytics with Twitter
148
  update_option( 'twitter-analytics-campaign', 'twitter' );
149
  update_option( 'use-twitter-analytics', '0' );
150
- update_option( 'jd_dynamic_analytics','0' );
151
  update_option( 'no-analytics', 1 );
152
- update_option( 'use_dynamic_analytics','category' );
153
  // Use custom external URLs to point elsewhere.
154
- update_option( 'jd_twit_custom_url', 'external_link' );
155
  // Error checking
156
- update_option( 'wp_url_failure','0' );
157
  // Default publishing options.
158
  update_option( 'jd_tweet_default', '0' );
159
- update_option( 'jd_tweet_default_edit','0' );
160
  update_option( 'wpt_inline_edits', '0' );
161
  // Note that default options are set.
162
- update_option( 'twitterInitialised', '1' );
163
  //YOURLS API
164
  update_option( 'jd_keyword_format', '0' );
165
  }
166
- if ( get_option( 'twitterInitialised') == '1' && get_option( 'jd_post_excerpt' ) == "" ) {
167
  update_option( 'jd_post_excerpt', 30 );
168
  }
169
 
170
  // notifications from oauth connection
171
- if ( isset( $_POST['oauth_settings'] ) ) {
172
  if ( $oauth_message == "success" ) {
173
- print('
174
  <div id="message" class="updated fade">
175
- <p>'.__('WP to Twitter is now connected with Twitter.', 'wp-to-twitter').'</p>
176
  </div>
177
- ');
178
  } else if ( $oauth_message == "failed" ) {
179
- print('
180
  <div id="message" class="error fade">
181
- <p>'.__( 'WP to Twitter failed to connect with Twitter.', 'wp-to-twitter' ).' <strong>'.__('Error:','wp-to-twitter').'</strong> '.get_option( 'wpt_error' ).'</p>
182
  </div>
183
- ');
184
  } else if ( $oauth_message == "cleared" ) {
185
- print('
186
  <div id="message" class="updated fade">
187
- <p>'.__('OAuth Authentication Data Cleared.', 'wp-to-twitter').'</p>
188
  </div>
189
- ');
190
- } else if ( $oauth_message == 'nosync' ) {
191
- print('
192
  <div id="message" class="error fade">
193
- <p>'.__('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.', 'wp-to-twitter').'</p>
194
  </div>
195
- ');
196
  } else {
197
- print('
198
  <div id="message" class="error fade">
199
- <p>'.__('OAuth Authentication response not understood.', 'wp-to-twitter').'</p>
200
  </div>
201
- ');
202
  }
203
  }
204
-
205
  if ( isset( $_POST['submit-type'] ) && $_POST['submit-type'] == 'advanced' ) {
206
- update_option( 'jd_tweet_default', ( isset( $_POST['jd_tweet_default'] ) )?$_POST['jd_tweet_default']:0 );
207
- update_option( 'jd_tweet_default_edit', ( isset( $_POST['jd_tweet_default_edit'] ) )?$_POST['jd_tweet_default_edit']:0 );
208
- update_option( 'wpt_inline_edits', ( isset( $_POST['wpt_inline_edits'] ) )?$_POST['wpt_inline_edits']:0 );
209
- update_option( 'jd_twit_remote',( isset( $_POST['jd_twit_remote'] ) )?$_POST['jd_twit_remote']:0 );
210
  update_option( 'jd_twit_custom_url', $_POST['jd_twit_custom_url'] );
211
- update_option( 'jd_strip_nonan', ( isset( $_POST['jd_strip_nonan'] ) )?$_POST['jd_strip_nonan']:0 );
212
- update_option( 'jd_twit_prepend', $_POST['jd_twit_prepend'] );
213
  update_option( 'jd_twit_append', $_POST['jd_twit_append'] );
214
- update_option( 'jd_post_excerpt', $_POST['jd_post_excerpt'] );
215
- update_option( 'jd_max_tags',$_POST['jd_max_tags']);
216
- update_option( 'wpt_tag_source', ( ( isset($_POST['wpt_tag_source']) && $_POST['wpt_tag_source'] == 'slug' )?'slug':'' ) );
217
- update_option( 'jd_max_characters',$_POST['jd_max_characters']);
218
- update_option( 'jd_replace_character',$_POST['jd_replace_character']);
219
- update_option( 'jd_date_format',$_POST['jd_date_format'] );
220
- update_option( 'jd_dynamic_analytics',$_POST['jd-dynamic-analytics'] );
221
-
222
- $twitter_analytics = ( isset($_POST['twitter-analytics']) )?$_POST['twitter-analytics']:0;
223
  if ( $twitter_analytics == 1 ) {
224
  update_option( 'use_dynamic_analytics', 0 );
225
  update_option( 'use-twitter-analytics', 1 );
226
- update_option( 'no-analytics', 0 );
227
  } else if ( $twitter_analytics == 2 ) {
228
  update_option( 'use_dynamic_analytics', 1 );
229
  update_option( 'use-twitter-analytics', 0 );
@@ -233,19 +261,25 @@ function wpt_update_settings() {
233
  update_option( 'use-twitter-analytics', 0 );
234
  update_option( 'no-analytics', 1 );
235
  }
236
-
237
  update_option( 'twitter-analytics-campaign', $_POST['twitter-analytics-campaign'] );
238
- update_option( 'jd_individual_twitter_users', ( isset( $_POST['jd_individual_twitter_users'] )? $_POST['jd_individual_twitter_users']:0 ) );
239
-
240
-
241
- if ( isset($_POST['wpt_caps'] ) ) {
242
  $perms = $_POST['wpt_caps'];
243
- $caps = array( 'wpt_twitter_oauth', 'wpt_twitter_custom', 'wpt_twitter_switch', 'wpt_can_tweet', 'wpt_tweet_now' );
 
 
 
 
 
 
244
  foreach ( $perms as $key => $value ) {
245
  $role = get_role( $key );
246
  if ( is_object( $role ) ) {
247
- foreach( $caps as $v ) {
248
- if ( isset($value[$v]) ) {
249
  $role->add_cap( $v );
250
  } else {
251
  $role->remove_cap( $v );
@@ -254,488 +288,670 @@ function wpt_update_settings() {
254
  }
255
  }
256
  }
257
-
258
- update_option( 'wpt_permit_feed_styles', ( isset( $_POST['wpt_permit_feed_styles'] ) ) ? 1 : 0 );
259
- update_option( 'wp_debug_oauth' , ( isset( $_POST['wp_debug_oauth'] ) )? 1 : 0 );
260
- update_option( 'jd_donations' , ( isset( $_POST['jd_donations'] ) )? 1 : 0 );
261
  $wpt_truncation_order = $_POST['wpt_truncation_order'];
262
  update_option( 'wpt_truncation_order', $wpt_truncation_order );
263
- $message .= __( 'WP to Twitter Advanced Options Updated' , 'wp-to-twitter');
264
  }
265
-
266
- if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'options' ) {
267
  // UPDATE OPTIONS
268
- $wpt_settings = get_option('wpt_post_types');
269
- foreach($_POST['wpt_post_types'] as $key=>$value) {
270
- $array = array(
271
- 'post-published-update'=>( isset( $value["post-published-update"] ) )?$value["post-published-update"]:"",
272
- 'post-published-text'=>$value["post-published-text"],
273
- 'post-edited-update'=>( isset( $value["post-edited-update"] ) )?$value["post-edited-update"]:"",
274
- 'post-edited-text'=>$value["post-edited-text"]
275
- );
276
- $wpt_settings[$key] = $array;
277
  }
278
  update_option( 'wpt_post_types', $wpt_settings );
279
  update_option( 'newlink-published-text', $_POST['newlink-published-text'] );
280
- update_option( 'jd_twit_blogroll',(isset($_POST['jd_twit_blogroll']) )?$_POST['jd_twit_blogroll']:"" );
281
- $message = wpt_select_shortener( $_POST );
282
- $message .= __( 'WP to Twitter Options Updated' , 'wp-to-twitter');
283
  $message = apply_filters( 'wpt_settings', $message, $_POST );
284
  }
285
-
286
- if ( isset($_POST['wpt_shortener_update']) && $_POST['wpt_shortener_update'] == 'true' ) {
287
  $message = wpt_shortener_update( $_POST );
288
  }
289
-
290
  // Check whether the server has supported for needed functions.
291
- if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'check-support' ) {
292
  $message = jd_check_functions();
293
  }
294
- ?>
295
- <div class="wrap" id="wp-to-twitter">
296
- <?php wpt_commments_removed(); ?>
297
- <?php if ( $message ) { ?>
298
- <div id="message" class="updated fade"><p><?php echo $message; ?></p></div>
299
- <?php }
 
300
  $log = wpt_log( 'wpt_status_message', 'last' );
301
- if ( !empty( $log ) && is_array( $log ) ) {
302
  $post_ID = $log[0];
303
- $post = get_post( $post_ID );
304
- $title = $post->post_title;
 
 
 
 
305
  $notice = $log[1];
306
- echo "<div class='updated fade'><p><strong>".__('Last Tweet','wp-to-twitter')."</strong>: <a href='".get_edit_post_link( $post_ID )."'>$title</a> &raquo; $notice</p></div>";
307
  }
308
  if ( isset( $_POST['submit-type'] ) && $_POST['submit-type'] == 'clear-error' ) {
309
  delete_option( 'wp_url_failure' );
310
  }
311
- if ( get_option( 'wp_url_failure' ) == '1' ) { ?>
 
312
  <div class="error">
313
- <?php
314
- if ( get_option( 'wp_url_failure' ) == '1' ) {
315
- _e("<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>", 'wp-to-twitter');
316
- }
317
- $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
1
  <?php
2
+ if ( ! defined( 'ABSPATH' ) ) {
3
+ exit;
4
+ } // Exit if accessed directly
5
+
6
+ function wpt_check_caps( $role, $cap ) {
7
+ $role = get_role( $role );
8
+ if ( $role->has_cap( $cap ) ) {
9
+ return " checked='checked'";
10
+ }
11
+ return '';
12
+ }
13
+
14
+ function wpt_cap_checkbox( $role, $cap, $name ) {
15
+ return "<li><input type='checkbox' id='wpt_caps_{$role}_$cap' name='wpt_caps[$role][$cap]' value='on'" . wpt_check_caps( $role, $cap ) . " /> <label for='wpt_caps_{$role}_$cap'>$name</label></li>";
16
+ }
17
 
18
  // FUNCTION to see if checkboxes should be checked
19
+ function jd_checkCheckbox( $field, $sub1 = false, $sub2 = '' ) {
20
  if ( $sub1 ) {
21
+ $setting = get_option( $field );
22
+ if ( isset( $setting[ $sub1 ] ) ) {
23
+ $value = ( $sub2 != '' ) ? $setting[ $sub1 ][ $sub2 ] : $setting[ $sub1 ];
24
  } else {
25
  $value = 0;
26
  }
28
  return 'checked="checked"';
29
  }
30
  }
31
+ if ( get_option( $field ) == '1' ) {
32
  return 'checked="checked"';
33
  }
34
+ return '';
35
  }
36
 
37
+ function jd_checkSelect( $field, $value, $type = 'select' ) {
38
+ if ( get_option( $field ) == $value ) {
39
+ return ( $type == 'select' ) ? 'selected="selected"' : 'checked="checked"';
40
  }
41
+ return '';
42
  }
43
 
44
  function wpt_set_log( $data, $id, $message ) {
45
  if ( $id == 'test' ) {
46
+ update_option( $data, $message );
47
  } else {
48
+ update_post_meta( $id, '_' . $data, $message );
49
  }
50
+ update_option( $data . '_last', array( $id, $message ) );
51
  }
52
 
53
  function wpt_log( $data, $id ) {
54
  if ( $id == 'test' ) {
55
  $log = get_option( $data );
56
  } else if ( $id == 'last' ) {
57
+ $log = get_option( $data . '_last' );
58
  } else {
59
+ $log = get_post_meta( $id, '_' . $data, true );
60
  }
61
+
62
  return $log;
63
  }
64
 
65
  function jd_check_functions() {
66
  $message = "<div class='update'><ul>";
67
  // grab or set necessary variables
68
+ $testurl = get_bloginfo( 'url' );
69
+ $testpost = false;
70
+ $title = urlencode( 'Your blog home' );
71
+ $shrink = apply_filters( 'wptt_shorten_link', $testurl, $title, false, true );
72
  if ( $shrink == false ) {
73
+ $error = htmlentities( get_option( 'wpt_shortener_status' ) );
74
+ $message .= __( "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>", 'wp-to-twitter' );
75
  if ( $error != '' ) {
76
  $message .= "<li><code>$error</code></li>";
77
  } else {
78
+ $message .= "<li><code>" . __( 'No error message was returned.', 'wp-to-twitter' ) . "</code></li>";
79
  }
80
  } else {
81
+ $message .= __( "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:", 'wp-to-twitter' );
82
+ $message .= " <a href='$shrink'>$shrink</a></li>";
83
  }
84
  //check twitter credentials
85
  if ( wtt_oauth_test() ) {
86
+ $rand = rand( 1000000, 9999999 );
87
  $testpost = jd_doTwitterAPIPost( "This is a test of WP to Twitter. $shrink ($rand)" );
88
+ if ( $testpost ) {
89
+ $message .= __( "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>", 'wp-to-twitter' );
90
+ } else {
91
+ $error = wpt_log( 'wpt_status_message', 'test' );
92
+ $message .= __( "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>", 'wp-to-twitter' );
93
+ $message .= "<li class=\"error\">$error</li>";
94
+ }
95
+ } else {
96
+ $message .= "<strong>" . _e( 'You have not connected WordPress to Twitter.', 'wp-to-twitter' ) . "</strong> ";
97
+ }
98
+ // If everything's OK, there's no reason to do this again.
99
+ if ( $testpost == false && $shrink == false ) {
100
+ $message .= __( "<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>", 'wp-to-twitter' );
101
  } else {
 
102
  }
 
 
 
 
 
103
  if ( $testpost && $shrink ) {
104
+ $message .= __( "<li><strong>Your server should run WP to Twitter successfully.</strong></li>", 'wp-to-twitter' );
105
  }
106
  $message .= "</ul>
107
  </div>";
108
+
109
  return $message;
110
  }
111
 
112
  function wpt_update_settings() {
113
  wpt_check_version();
114
 
115
+ if ( ! empty( $_POST ) ) {
116
+ $nonce = $_REQUEST['_wpnonce'];
117
+ if ( ! wp_verify_nonce( $nonce, 'wp-to-twitter-nonce' ) ) {
118
+ die( "Security check failed" );
119
+ }
120
  }
121
 
122
+ if ( isset( $_POST['oauth_settings'] ) ) {
123
  $oauth_message = jd_update_oauth_settings( false, $_POST );
124
+ } else {
125
+ $oauth_message = '';
126
  }
127
 
128
  $message = "";
129
 
130
  // SET DEFAULT OPTIONS
131
+ if ( get_option( 'twitterInitialised' ) != '1' ) {
132
+ $initial_settings = array(
133
+ 'post' => array(
134
+ 'post-published-update' => 1,
135
+ 'post-published-text' => 'New post: #title# #url#',
136
+ 'post-edited-update' => 1,
137
+ 'post-edited-text' => 'Post Edited: #title# #url#'
138
+ ),
139
+ 'page' => array(
140
+ 'post-published-update' => 0,
141
+ 'post-published-text' => 'New page: #title# #url#',
142
+ 'post-edited-update' => 0,
143
+ 'post-edited-text' => 'Page edited: #title# #url#'
144
+ )
145
+ );
146
  update_option( 'wpt_post_types', $initial_settings );
147
+ update_option( 'jd_twit_blogroll', '1' );
148
  update_option( 'newlink-published-text', 'New link: #title# #url#' );
149
  update_option( 'jd_shortener', '1' );
150
  update_option( 'jd_strip_nonan', '0' );
151
+ update_option( 'jd_max_tags', 3 );
152
+ update_option( 'jd_max_characters', 15 );
153
+ update_option( 'jd_replace_character', '' );
154
+ $administrator = get_role( 'administrator' );
155
+ $administrator->add_cap( 'wpt_twitter_oauth' );
156
+ $administrator->add_cap( 'wpt_twitter_custom' );
157
+ $administrator->add_cap( 'wpt_twitter_switch' );
158
+ $administrator->add_cap( 'wpt_can_tweet' );
159
+ $administrator->add_cap( 'wpt_tweet_now' );
160
+ $editor = get_role( 'editor' );
161
+ if ( is_object( $editor ) ) {
162
+ $editor->add_cap( 'wpt_can_tweet' );
163
+ }
164
+ $author = get_role( 'author' );
165
+ if ( is_object( $author ) ) {
166
+ $author->add_cap( 'wpt_can_tweet' );
167
+ }
168
+ $contributor = get_role( 'contributor' );
169
+ if ( is_object( $contributor ) ) {
170
+ $contributor->add_cap( 'wpt_can_tweet' );
171
+ }
172
 
173
  update_option( 'jd_twit_remote', '0' );
174
  update_option( 'jd_post_excerpt', 30 );
175
  // Use Google Analytics with Twitter
176
  update_option( 'twitter-analytics-campaign', 'twitter' );
177
  update_option( 'use-twitter-analytics', '0' );
178
+ update_option( 'jd_dynamic_analytics', '0' );
179
  update_option( 'no-analytics', 1 );
180
+ update_option( 'use_dynamic_analytics', 'category' );
181
  // Use custom external URLs to point elsewhere.
182
+ update_option( 'jd_twit_custom_url', 'external_link' );
183
  // Error checking
184
+ update_option( 'wp_url_failure', '0' );
185
  // Default publishing options.
186
  update_option( 'jd_tweet_default', '0' );
187
+ update_option( 'jd_tweet_default_edit', '0' );
188
  update_option( 'wpt_inline_edits', '0' );
189
  // Note that default options are set.
190
+ update_option( 'twitterInitialised', '1' );
191
  //YOURLS API
192
  update_option( 'jd_keyword_format', '0' );
193
  }
194
+ if ( get_option( 'twitterInitialised' ) == '1' && get_option( 'jd_post_excerpt' ) == "" ) {
195
  update_option( 'jd_post_excerpt', 30 );
196
  }
197
 
198
  // notifications from oauth connection
199
+ if ( isset( $_POST['oauth_settings'] ) ) {
200
  if ( $oauth_message == "success" ) {
201
+ print( '
202
  <div id="message" class="updated fade">
203
+ <p>' . __( 'WP to Twitter is now connected with Twitter.', 'wp-to-twitter' ) . '</p>
204
  </div>
205
+ ' );
206
  } else if ( $oauth_message == "failed" ) {
207
+ print( '
208
  <div id="message" class="error fade">
209
+ <p>' . __( 'WP to Twitter failed to connect with Twitter.', 'wp-to-twitter' ) . ' <strong>' . __( 'Error:', 'wp-to-twitter' ) . '</strong> ' . get_option( 'wpt_error' ) . '</p>
210
  </div>
211
+ ' );
212
  } else if ( $oauth_message == "cleared" ) {
213
+ print( '
214
  <div id="message" class="updated fade">
215
+ <p>' . __( 'OAuth Authentication Data Cleared.', 'wp-to-twitter' ) . '</p>
216
  </div>
217
+ ' );
218
+ } else if ( $oauth_message == 'nosync' ) {
219
+ print( '
220
  <div id="message" class="error fade">
221
+ <p>' . __( '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.', 'wp-to-twitter' ) . '</p>
222
  </div>
223
+ ' );
224
  } else {
225
+ print( '
226
  <div id="message" class="error fade">
227
+ <p>' . __( 'OAuth Authentication response not understood.', 'wp-to-twitter' ) . '</p>
228
  </div>
229
+ ' );
230
  }
231
  }
232
+
233
  if ( isset( $_POST['submit-type'] ) && $_POST['submit-type'] == 'advanced' ) {
234
+ update_option( 'jd_tweet_default', ( isset( $_POST['jd_tweet_default'] ) ) ? $_POST['jd_tweet_default'] : 0 );
235
+ update_option( 'jd_tweet_default_edit', ( isset( $_POST['jd_tweet_default_edit'] ) ) ? $_POST['jd_tweet_default_edit'] : 0 );
236
+ update_option( 'wpt_inline_edits', ( isset( $_POST['wpt_inline_edits'] ) ) ? $_POST['wpt_inline_edits'] : 0 );
237
+ update_option( 'jd_twit_remote', ( isset( $_POST['jd_twit_remote'] ) ) ? $_POST['jd_twit_remote'] : 0 );
238
  update_option( 'jd_twit_custom_url', $_POST['jd_twit_custom_url'] );
239
+ update_option( 'jd_strip_nonan', ( isset( $_POST['jd_strip_nonan'] ) ) ? $_POST['jd_strip_nonan'] : 0 );
240
+ update_option( 'jd_twit_prepend', $_POST['jd_twit_prepend'] );
241
  update_option( 'jd_twit_append', $_POST['jd_twit_append'] );
242
+ update_option( 'jd_post_excerpt', $_POST['jd_post_excerpt'] );
243
+ update_option( 'jd_max_tags', $_POST['jd_max_tags'] );
244
+ update_option( 'wpt_tag_source', ( ( isset( $_POST['wpt_tag_source'] ) && $_POST['wpt_tag_source'] == 'slug' ) ? 'slug' : '' ) );
245
+ update_option( 'jd_max_characters', $_POST['jd_max_characters'] );
246
+ update_option( 'jd_replace_character', $_POST['jd_replace_character'] );
247
+ update_option( 'jd_date_format', $_POST['jd_date_format'] );
248
+ update_option( 'jd_dynamic_analytics', $_POST['jd-dynamic-analytics'] );
249
+
250
+ $twitter_analytics = ( isset( $_POST['twitter-analytics'] ) ) ? $_POST['twitter-analytics'] : 0;
251
  if ( $twitter_analytics == 1 ) {
252
  update_option( 'use_dynamic_analytics', 0 );
253
  update_option( 'use-twitter-analytics', 1 );
254
+ update_option( 'no-analytics', 0 );
255
  } else if ( $twitter_analytics == 2 ) {
256
  update_option( 'use_dynamic_analytics', 1 );
257
  update_option( 'use-twitter-analytics', 0 );
261
  update_option( 'use-twitter-analytics', 0 );
262
  update_option( 'no-analytics', 1 );
263
  }
264
+
265
  update_option( 'twitter-analytics-campaign', $_POST['twitter-analytics-campaign'] );
266
+ update_option( 'jd_individual_twitter_users', ( isset( $_POST['jd_individual_twitter_users'] ) ? $_POST['jd_individual_twitter_users'] : 0 ) );
267
+
268
+
269
+ if ( isset( $_POST['wpt_caps'] ) ) {
270
  $perms = $_POST['wpt_caps'];
271
+ $caps = array(
272
+ 'wpt_twitter_oauth',
273
+ 'wpt_twitter_custom',
274
+ 'wpt_twitter_switch',
275
+ 'wpt_can_tweet',
276
+ 'wpt_tweet_now'
277
+ );
278
  foreach ( $perms as $key => $value ) {
279
  $role = get_role( $key );
280
  if ( is_object( $role ) ) {
281
+ foreach ( $caps as $v ) {
282
+ if ( isset( $value[ $v ] ) ) {
283
  $role->add_cap( $v );
284
  } else {
285
  $role->remove_cap( $v );
288
  }
289
  }
290
  }
291
+
292
+ update_option( 'wpt_permit_feed_styles', ( isset( $_POST['wpt_permit_feed_styles'] ) ) ? 1 : 0 );
293
+ update_option( 'wp_debug_oauth', ( isset( $_POST['wp_debug_oauth'] ) ) ? 1 : 0 );
294
+ update_option( 'jd_donations', ( isset( $_POST['jd_donations'] ) ) ? 1 : 0 );
295
  $wpt_truncation_order = $_POST['wpt_truncation_order'];
296
  update_option( 'wpt_truncation_order', $wpt_truncation_order );
297
+ $message .= __( 'WP to Twitter Advanced Options Updated', 'wp-to-twitter' );
298
  }
299
+
300
+ if ( isset( $_POST['submit-type'] ) && $_POST['submit-type'] == 'options' ) {
301
  // UPDATE OPTIONS
302
+ $wpt_settings = get_option( 'wpt_post_types' );
303
+ foreach ( $_POST['wpt_post_types'] as $key => $value ) {
304
+ $array = array(
305
+ 'post-published-update' => ( isset( $value["post-published-update"] ) ) ? $value["post-published-update"] : "",
306
+ 'post-published-text' => $value["post-published-text"],
307
+ 'post-edited-update' => ( isset( $value["post-edited-update"] ) ) ? $value["post-edited-update"] : "",
308
+ 'post-edited-text' => $value["post-edited-text"]
309
+ );
310
+ $wpt_settings[ $key ] = $array;
311
  }
312
  update_option( 'wpt_post_types', $wpt_settings );
313
  update_option( 'newlink-published-text', $_POST['newlink-published-text'] );
314
+ update_option( 'jd_twit_blogroll', ( isset( $_POST['jd_twit_blogroll'] ) ) ? $_POST['jd_twit_blogroll'] : "" );
315
+ $message = wpt_select_shortener( $_POST );
316
+ $message .= __( 'WP to Twitter Options Updated', 'wp-to-twitter' );
317
  $message = apply_filters( 'wpt_settings', $message, $_POST );
318
  }
319
+
320
+ if ( isset( $_POST['wpt_shortener_update'] ) && $_POST['wpt_shortener_update'] == 'true' ) {
321
  $message = wpt_shortener_update( $_POST );
322
  }
323
+
324
  // Check whether the server has supported for needed functions.
325
+ if ( isset( $_POST['submit-type'] ) && $_POST['submit-type'] == 'check-support' ) {
326
  $message = jd_check_functions();
327
  }
328
+ ?>
329
+ <div class="wrap" id="wp-to-twitter">
330
+ <?php wpt_commments_removed(); ?>
331
+ <?php if ( $message ) { ?>
332
+ <div id="message" class="updated fade"><p><?php echo $message; ?></p></div>
333
+ <?php
334
+ }
335
  $log = wpt_log( 'wpt_status_message', 'last' );
336
+ if ( ! empty( $log ) && is_array( $log ) ) {
337
  $post_ID = $log[0];
338
+ $post = get_post( $post_ID );
339
+ if ( is_object( $post ) ) {
340
+ $title = "<a href='" . get_edit_post_link( $post_ID ) . "'>$post->post_title</a>";
341
+ } else {
342
+ $title = __( 'No post associated with this Tweet', 'wp-to-twitter' );
343
+ }
344
  $notice = $log[1];
345
+ echo "<div class='updated fade'><p><strong>" . __( 'Last Tweet', 'wp-to-twitter' ) . "</strong>: $title &raquo; $notice</p></div>";
346
  }
347
  if ( isset( $_POST['submit-type'] ) && $_POST['submit-type'] == 'clear-error' ) {
348
  delete_option( 'wp_url_failure' );
349
  }
350
+ if ( get_option( 'wp_url_failure' ) == '1' ) {
351
+ ?>
352
  <div class="error">