WP to Twitter - Version 2.4.11

Version Description

  • Bug fix: Mismatched rules for when to enqueue charCount script and when to insert inline script calling that script.

  • Bug fix: Added long-missing 'do not post Tweets by default when editing' option.

  • Bug fix: 2 bugs when sending test Tweet and using WordPress as a shortening service

  • Translation updated: French

Download this release

Release Info

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

Code changes from version 2.4.5 to 2.4.11

WP_OAuth.php CHANGED
@@ -1,876 +1,876 @@
1
- <?php
2
- // vim: foldmethod=marker
3
-
4
- if (!class_exists('WPOAuthException')) {
5
-
6
- /* Generic exception class
7
- */
8
- class WPOAuthException extends Exception {
9
- // pass
10
- }
11
-
12
- class WPOAuthConsumer {
13
- public $key;
14
- public $secret;
15
-
16
- function __construct($key, $secret, $callback_url=NULL) {
17
- $this->key = $key;
18
- $this->secret = $secret;
19
- $this->callback_url = $callback_url;
20
- }
21
-
22
- function __toString() {
23
- return "OAuthConsumer[key=$this->key,secret=$this->secret]";
24
- }
25
- }
26
-
27
- class WPOAuthToken {
28
- // access tokens and request tokens
29
- public $key;
30
- public $secret;
31
-
32
- /**
33
- * key = the token
34
- * secret = the token secret
35
- */
36
- function __construct($key, $secret) {
37
- $this->key = $key;
38
- $this->secret = $secret;
39
- }
40
-
41
- /**
42
- * generates the basic string serialization of a token that a server
43
- * would respond to request_token and access_token calls with
44
- */
45
- function to_string() {
46
- return "oauth_token=" .
47
- WPOAuthUtil::urlencode_rfc3986($this->key) .
48
- "&oauth_token_secret=" .
49
- WPOAuthUtil::urlencode_rfc3986($this->secret);
50
- }
51
-
52
- function __toString() {
53
- return $this->to_string();
54
- }
55
- }
56
-
57
- /**
58
- * A class for implementing a Signature Method
59
- * See section 9 ("Signing Requests") in the spec
60
- */
61
- abstract class WPOAuthSignatureMethod {
62
- /**
63
- * Needs to return the name of the Signature Method (ie HMAC-SHA1)
64
- * @return string
65
- */
66
- abstract public function get_name();
67
-
68
- /**
69
- * Build up the signature
70
- * NOTE: The output of this function MUST NOT be urlencoded.
71
- * the encoding is handled in OAuthRequest when the final
72
- * request is serialized
73
- * @param OAuthRequest $request
74
- * @param OAuthConsumer $consumer
75
- * @param OAuthToken $token
76
- * @return string
77
- */
78
- abstract public function build_signature($request, $consumer, $token);
79
-
80
- /**
81
- * Verifies that a given signature is correct
82
- * @param OAuthRequest $request
83
- * @param OAuthConsumer $consumer
84
- * @param OAuthToken $token
85
- * @param string $signature
86
- * @return bool
87
- */
88
- public function check_signature($request, $consumer, $token, $signature) {
89
- $built = $this->build_signature($request, $consumer, $token);
90
- return $built == $signature;
91
- }
92
- }
93
-
94
- /**
95
- * The HMAC-SHA1 signature method uses the HMAC-SHA1 signature algorithm as defined in [RFC2104]
96
- * where the Signature Base String is the text and the key is the concatenated values (each first
97
- * encoded per Parameter Encoding) of the Consumer Secret and Token Secret, separated by an '&'
98
- * character (ASCII code 38) even if empty.
99
- * - Chapter 9.2 ("HMAC-SHA1")
100
- */
101
- class WPOAuthSignatureMethod_HMAC_SHA1 extends WPOAuthSignatureMethod {
102
- function get_name() {
103
- return "HMAC-SHA1";
104
- }
105
-
106
- public function build_signature($request, $consumer, $token) {
107
- $base_string = $request->get_signature_base_string();
108
- $request->base_string = $base_string;
109
-
110
- $key_parts = array(
111
- $consumer->secret,
112
- ($token) ? $token->secret : ""
113
- );
114
-
115
- $key_parts = WPOAuthUtil::urlencode_rfc3986($key_parts);
116
- $key = implode('&', $key_parts);
117
-
118
- return base64_encode(hash_hmac('sha1', $base_string, $key, true));
119
- }
120
- }
121
-
122
- /**
123
- * The PLAINTEXT method does not provide any security protection and SHOULD only be used
124
- * over a secure channel such as HTTPS. It does not use the Signature Base String.
125
- * - Chapter 9.4 ("PLAINTEXT")
126
- */
127
- class WPOAuthSignatureMethod_PLAINTEXT extends WPOAuthSignatureMethod {
128
- public function get_name() {
129
- return "PLAINTEXT";
130
- }
131
-
132
- /**
133
- * oauth_signature is set to the concatenated encoded values of the Consumer Secret and
134
- * Token Secret, separated by a '&' character (ASCII code 38), even if either secret is
135
- * empty. The result MUST be encoded again.
136
- * - Chapter 9.4.1 ("Generating Signatures")
137
- *
138
- * Please note that the second encoding MUST NOT happen in the SignatureMethod, as
139
- * OAuthRequest handles this!
140
- */
141
- public function build_signature($request, $consumer, $token) {
142
- $key_parts = array(
143
- $consumer->secret,
144
- ($token) ? $token->secret : ""
145
- );
146
-
147
- $key_parts = WPOAuthUtil::urlencode_rfc3986($key_parts);
148
- $key = implode('&', $key_parts);
149
- $request->base_string = $key;
150
-
151
- return $key;
152
- }
153
- }
154
-
155
- /**
156
- * The RSA-SHA1 signature method uses the RSASSA-PKCS1-v1_5 signature algorithm as defined in
157
- * [RFC3447] section 8.2 (more simply known as PKCS#1), using SHA-1 as the hash function for
158
- * EMSA-PKCS1-v1_5. It is assumed that the Consumer has provided its RSA public key in a
159
- * verified way to the Service Provider, in a manner which is beyond the scope of this
160
- * specification.
161
- * - Chapter 9.3 ("RSA-SHA1")
162
- */
163
- abstract class WPOAuthSignatureMethod_RSA_SHA1 extends WPOAuthSignatureMethod {
164
- public function get_name() {
165
- return "RSA-SHA1";
166
- }
167
-
168
- // Up to the SP to implement this lookup of keys. Possible ideas are:
169
- // (1) do a lookup in a table of trusted certs keyed off of consumer
170
- // (2) fetch via http using a url provided by the requester
171
- // (3) some sort of specific discovery code based on request
172
- //
173
- // Either way should return a string representation of the certificate
174
- protected abstract function fetch_public_cert(&$request);
175
-
176
- // Up to the SP to implement this lookup of keys. Possible ideas are:
177
- // (1) do a lookup in a table of trusted certs keyed off of consumer
178
- //
179
- // Either way should return a string representation of the certificate
180
- protected abstract function fetch_private_cert(&$request);
181
-
182
- public function build_signature($request, $consumer, $token) {
183
- $base_string = $request->get_signature_base_string();
184
- $request->base_string = $base_string;
185
-
186
- // Fetch the private key cert based on the request
187
- $cert = $this->fetch_private_cert($request);
188
-
189
- // Pull the private key ID from the certificate
190
- $privatekeyid = openssl_get_privatekey($cert);
191
-
192
- // Sign using the key
193
- $ok = openssl_sign($base_string, $signature, $privatekeyid);
194
-
195
- // Release the key resource
196
- openssl_free_key($privatekeyid);
197
-
198
- return base64_encode($signature);
199
- }
200
-
201
- public function check_signature($request, $consumer, $token, $signature) {
202
- $decoded_sig = base64_decode($signature);
203
-
204
- $base_string = $request->get_signature_base_string();
205
-
206
- // Fetch the public key cert based on the request
207
- $cert = $this->fetch_public_cert($request);
208
-
209
- // Pull the public key ID from the certificate
210
- $publickeyid = openssl_get_publickey($cert);
211
-
212
- // Check the computed signature against the one passed in the query
213
- $ok = openssl_verify($base_string, $decoded_sig, $publickeyid);
214
-
215
- // Release the key resource
216
- openssl_free_key($publickeyid);
217
-
218
- return $ok == 1;
219
- }
220
- }
221
-
222
- class WPOAuthRequest {
223
- private $parameters;
224
- private $http_method;
225
- private $http_url;
226
- // for debug purposes
227
- public $base_string;
228
- public static $version = '1.0';
229
- public static $POST_INPUT = 'php://input';
230
-
231
- function __construct($http_method, $http_url, $parameters=NULL) {
232
- @$parameters or $parameters = array();
233
- $parameters = array_merge( WPOAuthUtil::parse_parameters(parse_url($http_url, PHP_URL_QUERY)), $parameters);
234
- $this->parameters = $parameters;
235
- $this->http_method = $http_method;
236
- $this->http_url = $http_url;
237
- }
238
-
239
-
240
- /**
241
- * attempt to build up a request from what was passed to the server
242
- */
243
- public static function from_request($http_method=NULL, $http_url=NULL, $parameters=NULL) {
244
- $scheme = (!isset($_SERVER['HTTPS']) || $_SERVER['HTTPS'] != "on")
245
- ? 'http'
246
- : 'https';
247
- @$http_url or $http_url = $scheme .
248
- '://' . $_SERVER['HTTP_HOST'] .
249
- ':' .
250
- $_SERVER['SERVER_PORT'] .
251
- $_SERVER['REQUEST_URI'];
252
- @$http_method or $http_method = $_SERVER['REQUEST_METHOD'];
253
-
254
- // We weren't handed any parameters, so let's find the ones relevant to
255
- // this request.
256
- // If you run XML-RPC or similar you should use this to provide your own
257
- // parsed parameter-list
258
- if (!$parameters) {
259
- // Find request headers
260
- $request_headers = WPOAuthUtil::get_headers();
261
-
262
- // Parse the query-string to find GET parameters
263
- $parameters = WPOAuthUtil::parse_parameters($_SERVER['QUERY_STRING']);
264
-
265
- // It's a POST request of the proper content-type, so parse POST
266
- // parameters and add those overriding any duplicates from GET
267
- if ($http_method == "POST"
268
- && @strstr($request_headers["Content-Type"],
269
- "application/x-www-form-urlencoded")
270
- ) {
271
- $post_data = WPOAuthUtil::parse_parameters(
272
- file_get_contents(self::$POST_INPUT)
273
- );
274
- $parameters = array_merge($parameters, $post_data);
275
- }
276
-
277
- // We have a Authorization-header with OAuth data. Parse the header
278
- // and add those overriding any duplicates from GET or POST
279
- if (@substr($request_headers['Authorization'], 0, 6) == "OAuth ") {
280
- $header_parameters = WPOAuthUtil::split_header(
281
- $request_headers['Authorization']
282
- );
283
- $parameters = array_merge($parameters, $header_parameters);
284
- }
285
-
286
- }
287
-
288
- return new WPOAuthRequest($http_method, $http_url, $parameters);
289
- }
290
-
291
- /**
292
- * pretty much a helper function to set up the request
293
- */
294
- public static function from_consumer_and_token($consumer, $token, $http_method, $http_url, $parameters=NULL) {
295
- @$parameters or $parameters = array();
296
- $defaults = array("oauth_version" => WPOAuthRequest::$version,
297
- "oauth_nonce" => WPOAuthRequest::generate_nonce(),
298
- "oauth_timestamp" => WPOAuthRequest::generate_timestamp(),
299
- "oauth_consumer_key" => $consumer->key);
300
- if ($token)
301
- $defaults['oauth_token'] = $token->key;
302
-
303
- $parameters = array_merge($defaults, $parameters);
304
-
305
- return new WPOAuthRequest($http_method, $http_url, $parameters);
306
- }
307
-
308
- public function set_parameter($name, $value, $allow_duplicates = true) {
309
- if ($allow_duplicates && isset($this->parameters[$name])) {
310
- // We have already added parameter(s) with this name, so add to the list
311
- if (is_scalar($this->parameters[$name])) {
312
- // This is the first duplicate, so transform scalar (string)
313
- // into an array so we can add the duplicates
314
- $this->parameters[$name] = array($this->parameters[$name]);
315
- }
316
-
317
- $this->parameters[$name][] = $value;
318
- } else {
319
- $this->parameters[$name] = $value;
320
- }
321
- }
322
-
323
- public function get_parameter($name) {
324
- return isset($this->parameters[$name]) ? $this->parameters[$name] : null;
325
- }
326
-
327
- public function get_parameters() {
328
- return $this->parameters;
329
- }
330
-
331
- public function unset_parameter($name) {
332
- unset($this->parameters[$name]);
333
- }
334
-
335
- /**
336
- * The request parameters, sorted and concatenated into a normalized string.
337
- * @return string
338
- */
339
- public function get_signable_parameters() {
340
- // Grab all parameters
341
- $params = $this->parameters;
342
-
343
- // Remove oauth_signature if present
344
- // Ref: Spec: 9.1.1 ("The oauth_signature parameter MUST be excluded.")
345
- if (isset($params['oauth_signature'])) {
346
- unset($params['oauth_signature']);
347
- }
348
-
349
- return WPOAuthUtil::build_http_query($params);
350
- }
351
-
352
- /**
353
- * Returns the base string of this request
354
- *
355
- * The base string defined as the method, the url
356
- * and the parameters (normalized), each urlencoded
357
- * and the concated with &.
358
- */
359
- public function get_signature_base_string() {
360
- $parts = array(
361
- $this->get_normalized_http_method(),
362
- $this->get_normalized_http_url(),
363
- $this->get_signable_parameters()
364
- );
365
-
366
- $parts = WPOAuthUtil::urlencode_rfc3986($parts);
367
-
368
- return implode('&', $parts);
369
- }
370
-
371
- /**
372
- * just uppercases the http method
373
- */
374
- public function get_normalized_http_method() {
375
- return strtoupper($this->http_method);
376
- }
377
-
378
- /**
379
- * parses the url and rebuilds it to be
380
- * scheme://host/path
381
- */
382
- public function get_normalized_http_url() {
383
- $parts = parse_url($this->http_url);
384
-
385
- $port = @$parts['port'];
386
- $scheme = @$parts['scheme'];
387
- $host = @$parts['host'];
388
- $path = @$parts['path'];
389
-
390
- $port or $port = ($scheme == 'https') ? '443' : '80';
391
-
392
- if (($scheme == 'https' && $port != '443')
393
- || ($scheme == 'http' && $port != '80')) {
394
- $host = "$host:$port";
395
- }
396
- return "$scheme://$host$path";
397
- }
398
-
399
- /**
400
- * builds a url usable for a GET request
401
- */
402
- public function to_url() {
403
- $post_data = $this->to_postdata();
404
- $out = $this->get_normalized_http_url();
405
- if ($post_data) {
406
- $out .= '?'.$post_data;
407
- }
408
- return $out;
409
- }
410
-
411
- /**
412
- * builds the data one would send in a POST request
413
- */
414
- public function to_postdata() {
415
- return WPOAuthUtil::build_http_query($this->parameters);
416
- }
417
-
418
- /**
419
- * builds the Authorization: header
420
- */
421
- public function to_header($realm=null) {
422
- $first = true;
423
- if($realm) {
424
- $out = 'Authorization: OAuth realm="' . WPOAuthUtil::urlencode_rfc3986($realm) . '"';
425
- $first = false;
426
- } else
427
- $out = 'Authorization: OAuth';
428
-
429
- $total = array();
430
- foreach ($this->parameters as $k => $v) {
431
- if (substr($k, 0, 5) != "oauth") continue;
432
- if (is_array($v)) {
433
- throw new WPOAuthException('Arrays not supported in headers');
434
- }
435
- $out .= ($first) ? ' ' : ',';
436
- $out .= WPOAuthUtil::urlencode_rfc3986($k) .
437
- '="' .
438
- WPOAuthUtil::urlencode_rfc3986($v) .
439
- '"';
440
- $first = false;
441
- }
442
- return $out;
443
- }
444
-
445
- public function __toString() {
446
- return $this->to_url();
447
- }
448
-
449
-
450
- public function sign_request($signature_method, $consumer, $token) {
451
- $this->set_parameter(
452
- "oauth_signature_method",
453
- $signature_method->get_name(),
454
- false
455
- );
456
- $signature = $this->build_signature($signature_method, $consumer, $token);
457
- $this->set_parameter("oauth_signature", $signature, false);
458
- }
459
-
460
- public function build_signature($signature_method, $consumer, $token) {
461
- $signature = $signature_method->build_signature($this, $consumer, $token);
462
- return $signature;
463
- }
464
-
465
- /**
466
- * util function: current timestamp
467
- */
468
- private static function generate_timestamp() {
469
- return time();
470
- }
471
-
472
- /**
473
- * util function: current nonce
474
- */
475
- private static function generate_nonce() {
476
- $mt = microtime();
477
- $rand = mt_rand();
478
-
479
- return md5($mt . $rand); // md5s look nicer than numbers
480
- }
481
- }
482
-
483
- class WPOAuthServer {
484
- protected $timestamp_threshold = 300; // in seconds, five minutes
485
- protected $version = '1.0'; // hi blaine
486
- protected $signature_methods = array();
487
-
488
- protected $data_store;
489
-
490
- function __construct($data_store) {
491
- $this->data_store = $data_store;
492
- }
493
-
494
- public function add_signature_method($signature_method) {
495
- $this->signature_methods[$signature_method->get_name()] =
496
- $signature_method;
497
- }
498
-
499
- // high level functions
500
-
501
- /**
502
- * process a request_token request
503
- * returns the request token on success
504
- */
505
- public function fetch_request_token(&$request) {
506
- $this->get_version($request);
507
-
508
- $consumer = $this->get_consumer($request);
509
-
510
- // no token required for the initial token request
511
- $token = NULL;
512
-
513
- $this->check_signature($request, $consumer, $token);
514
-
515
- // Rev A change
516
- $callback = $request->get_parameter('oauth_callback');
517
- $new_token = $this->data_store->new_request_token($consumer, $callback);
518
-
519
- return $new_token;
520
- }
521
-
522
- /**
523
- * process an access_token request
524
- * returns the access token on success
525
- */
526
- public function fetch_access_token(&$request) {
527
- $this->get_version($request);
528
-
529
- $consumer = $this->get_consumer($request);
530
-
531
- // requires authorized request token
532
- $token = $this->get_token($request, $consumer, "request");
533
-
534
- $this->check_signature($request, $consumer, $token);
535
-
536
- // Rev A change
537
- $verifier = $request->get_parameter('oauth_verifier');
538
- $new_token = $this->data_store->new_access_token($token, $consumer, $verifier);
539
-
540
- return $new_token;
541
- }
542
-
543
- /**
544
- * verify an api call, checks all the parameters
545
- */
546
- public function verify_request(&$request) {
547
- $this->get_version($request);
548
- $consumer = $this->get_consumer($request);
549
- $token = $this->get_token($request, $consumer, "access");
550
- $this->check_signature($request, $consumer, $token);
551
- return array($consumer, $token);
552
- }
553
-
554
- // Internals from here
555
- /**
556
- * version 1
557
- */
558
- private function get_version(&$request) {
559
- $version = $request->get_parameter("oauth_version");
560
- if (!$version) {
561
- // Service Providers MUST assume the protocol version to be 1.0 if this parameter is not present.
562
- // Chapter 7.0 ("Accessing Protected Ressources")
563
- $version = '1.0';
564
- }
565
- if ($version !== $this->version) {
566
- throw new WPOAuthException("OAuth version '$version' not supported");
567
- }
568
- return $version;
569
- }
570
-
571
- /**
572
- * figure out the signature with some defaults
573
- */
574
- private function get_signature_method(&$request) {
575
- $signature_method =
576
- @$request->get_parameter("oauth_signature_method");
577
-
578
- if (!$signature_method) {
579
- // According to chapter 7 ("Accessing Protected Ressources") the signature-method
580
- // parameter is required, and we can't just fallback to PLAINTEXT
581
- throw new WPOAuthException('No signature method parameter. This parameter is required');
582
- }
583
-
584
- if (!in_array($signature_method,
585
- array_keys($this->signature_methods))) {
586
- throw new WPOAuthException(
587
- "Signature method '$signature_method' not supported " .
588
- "try one of the following: " .
589
- implode(", ", array_keys($this->signature_methods))
590
- );
591
- }
592
- return $this->signature_methods[$signature_method];
593
- }
594
-
595
- /**
596
- * try to find the consumer for the provided request's consumer key
597
- */
598
- private function get_consumer(&$request) {
599
- $consumer_key = @$request->get_parameter("oauth_consumer_key");
600
- if (!$consumer_key) {
601
- throw new WPOAuthException("Invalid consumer key");
602
- }
603
-
604
- $consumer = $this->data_store->lookup_consumer($consumer_key);
605
- if (!$consumer) {
606
- throw new WPOAuthException("Invalid consumer");
607
- }
608
-
609
- return $consumer;
610
- }
611
-
612
- /**
613
- * try to find the token for the provided request's token key
614
- */
615
- private function get_token(&$request, $consumer, $token_type="access") {
616
- $token_field = @$request->get_parameter('oauth_token');
617
- $token = $this->data_store->lookup_token(
618
- $consumer, $token_type, $token_field
619
- );
620
- if (!$token) {
621
- throw new WPOAuthException("Invalid $token_type token: $token_field");
622
- }
623
- return $token;
624
- }
625
-
626
- /**
627
- * all-in-one function to check the signature on a request
628
- * should guess the signature method appropriately
629
- */
630
- private function check_signature(&$request, $consumer, $token) {
631
- // this should probably be in a different method
632
- $timestamp = @$request->get_parameter('oauth_timestamp');
633
- $nonce = @$request->get_parameter('oauth_nonce');
634
-
635
- $this->check_timestamp($timestamp);
636
- $this->check_nonce($consumer, $token, $nonce, $timestamp);
637
-
638
- $signature_method = $this->get_signature_method($request);
639
-
640
- $signature = $request->get_parameter('oauth_signature');
641
- $valid_sig = $signature_method->check_signature(
642
- $request,
643
- $consumer,
644
- $token,
645
- $signature
646
- );
647
-
648
- if (!$valid_sig) {
649
- throw new WPOAuthException("Invalid signature");
650
- }
651
- }
652
-
653
- /**
654
- * check that the timestamp is new enough
655
- */
656
- private function check_timestamp($timestamp) {
657
- if( ! $timestamp )
658
- throw new WPOAuthException(
659
- 'Missing timestamp parameter. The parameter is required'
660
- );
661
-
662
- // verify that timestamp is recentish
663
- $now = time();
664
- if (abs($now - $timestamp) > $this->timestamp_threshold) {
665
- throw new WPOAuthException(
666
- "Expired timestamp, yours $timestamp, ours $now"
667
- );
668
- }
669
- }
670
-
671
- /**
672
- * check that the nonce is not repeated
673
- */
674
- private function check_nonce($consumer, $token, $nonce, $timestamp) {
675
- if( ! $nonce )
676
- throw new WPOAuthException(
677
- 'Missing nonce parameter. The parameter is required'
678
- );
679
-
680
- // verify that the nonce is uniqueish
681
- $found = $this->data_store->lookup_nonce(
682
- $consumer,
683
- $token,
684
- $nonce,
685
- $timestamp
686
- );
687
- if ($found) {
688
- throw new WPOAuthException("Nonce already used: $nonce");
689
- }
690
- }
691
-
692
- }
693
-
694
- class WPOAuthDataStore {
695
- function lookup_consumer($consumer_key) {
696
- // implement me
697
- }
698
-
699
- function lookup_token($consumer, $token_type, $token) {
700
- // implement me
701
- }
702
-
703
- function lookup_nonce($consumer, $token, $nonce, $timestamp) {
704
- // implement me
705
- }
706
-
707
- function new_request_token($consumer, $callback = null) {
708
- // return a new token attached to this consumer
709
- }
710
-
711
- function new_access_token($token, $consumer, $verifier = null) {
712
- // return a new access token attached to this consumer
713
- // for the user associated with this token if the request token
714
- // is authorized
715
- // should also invalidate the request token
716
- }
717
-
718
- }
719
-
720
- class WPOAuthUtil {
721
- public static function urlencode_rfc3986($input) {
722
- if (is_array($input)) {
723
- return array_map(array('WPOAuthUtil', 'urlencode_rfc3986'), $input);
724
- } else if (is_scalar($input)) {
725
- return str_replace(
726
- '+',
727
- ' ',
728
- str_replace('%7E', '~', rawurlencode($input))
729
- );
730
- } else {
731
- return '';
732
- }
733
- }
734
-
735
-
736
- // This decode function isn't taking into consideration the above
737
- // modifications to the encoding process. However, this method doesn't
738
- // seem to be used anywhere so leaving it as is.
739
- public static function urldecode_rfc3986($string) {
740
- return urldecode($string);
741
- }
742
-
743
- // Utility function for turning the Authorization: header into
744
- // parameters, has to do some unescaping
745
- // Can filter out any non-oauth parameters if needed (default behaviour)
746
- public static function split_header($header, $only_allow_oauth_parameters = true) {
747
- $pattern = '/(([-_a-z]*)=("([^"]*)"|([^,]*)),?)/';
748
- $offset = 0;
749
- $params = array();
750
- while (preg_match($pattern, $header, $matches, PREG_OFFSET_CAPTURE, $offset) > 0) {
751
- $match = $matches[0];
752
- $header_name = $matches[2][0];
753
- $header_content = (isset($matches[5])) ? $matches[5][0] : $matches[4][0];
754
- if (preg_match('/^oauth_/', $header_name) || !$only_allow_oauth_parameters) {
755
- $params[$header_name] = WPOAuthUtil::urldecode_rfc3986($header_content);
756
- }
757
- $offset = $match[1] + strlen($match[0]);
758
- }
759
-
760
- if (isset($params['realm'])) {
761
- unset($params['realm']);
762
- }
763
-
764
- return $params;
765
- }
766
-
767
- // helper to try to sort out headers for people who aren't running apache
768
- public static function get_headers() {
769
- if (function_exists('apache_request_headers')) {
770
- // we need this to get the actual Authorization: header
771
- // because apache tends to tell us it doesn't exist
772
- $headers = apache_request_headers();
773
-
774
- // sanitize the output of apache_request_headers because
775
- // we always want the keys to be Cased-Like-This and arh()
776
- // returns the headers in the same case as they are in the
777
- // request
778
- $out = array();
779
- foreach( $headers AS $key => $value ) {
780
- $key = str_replace(
781
- " ",
782
- "-",
783
- ucwords(strtolower(str_replace("-", " ", $key)))
784
- );
785
- $out[$key] = $value;
786
- }
787
- } else {
788
- // otherwise we don't have apache and are just going to have to hope
789
- // that $_SERVER actually contains what we need
790
- $out = array();
791
- if( isset($_SERVER['CONTENT_TYPE']) )
792
- $out['Content-Type'] = $_SERVER['CONTENT_TYPE'];
793
- if( isset($_ENV['CONTENT_TYPE']) )
794
- $out['Content-Type'] = $_ENV['CONTENT_TYPE'];
795
-
796
- foreach ($_SERVER as $key => $value) {
797
- if (substr($key, 0, 5) == "HTTP_") {
798
- // this is chaos, basically it is just there to capitalize the first
799
- // letter of every word that is not an initial HTTP and strip HTTP
800
- // code from przemek
801
- $key = str_replace(
802
- " ",
803
- "-",
804
- ucwords(strtolower(str_replace("_", " ", substr($key, 5))))
805
- );
806
- $out[$key] = $value;
807
- }
808
- }
809
- }
810
- return $out;
811
- }
812
-
813
- // This function takes a input like a=b&a=c&d=e and returns the parsed
814
- // parameters like this
815
- // array('a' => array('b','c'), 'd' => 'e')
816
- public static function parse_parameters( $input ) {
817
- if (!isset($input) || !$input) return array();
818
-
819
- $pairs = explode('&', $input);
820
-
821
- $parsed_parameters = array();
822
- foreach ($pairs as $pair) {
823
- $split = explode('=', $pair, 2);
824
- $parameter = WPOAuthUtil::urldecode_rfc3986($split[0]);
825
- $value = isset($split[1]) ? WPOAuthUtil::urldecode_rfc3986($split[1]) : '';
826
-
827
- if (isset($parsed_parameters[$parameter])) {
828
- // We have already recieved parameter(s) with this name, so add to the list
829
- // of parameters with this name
830
-
831
- if (is_scalar($parsed_parameters[$parameter])) {
832
- // This is the first duplicate, so transform scalar (string) into an array
833
- // so we can add the duplicates
834
- $parsed_parameters[$parameter] = array($parsed_parameters[$parameter]);
835
- }
836
-
837
- $parsed_parameters[$parameter][] = $value;
838
- } else {
839
- $parsed_parameters[$parameter] = $value;
840
- }
841
- }
842
- return $parsed_parameters;
843
- }
844
-
845
- public static function build_http_query($params) {
846
- if (!$params) return '';
847
-
848
- // Urlencode both keys and values
849
- $keys = WPOAuthUtil::urlencode_rfc3986(array_keys($params));
850
- $values = WPOAuthUtil::urlencode_rfc3986(array_values($params));
851
- $params = array_combine($keys, $values);
852
-
853
- // Parameters are sorted by name, using lexicographical byte value ordering.
854
- // Ref: Spec: 9.1.1 (1)
855
- uksort($params, 'strcmp');
856
-
857
- $pairs = array();
858
- foreach ($params as $parameter => $value) {
859
- if (is_array($value)) {
860
- // If two or more parameters share the same name, they are sorted by their value
861
- // Ref: Spec: 9.1.1 (1)
862
- natsort($value);
863
- foreach ($value as $duplicate_value) {
864
- $pairs[] = $parameter . '=' . $duplicate_value;
865
- }
866
- } else {
867
- $pairs[] = $parameter . '=' . $value;
868
- }
869
- }
870
- // For each parameter, the name is separated from the corresponding value by an '=' character (ASCII code 61)
871
- // Each name-value pair is separated by an '&' character (ASCII code 38)
872
- return implode('&', $pairs);
873
- }
874
- }
875
-
876
- } // class_exists check
1
+ <?php
2
+ // vim: foldmethod=marker
3
+
4
+ if (!class_exists('WPOAuthException')) {
5
+
6
+ /* Generic exception class
7
+ */
8
+ class WPOAuthException extends Exception {
9
+ // pass
10
+ }
11
+
12
+ class WPOAuthConsumer {
13
+ public $key;
14
+ public $secret;
15
+
16
+ function __construct($key, $secret, $callback_url=NULL) {
17
+ $this->key = $key;
18
+ $this->secret = $secret;
19
+ $this->callback_url = $callback_url;
20
+ }
21
+
22
+ function __toString() {
23
+ return "OAuthConsumer[key=$this->key,secret=$this->secret]";
24
+ }
25
+ }
26
+
27
+ class WPOAuthToken {
28
+ // access tokens and request tokens
29
+ public $key;
30
+ public $secret;
31
+
32
+ /**
33
+ * key = the token
34
+ * secret = the token secret
35
+ */
36
+ function __construct($key, $secret) {
37
+ $this->key = $key;
38
+ $this->secret = $secret;
39
+ }
40
+
41
+ /**
42
+ * generates the basic string serialization of a token that a server
43
+ * would respond to request_token and access_token calls with
44
+ */
45
+ function to_string() {
46
+ return "oauth_token=" .
47
+ WPOAuthUtil::urlencode_rfc3986($this->key) .
48
+ "&oauth_token_secret=" .
49
+ WPOAuthUtil::urlencode_rfc3986($this->secret);
50
+ }
51
+
52
+ function __toString() {
53
+ return $this->to_string();
54
+ }
55
+ }
56
+
57
+ /**
58
+ * A class for implementing a Signature Method
59
+ * See section 9 ("Signing Requests") in the spec
60
+ */
61
+ abstract class WPOAuthSignatureMethod {
62
+ /**
63
+ * Needs to return the name of the Signature Method (ie HMAC-SHA1)
64
+ * @return string
65
+ */
66
+ abstract public function get_name();
67
+
68
+ /**
69
+ * Build up the signature
70
+ * NOTE: The output of this function MUST NOT be urlencoded.
71
+ * the encoding is handled in OAuthRequest when the final
72
+ * request is serialized
73
+ * @param OAuthRequest $request
74
+ * @param OAuthConsumer $consumer
75
+ * @param OAuthToken $token
76
+ * @return string
77
+ */
78
+ abstract public function build_signature($request, $consumer, $token);
79
+
80
+ /**
81
+ * Verifies that a given signature is correct
82
+ * @param OAuthRequest $request
83
+ * @param OAuthConsumer $consumer
84
+ * @param OAuthToken $token
85
+ * @param string $signature
86
+ * @return bool
87
+ */
88
+ public function check_signature($request, $consumer, $token, $signature) {
89
+ $built = $this->build_signature($request, $consumer, $token);
90
+ return $built == $signature;
91
+ }
92
+ }
93
+
94
+ /**
95
+ * The HMAC-SHA1 signature method uses the HMAC-SHA1 signature algorithm as defined in [RFC2104]
96
+ * where the Signature Base String is the text and the key is the concatenated values (each first
97
+ * encoded per Parameter Encoding) of the Consumer Secret and Token Secret, separated by an '&'
98
+ * character (ASCII code 38) even if empty.
99
+ * - Chapter 9.2 ("HMAC-SHA1")
100
+ */
101
+ class WPOAuthSignatureMethod_HMAC_SHA1 extends WPOAuthSignatureMethod {
102
+ function get_name() {
103
+ return "HMAC-SHA1";
104
+ }
105
+
106
+ public function build_signature($request, $consumer, $token) {
107
+ $base_string = $request->get_signature_base_string();
108
+ $request->base_string = $base_string;
109
+
110
+ $key_parts = array(
111
+ $consumer->secret,
112
+ ($token) ? $token->secret : ""
113
+ );
114
+
115
+ $key_parts = WPOAuthUtil::urlencode_rfc3986($key_parts);
116
+ $key = implode('&', $key_parts);
117
+
118
+ return base64_encode(hash_hmac('sha1', $base_string, $key, true));
119
+ }
120
+ }
121
+
122
+ /**
123
+ * The PLAINTEXT method does not provide any security protection and SHOULD only be used
124
+ * over a secure channel such as HTTPS. It does not use the Signature Base String.
125
+ * - Chapter 9.4 ("PLAINTEXT")
126
+ */
127
+ class WPOAuthSignatureMethod_PLAINTEXT extends WPOAuthSignatureMethod {
128
+ public function get_name() {
129
+ return "PLAINTEXT";
130
+ }
131
+
132
+ /**
133
+ * oauth_signature is set to the concatenated encoded values of the Consumer Secret and
134
+ * Token Secret, separated by a '&' character (ASCII code 38), even if either secret is
135
+ * empty. The result MUST be encoded again.
136
+ * - Chapter 9.4.1 ("Generating Signatures")
137
+ *
138
+ * Please note that the second encoding MUST NOT happen in the SignatureMethod, as
139
+ * OAuthRequest handles this!
140
+ */
141
+ public function build_signature($request, $consumer, $token) {
142
+ $key_parts = array(
143
+ $consumer->secret,
144
+ ($token) ? $token->secret : ""
145
+ );
146
+
147
+ $key_parts = WPOAuthUtil::urlencode_rfc3986($key_parts);
148
+ $key = implode('&', $key_parts);
149
+ $request->base_string = $key;
150
+
151
+ return $key;
152
+ }
153
+ }
154
+
155
+ /**
156
+ * The RSA-SHA1 signature method uses the RSASSA-PKCS1-v1_5 signature algorithm as defined in
157
+ * [RFC3447] section 8.2 (more simply known as PKCS#1), using SHA-1 as the hash function for
158
+ * EMSA-PKCS1-v1_5. It is assumed that the Consumer has provided its RSA public key in a
159
+ * verified way to the Service Provider, in a manner which is beyond the scope of this
160
+ * specification.
161
+ * - Chapter 9.3 ("RSA-SHA1")
162
+ */
163
+ abstract class WPOAuthSignatureMethod_RSA_SHA1 extends WPOAuthSignatureMethod {
164
+ public function get_name() {
165
+ return "RSA-SHA1";
166
+ }
167
+
168
+ // Up to the SP to implement this lookup of keys. Possible ideas are:
169
+ // (1) do a lookup in a table of trusted certs keyed off of consumer
170
+ // (2) fetch via http using a url provided by the requester
171
+ // (3) some sort of specific discovery code based on request
172
+ //
173
+ // Either way should return a string representation of the certificate
174
+ protected abstract function fetch_public_cert(&$request);
175
+
176
+ // Up to the SP to implement this lookup of keys. Possible ideas are:
177
+ // (1) do a lookup in a table of trusted certs keyed off of consumer
178
+ //
179
+ // Either way should return a string representation of the certificate
180
+ protected abstract function fetch_private_cert(&$request);
181
+
182
+ public function build_signature($request, $consumer, $token) {
183
+ $base_string = $request->get_signature_base_string();
184
+ $request->base_string = $base_string;
185
+
186
+ // Fetch the private key cert based on the request
187
+ $cert = $this->fetch_private_cert($request);
188
+
189
+ // Pull the private key ID from the certificate
190
+ $privatekeyid = openssl_get_privatekey($cert);
191
+
192
+ // Sign using the key
193
+ $ok = openssl_sign($base_string, $signature, $privatekeyid);
194
+
195
+ // Release the key resource
196
+ openssl_free_key($privatekeyid);
197
+
198
+ return base64_encode($signature);
199
+ }
200
+
201
+ public function check_signature($request, $consumer, $token, $signature) {
202
+ $decoded_sig = base64_decode($signature);
203
+
204
+ $base_string = $request->get_signature_base_string();
205
+
206
+ // Fetch the public key cert based on the request
207
+ $cert = $this->fetch_public_cert($request);
208
+
209
+ // Pull the public key ID from the certificate
210
+ $publickeyid = openssl_get_publickey($cert);
211
+
212
+ // Check the computed signature against the one passed in the query
213
+ $ok = openssl_verify($base_string, $decoded_sig, $publickeyid);
214
+
215
+ // Release the key resource
216
+ openssl_free_key($publickeyid);
217
+
218
+ return $ok == 1;
219
+ }
220
+ }
221
+
222
+ class WPOAuthRequest {
223
+ private $parameters;
224
+ private $http_method;
225
+ private $http_url;
226
+ // for debug purposes
227
+ public $base_string;
228
+ public static $version = '1.0';
229
+ public static $POST_INPUT = 'php://input';
230
+
231
+ function __construct($http_method, $http_url, $parameters=NULL) {
232
+ @$parameters or $parameters = array();
233
+ $parameters = array_merge( WPOAuthUtil::parse_parameters(parse_url($http_url, PHP_URL_QUERY)), $parameters);
234
+ $this->parameters = $parameters;
235
+ $this->http_method = $http_method;
236
+ $this->http_url = $http_url;
237
+ }
238
+
239
+
240
+ /**
241
+ * attempt to build up a request from what was passed to the server
242
+ */
243
+ public static function from_request($http_method=NULL, $http_url=NULL, $parameters=NULL) {
244
+ $scheme = (!isset($_SERVER['HTTPS']) || $_SERVER['HTTPS'] != "on")
245
+ ? 'http'
246
+ : 'https';
247
+ @$http_url or $http_url = $scheme .
248
+ '://' . $_SERVER['HTTP_HOST'] .
249
+ ':' .
250
+ $_SERVER['SERVER_PORT'] .
251
+ $_SERVER['REQUEST_URI'];
252
+ @$http_method or $http_method = $_SERVER['REQUEST_METHOD'];
253
+
254
+ // We weren't handed any parameters, so let's find the ones relevant to
255
+ // this request.
256
+ // If you run XML-RPC or similar you should use this to provide your own
257
+ // parsed parameter-list
258
+ if (!$parameters) {
259
+ // Find request headers
260
+ $request_headers = WPOAuthUtil::get_headers();
261
+
262
+ // Parse the query-string to find GET parameters
263
+ $parameters = WPOAuthUtil::parse_parameters($_SERVER['QUERY_STRING']);
264
+
265
+ // It's a POST request of the proper content-type, so parse POST
266
+ // parameters and add those overriding any duplicates from GET
267
+ if ($http_method == "POST"
268
+ && @strstr($request_headers["Content-Type"],
269
+ "application/x-www-form-urlencoded")
270
+ ) {
271
+ $post_data = WPOAuthUtil::parse_parameters(
272
+ file_get_contents(self::$POST_INPUT)
273
+ );
274
+ $parameters = array_merge($parameters, $post_data);
275
+ }
276
+
277
+ // We have a Authorization-header with OAuth data. Parse the header
278
+ // and add those overriding any duplicates from GET or POST
279
+ if (@substr($request_headers['Authorization'], 0, 6) == "OAuth ") {
280
+ $header_parameters = WPOAuthUtil::split_header(
281
+ $request_headers['Authorization']
282
+ );
283
+ $parameters = array_merge($parameters, $header_parameters);
284
+ }
285
+
286
+ }
287
+
288
+ return new WPOAuthRequest($http_method, $http_url, $parameters);
289
+ }
290
+
291
+ /**
292
+ * pretty much a helper function to set up the request
293
+ */
294
+ public static function from_consumer_and_token($consumer, $token, $http_method, $http_url, $parameters=NULL) {
295
+ @$parameters or $parameters = array();
296
+ $defaults = array("oauth_version" => WPOAuthRequest::$version,
297
+ "oauth_nonce" => WPOAuthRequest::generate_nonce(),
298
+ "oauth_timestamp" => WPOAuthRequest::generate_timestamp(),
299
+ "oauth_consumer_key" => $consumer->key);
300
+ if ($token)
301
+ $defaults['oauth_token'] = $token->key;
302
+
303
+ $parameters = array_merge($defaults, $parameters);
304
+
305
+ return new WPOAuthRequest($http_method, $http_url, $parameters);
306
+ }
307
+
308
+ public function set_parameter($name, $value, $allow_duplicates = true) {
309
+ if ($allow_duplicates && isset($this->parameters[$name])) {
310
+ // We have already added parameter(s) with this name, so add to the list
311
+ if (is_scalar($this->parameters[$name])) {
312
+ // This is the first duplicate, so transform scalar (string)
313
+ // into an array so we can add the duplicates
314
+ $this->parameters[$name] = array($this->parameters[$name]);
315
+ }
316
+
317
+ $this->parameters[$name][] = $value;
318
+ } else {
319
+ $this->parameters[$name] = $value;
320
+ }
321
+ }
322
+
323
+ public function get_parameter($name) {
324
+ return isset($this->parameters[$name]) ? $this->parameters[$name] : null;
325
+ }
326
+
327
+ public function get_parameters() {
328
+ return $this->parameters;
329
+ }
330
+
331
+ public function unset_parameter($name) {
332
+ unset($this->parameters[$name]);
333
+ }
334
+
335
+ /**
336
+ * The request parameters, sorted and concatenated into a normalized string.
337
+ * @return string
338
+ */
339
+ public function get_signable_parameters() {
340
+ // Grab all parameters
341
+ $params = $this->parameters;
342
+
343
+ // Remove oauth_signature if present
344
+ // Ref: Spec: 9.1.1 ("The oauth_signature parameter MUST be excluded.")
345
+ if (isset($params['oauth_signature'])) {
346
+ unset($params['oauth_signature']);
347
+ }
348
+
349
+ return WPOAuthUtil::build_http_query($params);
350
+ }
351
+
352
+ /**
353
+ * Returns the base string of this request
354
+ *
355
+ * The base string defined as the method, the url
356
+ * and the parameters (normalized), each urlencoded
357
+ * and the concated with &.
358
+ */
359
+ public function get_signature_base_string() {
360
+ $parts = array(
361
+ $this->get_normalized_http_method(),
362
+ $this->get_normalized_http_url(),
363
+ $this->get_signable_parameters()
364
+ );
365
+
366
+ $parts = WPOAuthUtil::urlencode_rfc3986($parts);
367
+
368
+ return implode('&', $parts);
369
+ }
370
+
371
+ /**
372
+ * just uppercases the http method
373
+ */
374
+ public function get_normalized_http_method() {
375
+ return strtoupper($this->http_method);
376
+ }
377
+
378
+ /**
379
+ * parses the url and rebuilds it to be
380
+ * scheme://host/path
381
+ */
382
+ public function get_normalized_http_url() {
383
+ $parts = parse_url($this->http_url);
384
+
385
+ $port = @$parts['port'];
386
+ $scheme = @$parts['scheme'];
387
+ $host = @$parts['host'];
388
+ $path = @$parts['path'];
389
+
390
+ $port or $port = ($scheme == 'https') ? '443' : '80';
391
+
392
+ if (($scheme == 'https' && $port != '443')
393
+ || ($scheme == 'http' && $port != '80')) {
394
+ $host = "$host:$port";
395
+ }
396
+ return "$scheme://$host$path";
397
+ }
398
+
399
+ /**
400
+ * builds a url usable for a GET request
401
+ */
402
+ public function to_url() {
403
+ $post_data = $this->to_postdata();
404
+ $out = $this->get_normalized_http_url();
405
+ if ($post_data) {
406
+ $out .= '?'.$post_data;
407
+ }
408
+ return $out;
409
+ }
410
+
411
+ /**
412
+ * builds the data one would send in a POST request
413
+ */
414
+ public function to_postdata() {
415
+ return WPOAuthUtil::build_http_query($this->parameters);
416
+ }
417
+
418
+ /**
419
+ * builds the Authorization: header
420
+ */
421
+ public function to_header($realm=null) {
422
+ $first = true;
423
+ if($realm) {
424
+ $out = 'Authorization: OAuth realm="' . WPOAuthUtil::urlencode_rfc3986($realm) . '"';
425
+ $first = false;
426
+ } else
427
+ $out = 'Authorization: OAuth';
428
+
429
+ $total = array();
430
+ foreach ($this->parameters as $k => $v) {
431
+ if (substr($k, 0, 5) != "oauth") continue;
432
+ if (is_array($v)) {
433
+ throw new WPOAuthException('Arrays not supported in headers');
434
+ }
435
+ $out .= ($first) ? ' ' : ',';
436
+ $out .= WPOAuthUtil::urlencode_rfc3986($k) .
437
+ '="' .
438
+ WPOAuthUtil::urlencode_rfc3986($v) .
439
+ '"';
440
+ $first = false;
441
+ }
442
+ return $out;
443
+ }
444
+
445
+ public function __toString() {
446
+ return $this->to_url();
447
+ }
448
+
449
+
450
+ public function sign_request($signature_method, $consumer, $token) {
451
+ $this->set_parameter(
452
+ "oauth_signature_method",
453
+ $signature_method->get_name(),
454
+ false
455
+ );
456
+ $signature = $this->build_signature($signature_method, $consumer, $token);
457
+ $this->set_parameter("oauth_signature", $signature, false);
458
+ }
459
+
460
+ public function build_signature($signature_method, $consumer, $token) {
461
+ $signature = $signature_method->build_signature($this, $consumer, $token);
462
+ return $signature;
463
+ }
464
+
465
+ /**
466
+ * util function: current timestamp
467
+ */
468
+ private static function generate_timestamp() {
469
+ return time();
470
+ }
471
+
472
+ /**
473
+ * util function: current nonce
474
+ */
475
+ private static function generate_nonce() {
476
+ $mt = microtime();
477
+ $rand = mt_rand();
478
+
479
+ return md5($mt . $rand); // md5s look nicer than numbers
480
+ }
481
+ }
482
+
483
+ class WPOAuthServer {
484
+ protected $timestamp_threshold = 300; // in seconds, five minutes
485
+ protected $version = '1.0'; // hi blaine
486
+ protected $signature_methods = array();
487
+
488
+ protected $data_store;
489
+
490
+ function __construct($data_store) {
491
+ $this->data_store = $data_store;
492
+ }
493
+
494
+ public function add_signature_method($signature_method) {
495
+ $this->signature_methods[$signature_method->get_name()] =
496
+ $signature_method;
497
+ }
498
+
499
+ // high level functions
500
+
501
+ /**
502
+ * process a request_token request
503
+ * returns the request token on success
504
+ */
505
+ public function fetch_request_token(&$request) {
506
+ $this->get_version($request);
507
+
508
+ $consumer = $this->get_consumer($request);
509
+
510
+ // no token required for the initial token request
511
+ $token = NULL;
512
+
513
+ $this->check_signature($request, $consumer, $token);
514
+
515
+ // Rev A change
516
+ $callback = $request->get_parameter('oauth_callback');
517
+ $new_token = $this->data_store->new_request_token($consumer, $callback);
518
+
519
+ return $new_token;
520
+ }
521
+
522
+ /**
523
+ * process an access_token request
524
+ * returns the access token on success
525
+ */
526
+ public function fetch_access_token(&$request) {
527
+ $this->get_version($request);
528
+
529
+ $consumer = $this->get_consumer($request);
530
+
531
+ // requires authorized request token
532
+ $token = $this->get_token($request, $consumer, "request");
533
+
534
+ $this->check_signature($request, $consumer, $token);
535
+
536
+ // Rev A change
537
+ $verifier = $request->get_parameter('oauth_verifier');
538
+ $new_token = $this->data_store->new_access_token($token, $consumer, $verifier);
539
+
540
+ return $new_token;
541
+ }
542
+
543
+ /**
544
+ * verify an api call, checks all the parameters
545
+ */
546
+ public function verify_request(&$request) {
547
+ $this->get_version($request);
548
+ $consumer = $this->get_consumer($request);
549
+ $token = $this->get_token($request, $consumer, "access");
550
+ $this->check_signature($request, $consumer, $token);
551
+ return array($consumer, $token);
552
+ }
553
+
554
+ // Internals from here
555
+ /**
556
+ * version 1
557
+ */
558
+ private function get_version(&$request) {
559
+ $version = $request->get_parameter("oauth_version");
560
+ if (!$version) {
561
+ // Service Providers MUST assume the protocol version to be 1.0 if this parameter is not present.
562
+ // Chapter 7.0 ("Accessing Protected Ressources")
563
+ $version = '1.0';
564
+ }
565
+ if ($version !== $this->version) {
566
+ throw new WPOAuthException("OAuth version '$version' not supported");
567
+ }
568
+ return $version;
569
+ }
570
+
571
+ /**
572
+ * figure out the signature with some defaults
573
+ */
574
+ private function get_signature_method(&$request) {
575
+ $signature_method =
576
+ @$request->get_parameter("oauth_signature_method");
577
+
578
+ if (!$signature_method) {
579
+ // According to chapter 7 ("Accessing Protected Ressources") the signature-method
580
+ // parameter is required, and we can't just fallback to PLAINTEXT
581
+ throw new WPOAuthException('No signature method parameter. This parameter is required');
582
+ }
583
+
584
+ if (!in_array($signature_method,
585
+ array_keys($this->signature_methods))) {
586
+ throw new WPOAuthException(
587
+ "Signature method '$signature_method' not supported " .
588
+ "try one of the following: " .
589
+ implode(", ", array_keys($this->signature_methods))
590
+ );
591
+ }
592
+ return $this->signature_methods[$signature_method];
593
+ }
594
+
595
+ /**
596
+ * try to find the consumer for the provided request's consumer key
597
+ */
598
+ private function get_consumer(&$request) {
599
+ $consumer_key = @$request->get_parameter("oauth_consumer_key");
600
+ if (!$consumer_key) {
601
+ throw new WPOAuthException("Invalid consumer key");
602
+ }
603
+
604
+ $consumer = $this->data_store->lookup_consumer($consumer_key);
605
+ if (!$consumer) {
606
+ throw new WPOAuthException("Invalid consumer");
607
+ }
608
+
609
+ return $consumer;
610
+ }
611
+
612
+ /**
613
+ * try to find the token for the provided request's token key
614
+ */
615
+ private function get_token(&$request, $consumer, $token_type="access") {
616
+ $token_field = @$request->get_parameter('oauth_token');
617
+ $token = $this->data_store->lookup_token(
618
+ $consumer, $token_type, $token_field
619
+ );
620
+ if (!$token) {
621
+ throw new WPOAuthException("Invalid $token_type token: $token_field");
622
+ }
623
+ return $token;
624
+ }
625
+
626
+ /**
627
+ * all-in-one function to check the signature on a request
628
+ * should guess the signature method appropriately
629
+ */
630
+ private function check_signature(&$request, $consumer, $token) {
631
+ // this should probably be in a different method
632
+ $timestamp = @$request->get_parameter('oauth_timestamp');
633
+ $nonce = @$request->get_parameter('oauth_nonce');
634
+
635
+ $this->check_timestamp($timestamp);
636
+ $this->check_nonce($consumer, $token, $nonce, $timestamp);
637
+
638
+ $signature_method = $this->get_signature_method($request);
639
+
640
+ $signature = $request->get_parameter('oauth_signature');
641
+ $valid_sig = $signature_method->check_signature(
642
+ $request,
643
+ $consumer,
644
+ $token,
645
+ $signature
646
+ );
647
+
648
+ if (!$valid_sig) {
649
+ throw new WPOAuthException("Invalid signature");
650
+ }
651
+ }
652
+
653
+ /**
654
+ * check that the timestamp is new enough
655
+ */
656
+ private function check_timestamp($timestamp) {
657
+ if( ! $timestamp )
658
+ throw new WPOAuthException(
659
+ 'Missing timestamp parameter. The parameter is required'
660
+ );
661
+
662
+ // verify that timestamp is recentish
663
+ $now = time();
664
+ if (abs($now - $timestamp) > $this->timestamp_threshold) {
665
+ throw new WPOAuthException(
666
+ "Expired timestamp, yours $timestamp, ours $now"
667
+ );
668
+ }
669
+ }
670
+
671
+ /**
672
+ * check that the nonce is not repeated
673
+ */
674
+ private function check_nonce($consumer, $token, $nonce, $timestamp) {
675
+ if( ! $nonce )
676
+ throw new WPOAuthException(
677
+ 'Missing nonce parameter. The parameter is required'
678
+ );
679
+
680
+ // verify that the nonce is uniqueish
681
+ $found = $this->data_store->lookup_nonce(
682
+ $consumer,
683
+ $token,
684
+ $nonce,
685
+ $timestamp
686
+ );
687
+ if ($found) {
688
+ throw new WPOAuthException("Nonce already used: $nonce");
689
+ }
690
+ }
691
+
692
+ }
693
+
694
+ class WPOAuthDataStore {
695
+ function lookup_consumer($consumer_key) {
696
+ // implement me
697
+ }
698
+
699
+ function lookup_token($consumer, $token_type, $token) {
700
+ // implement me
701
+ }
702
+
703
+ function lookup_nonce($consumer, $token, $nonce, $timestamp) {
704
+ // implement me
705
+ }
706
+
707
+ function new_request_token($consumer, $callback = null) {
708
+ // return a new token attached to this consumer
709
+ }
710
+
711
+ function new_access_token($token, $consumer, $verifier = null) {
712
+ // return a new access token attached to this consumer
713
+ // for the user associated with this token if the request token
714
+ // is authorized
715
+ // should also invalidate the request token
716
+ }
717
+
718
+ }
719
+
720
+ class WPOAuthUtil {
721
+ public static function urlencode_rfc3986($input) {
722
+ if (is_array($input)) {
723
+ return array_map(array('WPOAuthUtil', 'urlencode_rfc3986'), $input);
724
+ } else if (is_scalar($input)) {
725
+ return str_replace(
726
+ '+',
727
+ ' ',
728
+ str_replace('%7E', '~', rawurlencode($input))
729
+ );
730
+ } else {
731
+ return '';
732
+ }
733
+ }
734
+
735
+
736
+ // This decode function isn't taking into consideration the above
737
+ // modifications to the encoding process. However, this method doesn't
738
+ // seem to be used anywhere so leaving it as is.
739
+ public static function urldecode_rfc3986($string) {
740
+ return urldecode($string);
741
+ }
742
+
743
+ // Utility function for turning the Authorization: header into
744
+ // parameters, has to do some unescaping
745
+ // Can filter out any non-oauth parameters if needed (default behaviour)
746
+ public static function split_header($header, $only_allow_oauth_parameters = true) {
747
+ $pattern = '/(([-_a-z]*)=("([^"]*)"|([^,]*)),?)/';
748
+ $offset = 0;
749
+ $params = array();
750
+ while (preg_match($pattern, $header, $matches, PREG_OFFSET_CAPTURE, $offset) > 0) {
751
+ $match = $matches[0];
752
+ $header_name = $matches[2][0];
753
+ $header_content = (isset($matches[5])) ? $matches[5][0] : $matches[4][0];
754
+ if (preg_match('/^oauth_/', $header_name) || !$only_allow_oauth_parameters) {
755
+ $params[$header_name] = WPOAuthUtil::urldecode_rfc3986($header_content);
756
+ }
757
+ $offset = $match[1] + strlen($match[0]);
758
+ }
759
+
760
+ if (isset($params['realm'])) {
761
+ unset($params['realm']);
762
+ }
763
+
764
+ return $params;
765
+ }
766
+
767
+ // helper to try to sort out headers for people who aren't running apache
768
+ public static function get_headers() {
769
+ if (function_exists('apache_request_headers')) {
770
+ // we need this to get the actual Authorization: header
771
+ // because apache tends to tell us it doesn't exist
772
+ $headers = apache_request_headers();
773
+
774
+ // sanitize the output of apache_request_headers because
775
+ // we always want the keys to be Cased-Like-This and arh()
776
+ // returns the headers in the same case as they are in the
777
+ // request
778
+ $out = array();
779
+ foreach( $headers AS $key => $value ) {
780
+ $key = str_replace(
781
+ " ",
782
+ "-",
783
+ ucwords(strtolower(str_replace("-", " ", $key)))
784
+ );
785
+ $out[$key] = $value;
786
+ }
787
+ } else {
788
+ // otherwise we don't have apache and are just going to have to hope
789
+ // that $_SERVER actually contains what we need
790
+ $out = array();
791
+ if( isset($_SERVER['CONTENT_TYPE']) )
792
+ $out['Content-Type'] = $_SERVER['CONTENT_TYPE'];
793
+ if( isset($_ENV['CONTENT_TYPE']) )
794
+ $out['Content-Type'] = $_ENV['CONTENT_TYPE'];
795
+
796
+ foreach ($_SERVER as $key => $value) {
797
+ if (substr($key, 0, 5) == "HTTP_") {
798
+ // this is chaos, basically it is just there to capitalize the first
799
+ // letter of every word that is not an initial HTTP and strip HTTP
800
+ // code from przemek
801
+ $key = str_replace(
802
+ " ",
803
+ "-",
804
+ ucwords(strtolower(str_replace("_", " ", substr($key, 5))))
805
+ );
806
+ $out[$key] = $value;
807
+ }
808
+ }
809
+ }
810
+ return $out;
811
+ }
812
+
813
+ // This function takes a input like a=b&a=c&d=e and returns the parsed
814
+ // parameters like this
815
+ // array('a' => array('b','c'), 'd' => 'e')
816
+ public static function parse_parameters( $input ) {
817
+ if (!isset($input) || !$input) return array();
818
+
819
+ $pairs = explode('&', $input);
820
+
821
+ $parsed_parameters = array();
822
+ foreach ($pairs as $pair) {
823
+ $split = explode('=', $pair, 2);
824
+ $parameter = WPOAuthUtil::urldecode_rfc3986($split[0]);
825
+ $value = isset($split[1]) ? WPOAuthUtil::urldecode_rfc3986($split[1]) : '';
826
+
827
+ if (isset($parsed_parameters[$parameter])) {
828
+ // We have already recieved parameter(s) with this name, so add to the list
829
+ // of parameters with this name
830
+
831
+ if (is_scalar($parsed_parameters[$parameter])) {
832
+ // This is the first duplicate, so transform scalar (string) into an array
833
+ // so we can add the duplicates
834
+ $parsed_parameters[$parameter] = array($parsed_parameters[$parameter]);
835
+ }
836
+
837
+ $parsed_parameters[$parameter][] = $value;
838
+ } else {
839
+ $parsed_parameters[$parameter] = $value;
840
+ }
841
+ }
842
+ return $parsed_parameters;
843
+ }
844
+
845
+ public static function build_http_query($params) {
846
+ if (!$params) return '';
847
+
848
+ // Urlencode both keys and values
849
+ $keys = WPOAuthUtil::urlencode_rfc3986(array_keys($params));
850
+ $values = WPOAuthUtil::urlencode_rfc3986(array_values($params));
851
+ $params = array_combine($keys, $values);
852
+
853
+ // Parameters are sorted by name, using lexicographical byte value ordering.
854
+ // Ref: Spec: 9.1.1 (1)
855
+ uksort($params, 'strcmp');
856
+
857
+ $pairs = array();
858
+ foreach ($params as $parameter => $value) {
859
+ if (is_array($value)) {
860
+ // If two or more parameters share the same name, they are sorted by their value
861
+ // Ref: Spec: 9.1.1 (1)
862
+ natsort($value);
863
+ foreach ($value as $duplicate_value) {
864
+ $pairs[] = $parameter . '=' . $duplicate_value;
865
+ }
866
+ } else {
867
+ $pairs[] = $parameter . '=' . $value;
868
+ }
869
+ }
870
+ // For each parameter, the name is separated from the corresponding value by an '=' character (ASCII code 61)
871
+ // Each name-value pair is separated by an '&' character (ASCII code 38)
872
+ return implode('&', $pairs);
873
+ }
874
+ }
875
+
876
+ } // class_exists check
functions.php CHANGED
@@ -1,377 +1,378 @@
1
- <?php
2
- // This file contains secondary functions supporting WP to Twitter
3
- // These functions don't perform any WP to Twitter actions, but are sometimes called for when
4
- // support for primary functions is lacking.
5
-
6
- if ( version_compare( $wp_version,"2.9.3",">" )) {
7
- if (!class_exists('WP_Http')) {
8
- require_once( ABSPATH.WPINC.'/class-http.php' );
9
- }
10
- }
11
-
12
- function jd_remote_json( $url, $array=true ) {
13
- $input = jd_fetch_url( $url );
14
- $obj = json_decode($input, $array );
15
- return $obj;
16
- // TODO: some error handling ?
17
- }
18
-
19
- function is_valid_url( $url ) {
20
- if (is_string($url)) {
21
- $url = urldecode($url);
22
- return preg_match('|^http(s)?://[a-z0-9-]+(.[a-z0-9-]+)*(:[0-9]+)?(/.*)?$|i', $url);
23
- } else {
24
- return false;
25
- }
26
- }
27
- // Fetch a remote page. Input url, return content
28
- function jd_fetch_url( $url, $method='GET', $body='', $headers='', $return='body' ) {
29
- $request = new WP_Http;
30
- $result = $request->request( $url , array( 'method'=>$method, 'body'=>$body, 'headers'=>$headers, 'user-agent'=>'WP to Twitter http://www.joedolson.com/articles/wp-to-twitter/' ) );
31
- // Success?
32
- if ( !is_wp_error($result) && isset($result['body']) ) {
33
- if ( $result['response']['code'] == 200 ) {
34
- if ($return == 'body') {
35
- return $result['body'];
36
- } else {
37
- return $result;
38
- }
39
- } else {
40
- return $result['response']['code'];
41
- }
42
- // Failure (server problem...)
43
- } else {
44
- return false;
45
- }
46
- }
47
-
48
- if (!function_exists('mb_strlen')) {
49
- function mb_strlen($data) {
50
- return strlen($data);
51
- }
52
- }
53
-
54
- if (!function_exists('mb_substr')) {
55
- function mb_substr($data,$start,$length = null, $encoding = null) {
56
- return substr($data,$start,$length);
57
- }
58
- }
59
-
60
- // str_ireplace substitution for PHP4
61
- if ( !function_exists( 'str_ireplace' ) ) {
62
- function str_ireplace( $needle, $str, $haystack ) {
63
- $needle = preg_quote( $needle, '/' );
64
- return preg_replace( "/$needle/i", $str, $haystack );
65
- }
66
- }
67
- // str_split substitution for PHP4
68
- if( !function_exists( 'str_split' ) ) {
69
- function str_split( $string,$string_length=1 ) {
70
- if( strlen( $string )>$string_length || !$string_length ) {
71
- do {
72
- $c = strlen($string);
73
- $parts[] = substr($string,0,$string_length);
74
- $string = substr($string,$string_length);
75
- } while($string !== false);
76
- } else {
77
- $parts = array($string);
78
- }
79
- return $parts;
80
- }
81
- }
82
- // mb_substr_replace substition for PHP4
83
- if ( !function_exists( 'mb_substr_replace' ) ) {
84
- function mb_substr_replace( $string, $replacement, $start, $length = null, $encoding = null ) {
85
- if ( extension_loaded( 'mbstring' ) === true ) {
86
- $string_length = (is_null($encoding) === true) ? mb_strlen($string) : mb_strlen($string, $encoding);
87
- if ( $start < 0 ) {
88
- $start = max(0, $string_length + $start);
89
- } else if ( $start > $string_length ) {
90
- $start = $string_length;
91
- }
92
- if ( $length < 0 ) {
93
- $length = max( 0, $string_length - $start + $length );
94
- } else if ( ( is_null( $length ) === true ) || ( $length > $string_length ) ) {
95
- $length = $string_length;
96
- }
97
- if ( ( $start + $length ) > $string_length) {
98
- $length = $string_length - $start;
99
- }
100
- if ( is_null( $encoding ) === true) {
101
- return mb_substr( $string, 0, $start ) . $replacement . mb_substr( $string, $start + $length, $string_length - $start - $length );
102
- }
103
- return mb_substr( $string, 0, $start, $encoding ) . $replacement . mb_substr( $string, $start + $length, $string_length - $start - $length, $encoding );
104
- }
105
- return ( is_null( $length ) === true ) ? substr_replace( $string, $replacement, $start ) : substr_replace( $string, $replacement, $start, $length );
106
- }
107
- }
108
-
109
- function print_settings() {
110
- global $wpt_version;
111
-
112
- $bitlyapi = ( get_option ( 'bitlyapi' ) != '' )?"Saved.":"Blank.";
113
- $yourlsapi = ( get_option ( 'yourlsapi' ) != '' )?"Saved.":"Blank.";
114
- $post_type_settings = get_option('wpt_post_types');
115
- $group = array();
116
- if (is_array($post_type_settings)) {
117
- $post_types = array_keys($post_type_settings);
118
- foreach ($post_types as $type) {
119
- foreach ($post_type_settings[$type] as $key=>$value ) {
120
- $group[$type][$key] = $value;
121
- }
122
- }
123
- }
124
- $options = array(
125
- 'comment-published-update'=>get_option('comment-published-update'),
126
- 'comment-published-text'=>get_option('comment-published-text'),
127
-
128
- 'jd_twit_blogroll'=>get_option( 'jd_twit_blogroll' ),
129
-
130
- 'jd_shortener'=>get_option( 'jd_shortener' ),
131
-
132
- 'wtt_twitter_username'=>get_option( 'wtt_twitter_username' ),
133
- 'app_consumer_key'=>get_option('app_consumer_key'),
134
- 'app_consumer_secret'=>get_option('app_consumer_secret'),
135
- 'oauth_token'=>get_option('oauth_token'),
136
- 'oauth_token_secret'=>get_option('oauth_token_secret'),
137
-
138
- 'suprapi'=>get_option( 'suprapi' ),
139
- 'bitlylogin'=>get_option( 'bitlylogin' ),
140
- 'bitlyapi'=>$bitlyapi,
141
- 'yourlsapi'=>$yourlsapi,
142
- 'yourlspath'=>get_option( 'yourlspath' ),
143
- 'yourlsurl' =>get_option( 'yourlsurl' ),
144
- 'yourlslogin'=>get_option( 'yourlslogin' ),
145
- 'jd_keyword_format'=>get_option( 'jd_keyword_format' ),
146
-
147
- 'jd_strip_nonan'=>get_option( 'jd_strip_nonan' ),
148
- 'jd_replace_character'=>get_option( 'jd_replace_character' ),
149
- 'jd_max_tags'=>get_option('jd_max_tags'),
150
- 'jd_max_characters'=>get_option('jd_max_characters'),
151
- 'jd_post_excerpt'=>get_option( 'jd_post_excerpt' ),
152
- 'jd_date_format'=>get_option( 'jd_date_format' ),
153
- 'jd_twit_prepend'=>get_option( 'jd_twit_prepend' ),
154
- 'jd_twit_append'=>get_option( 'jd_twit_append' ),
155
- 'jd_twit_custom_url'=>get_option( 'jd_twit_custom_url' ),
156
-
157
- 'jd_tweet_default'=>get_option( 'jd_tweet_default' ),
158
- 'jd_twit_remote'=>get_option( 'jd_twit_remote' ),
159
-
160
- 'use-twitter-analytics'=>get_option( 'use-twitter-analytics' ),
161
- 'twitter-analytics-campaign'=>get_option( 'twitter-analytics-campaign' ),
162
- 'use_dynamic_analytics'=>get_option( 'use_dynamic_analytics' ),
163
- 'jd_dynamic_analytics'=>get_option( 'jd_dynamic_analytics' ),
164
-
165
- 'jd_individual_twitter_users'=>get_option( 'jd_individual_twitter_users' ),
166
- 'wtt_user_permissions'=>get_option('wtt_user_permissions'),
167
-
168
- 'wp_twitter_failure'=>get_option( 'wp_twitter_failure' ),
169
- 'wp_url_failure' =>get_option( 'wp_url_failure' ),
170
- 'wp_bitly_error'=>get_option( 'wp_bitly_error' ),
171
- 'wp_supr_error'=>get_option( 'wp_supr_error' ),
172
- 'wp_to_twitter_version'=>get_option( 'wp_to_twitter_version'),
173
-
174
- 'disable_url_failure'=>get_option('disable_url_failure' ),
175
- 'disable_twitter_failure'=>get_option('disable_twitter_failure' ),
176
- 'disable_oauth_notice'=>get_option('disable_oauth_notice'),
177
- 'wp_debug_oauth'=>get_option('wp_debug_oauth'),
178
- 'jd_donations'=>get_option( 'jd_donations' ),
179
-
180
- 'tweet_categories'=>get_option('tweet_categories' ),
181
- 'limit_categories'=>get_option('limit_categories' ),
182
- 'twitterInitialised'=>get_option( 'twitterInitialised' )
183
- );
184
- echo "<div class=\"settings\">";
185
- echo "<strong>Raw Settings Output: Version $wpt_version</strong>";
186
- echo "<ol>";
187
- foreach ( $group as $key=>$value) {
188
- echo "<li><code>$key</code>:<ul>";
189
- foreach ( $value as $k=>$v ) {
190
- echo "<li><code>$k</code>: $v</li>";
191
- }
192
- echo "</ul></li>";
193
- }
194
- foreach ($options as $key=>$value) {
195
- echo "<li><code>$key</code>:$value</li>";
196
- }
197
-
198
- echo "</ol>";
199
- echo "<p>";
200
- _e( "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support.",'wp-to-twitter');
201
- echo "</p></div>";
202
- }
203
-
204
- function wtt_option_selected($field,$value,$type='checkbox') {
205
- switch ($type) {
206
- case 'radio':
207
- case 'checkbox':
208
- $result = ' checked="checked"';
209
- break;
210
- case 'option':
211
- $result = ' selected="selected"';
212
- break;
213
- }
214
- if ($field == $value) {
215
- $output = $result;
216
- } else {
217
- $output = '';
218
- }
219
- return $output;
220
- }
221
-
222
- function wpt_date_compare($early,$late) {
223
- $firstdate = strtotime($early);
224
- $lastdate = strtotime($late);
225
- if ($early <= $late ) { // if post_modified is before or equal to post_date
226
- return 1;
227
- } else {
228
- return 0;
229
- }
230
- }
231
-
232
- function wpt_get_support_form() {
233
- global $current_user, $wpt_version;
234
- get_currentuserinfo();
235
- $request = '';
236
- // send fields for WP to Twitter
237
- $license = ( get_option('wpt_license_key') != '' )?get_option('wpt_license_key'):'none';
238
- $license = "License Key: ".$license;
239
-
240
- $version = $wpt_version;
241
- $wtt_twitter_username = get_option('wtt_twitter_username');
242
- // send fields for all plugins
243
- $wp_version = get_bloginfo('version');
244
- $home_url = home_url();
245
- $wp_url = get_bloginfo('wpurl');
246
- $language = get_bloginfo('language');
247
- $charset = get_bloginfo('charset');
248
- // server
249
- $php_version = phpversion();
250
-
251
- $curl_init = ( function_exists('curl_init') )?'yes':'no';
252
- $curl_exec = ( function_exists('curl_exec') )?'yes':'no';
253
-
254
- // theme data
255
- if ( function_exists( 'wp_get_theme' ) ) {
256
- $theme = wp_get_theme();
257
- $theme_name = $theme->Name;
258
- $theme_uri = $theme->ThemeURI;
259
- $theme_parent = $theme->Template;
260
- $theme_version = $theme->Version;
261
- } else {
262
- $theme_path = get_stylesheet_directory().'/style.css';
263
- $theme = get_theme_data($theme_path);
264
- $theme_name = $theme['Name'];
265
- $theme_uri = $theme['ThemeURI'];
266
- $theme_parent = $theme['Template'];
267
- $theme_version = $theme['Version'];
268
- }
269
- // plugin data
270
- $plugins = get_plugins();
271
- $plugins_string = '';
272
- foreach( array_keys($plugins) as $key ) {
273
- if ( is_plugin_active( $key ) ) {
274
- $plugin =& $plugins[$key];
275
- $plugin_name = $plugin['Name'];
276
- $plugin_uri = $plugin['PluginURI'];
277
- $plugin_version = $plugin['Version'];
278
- $plugins_string .= "$plugin_name: $plugin_version; $plugin_uri\n";
279
- }
280
- }
281
- $data = "
282
- ================ Installation Data ====================
283
- ==WP to Twitter==
284
- Version: $version
285
- Twitter username: $wtt_twitter_username
286
- $license
287
-
288
- ==WordPress:==
289
- Version: $wp_version
290
- URL: $home_url
291
- Install: $wp_url
292
- Language: $language
293
- Charset: $charset
294
-
295
- ==Extra info:==
296
- PHP Version: $php_version
297
- Server Software: $_SERVER[SERVER_SOFTWARE]
298
- User Agent: $_SERVER[HTTP_USER_AGENT]
299
- cURL Init: $curl_init
300
- cURL Exec: $curl_exec
301
-
302
- ==Theme:==
303
- Name: $theme_name
304
- URI: $theme_uri
305
- Parent: $theme_parent
306
- Version: $theme_version
307
-
308
- ==Active Plugins:==
309
- $plugins_string
310
- ";
311
- if ( isset($_POST['wpt_support']) ) {
312
- $nonce=$_REQUEST['_wpnonce'];
313
- if (! wp_verify_nonce($nonce,'wp-to-twitter-nonce') ) die("Security check failed");
314
- $request = ( !empty($_POST['support_request']) )?stripslashes($_POST['support_request']):false;
315
- $has_donated = ( $_POST['has_donated'] == 'on')?"Donor":"No donation";
316
- $has_read_faq = ( $_POST['has_read_faq'] == 'on')?"Read FAQ":false;
317
- if ( function_exists( 'wpt_pro_exists' ) ) { $pro = " PRO"; } else { $pro = ''; }
318
- $subject = "WP to Twitter$pro support request. $has_donated";
319
- $message = $request ."\n\n". $data;
320
- $from = "From: \"$current_user->display_name\" <$current_user->user_email>\r\n";
321
-
322
- if ( !$has_read_faq ) {
323
- echo "<div class='message error'><p>".__('Please read the FAQ and other Help documents before making a support request.','wp-to-twitter')."</p></div>";
324
- } else if ( !$request ) {
325
- echo "<div class='message error'><p>".__('Please describe your problem. I\'m not psychic.','wp-to-twitter')."</p></div>";
326
- } else {
327
- wp_mail( "plugins@joedolson.com",$subject,$message,$from );
328
- if ( $has_donated == 'Donor' || $has_purchased == 'Purchaser' ) {
329
- echo "<div class='message updated'><p>".__('Thank you for supporting the continuing development of this plug-in! I\'ll get back to you as soon as I can.','wp-to-twitter')."</p></div>";
330
- } else {
331
- echo "<div class='message updated'><p>".__('I cannot provide free support, but will treat your request as a bug report, and will incorporate any permanent solutions I discover into the plug-in.','wp-to-twitter')."</p></div>";
332
- }
333
- }
334
- }
335
- if ( function_exists( 'wpt_pro_exists' ) ) { $checked="checked='checked'"; } else { $checked=''; }
336
- $admin_url = ( is_plugin_active('wp-tweets-pro/wpt-pro-functions.php') )?admin_url('admin.php?page=wp-tweets-pro'):admin_url('options-general.php?page=wp-to-twitter/wp-to-twitter.php');
337
-
338
- echo "
339
- <form method='post' action='$admin_url'>
340
- <div><input type='hidden' name='_wpnonce' value='".wp_create_nonce('wp-to-twitter-nonce')."' /></div>
341
- <div>";
342
- if ( function_exists( 'wpt_pro_exists' ) ) {
343
- echo "
344
- <p>".
345
- __('Please include your license key in your support request.','wp-to-twitter')
346
- ."</p>";
347
- } else {
348
- echo "
349
- <p>".
350
- __('<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message.','wp-to-twitter')
351
- ."</p>";
352
- }
353
- echo "
354
- <p>
355
- <code>".__('From:','wp-to-twitter')." \"$current_user->display_name\" &lt;$current_user->user_email&gt;</code>
356
- </p>
357
- <p>
358
- <input type='checkbox' name='has_read_faq' id='has_read_faq' value='on' /> <label for='has_read_faq'>".__('I have read <a href="http://www.joedolson.com/articles/wp-to-twitter/support-2/">the FAQ for this plug-in</a>.','wp-to-twitter')." <span>(required)</span></label>
359
- </p>
360
- <p>
361
- <input type='checkbox' name='has_donated' id='has_donated' value='on' $checked /> <label for='has_donated'>".__('I have <a href="http://www.joedolson.com/donate.php">made a donation to help support this plug-in</a>.','wp-to-twitter')."</label>
362
- </p>
363
- <p>
364
- <label for='support_request'>Support Request:</label><br /><textarea name='support_request' id='support_request' cols='80' rows='10'>".stripslashes($request)."</textarea>
365
- </p>
366
- <p>
367
- <input type='submit' value='".__('Send Support Request','wp-to-twitter')."' name='wpt_support' class='button-primary' />
368
- </p>
369
- <p>".
370
- __('The following additional information will be sent with your support request:','wp-to-twitter')
371
- ."</p>
372
- <div class='mc_support'>
373
- ".wpautop($data)."
374
- </div>
375
- </div>
376
- </form>";
 
377
  }
1
+ <?php
2
+ // This file contains secondary functions supporting WP to Twitter
3
+ // These functions don't perform any WP to Twitter actions, but are sometimes called for when
4
+ // support for primary functions is lacking.
5
+
6
+ if ( version_compare( $wp_version,"2.9.3",">" )) {
7
+ if (!class_exists('WP_Http')) {
8
+ require_once( ABSPATH.WPINC.'/class-http.php' );
9
+ }
10
+ }
11
+
12
+ function jd_remote_json( $url, $array=true ) {
13
+ $input = jd_fetch_url( $url );
14
+ $obj = json_decode($input, $array );
15
+ return $obj;
16
+ // TODO: some error handling ?
17
+ }
18
+
19
+ function is_valid_url( $url ) {
20
+ if (is_string($url)) {
21
+ $url = urldecode($url);
22
+ return preg_match('|^http(s)?://[a-z0-9-]+(.[a-z0-9-]+)*(:[0-9]+)?(/.*)?$|i', $url);
23
+ } else {
24
+ return false;
25
+ }
26
+ }
27
+ // Fetch a remote page. Input url, return content
28
+ function jd_fetch_url( $url, $method='GET', $body='', $headers='', $return='body' ) {
29
+ $request = new WP_Http;
30
+ $result = $request->request( $url , array( 'method'=>$method, 'body'=>$body, 'headers'=>$headers, 'user-agent'=>'WP to Twitter http://www.joedolson.com/articles/wp-to-twitter/' ) );
31
+ // Success?
32
+ if ( !is_wp_error($result) && isset($result['body']) ) {
33
+ if ( $result['response']['code'] == 200 ) {
34
+ if ($return == 'body') {
35
+ return $result['body'];
36
+ } else {
37
+ return $result;
38
+ }
39
+ } else {
40
+ return $result['response']['code'];
41
+ }
42
+ // Failure (server problem...)
43
+ } else {
44
+ return false;
45
+ }
46
+ }
47
+
48
+ if (!function_exists('mb_strlen')) {
49
+ function mb_strlen($data) {
50
+ return strlen($data);
51
+ }
52
+ }
53
+
54
+ if (!function_exists('mb_substr')) {
55
+ function mb_substr($data,$start,$length = null, $encoding = null) {
56
+ return substr($data,$start,$length);
57
+ }
58
+ }
59
+
60
+ // str_ireplace substitution for PHP4
61
+ if ( !function_exists( 'str_ireplace' ) ) {
62
+ function str_ireplace( $needle, $str, $haystack ) {
63
+ $needle = preg_quote( $needle, '/' );
64
+ return preg_replace( "/$needle/i", $str, $haystack );
65
+ }
66
+ }
67
+ // str_split substitution for PHP4
68
+ if( !function_exists( 'str_split' ) ) {
69
+ function str_split( $string,$string_length=1 ) {
70
+ if( strlen( $string )>$string_length || !$string_length ) {
71
+ do {
72
+ $c = strlen($string);
73
+ $parts[] = substr($string,0,$string_length);
74
+ $string = substr($string,$string_length);
75
+ } while($string !== false);
76
+ } else {
77
+ $parts = array($string);
78
+ }
79
+ return $parts;
80
+ }
81
+ }
82
+ // mb_substr_replace substition for PHP4
83
+ if ( !function_exists( 'mb_substr_replace' ) ) {
84
+ function mb_substr_replace( $string, $replacement, $start, $length = null, $encoding = null ) {
85
+ if ( extension_loaded( 'mbstring' ) === true ) {
86
+ $string_length = (is_null($encoding) === true) ? mb_strlen($string) : mb_strlen($string, $encoding);
87
+ if ( $start < 0 ) {
88
+ $start = max(0, $string_length + $start);
89
+ } else if ( $start > $string_length ) {
90
+ $start = $string_length;
91
+ }
92
+ if ( $length < 0 ) {
93
+ $length = max( 0, $string_length - $start + $length );
94
+ } else if ( ( is_null( $length ) === true ) || ( $length > $string_length ) ) {
95
+ $length = $string_length;
96
+ }
97
+ if ( ( $start + $length ) > $string_length) {
98
+ $length = $string_length - $start;
99
+ }
100
+ if ( is_null( $encoding ) === true) {
101
+ return mb_substr( $string, 0, $start ) . $replacement . mb_substr( $string, $start + $length, $string_length - $start - $length );
102
+ }
103
+ return mb_substr( $string, 0, $start, $encoding ) . $replacement . mb_substr( $string, $start + $length, $string_length - $start - $length, $encoding );
104
+ }
105
+ return ( is_null( $length ) === true ) ? substr_replace( $string, $replacement, $start ) : substr_replace( $string, $replacement, $start, $length );
106
+ }
107
+ }
108
+
109
+ function print_settings() {
110
+ global $wpt_version;
111
+
112
+ $bitlyapi = ( get_option ( 'bitlyapi' ) != '' )?"Saved.":"Blank.";
113
+ $yourlsapi = ( get_option ( 'yourlsapi' ) != '' )?"Saved.":"Blank.";
114
+ $post_type_settings = get_option('wpt_post_types');
115
+ $group = array();
116
+ if (is_array($post_type_settings)) {
117
+ $post_types = array_keys($post_type_settings);
118
+ foreach ($post_types as $type) {
119
+ foreach ($post_type_settings[$type] as $key=>$value ) {
120
+ $group[$type][$key] = $value;
121
+ }
122
+ }
123
+ }
124
+ $options = array(
125
+ 'comment-published-update'=>get_option('comment-published-update'),
126
+ 'comment-published-text'=>get_option('comment-published-text'),
127
+
128
+ 'jd_twit_blogroll'=>get_option( 'jd_twit_blogroll' ),
129
+
130
+ 'jd_shortener'=>get_option( 'jd_shortener' ),
131
+
132
+ 'wtt_twitter_username'=>get_option( 'wtt_twitter_username' ),
133
+ 'app_consumer_key'=>get_option('app_consumer_key'),
134
+ 'app_consumer_secret'=>get_option('app_consumer_secret'),
135
+ 'oauth_token'=>get_option('oauth_token'),
136
+ 'oauth_token_secret'=>get_option('oauth_token_secret'),
137
+
138
+ 'suprapi'=>get_option( 'suprapi' ),
139
+ 'bitlylogin'=>get_option( 'bitlylogin' ),
140
+ 'bitlyapi'=>$bitlyapi,
141
+ 'yourlsapi'=>$yourlsapi,
142
+ 'yourlspath'=>get_option( 'yourlspath' ),
143
+ 'yourlsurl' =>get_option( 'yourlsurl' ),
144
+ 'yourlslogin'=>get_option( 'yourlslogin' ),
145
+ 'jd_keyword_format'=>get_option( 'jd_keyword_format' ),
146
+
147
+ 'jd_strip_nonan'=>get_option( 'jd_strip_nonan' ),
148
+ 'jd_replace_character'=>get_option( 'jd_replace_character' ),
149
+ 'jd_max_tags'=>get_option('jd_max_tags'),
150
+ 'jd_max_characters'=>get_option('jd_max_characters'),
151
+ 'jd_post_excerpt'=>get_option( 'jd_post_excerpt' ),
152
+ 'jd_date_format'=>get_option( 'jd_date_format' ),
153
+ 'jd_twit_prepend'=>get_option( 'jd_twit_prepend' ),
154
+ 'jd_twit_append'=>get_option( 'jd_twit_append' ),
155
+ 'jd_twit_custom_url'=>get_option( 'jd_twit_custom_url' ),
156
+
157
+ 'jd_tweet_default'=>get_option( 'jd_tweet_default' ),
158
+ 'jd_tweet_default_edit'=>get_option( 'jd_tweet_default_edit' ),
159
+ 'jd_twit_remote'=>get_option( 'jd_twit_remote' ),
160
+
161
+ 'use-twitter-analytics'=>get_option( 'use-twitter-analytics' ),
162
+ 'twitter-analytics-campaign'=>get_option( 'twitter-analytics-campaign' ),
163
+ 'use_dynamic_analytics'=>get_option( 'use_dynamic_analytics' ),
164
+ 'jd_dynamic_analytics'=>get_option( 'jd_dynamic_analytics' ),
165
+
166
+ 'jd_individual_twitter_users'=>get_option( 'jd_individual_twitter_users' ),
167
+ 'wtt_user_permissions'=>get_option('wtt_user_permissions'),
168
+
169
+ 'wp_twitter_failure'=>get_option( 'wp_twitter_failure' ),
170
+ 'wp_url_failure' =>get_option( 'wp_url_failure' ),
171
+ 'wp_bitly_error'=>get_option( 'wp_bitly_error' ),
172
+ 'wp_supr_error'=>get_option( 'wp_supr_error' ),
173
+ 'wp_to_twitter_version'=>get_option( 'wp_to_twitter_version'),
174
+
175
+ 'disable_url_failure'=>get_option('disable_url_failure' ),
176
+ 'disable_twitter_failure'=>get_option('disable_twitter_failure' ),
177
+ 'disable_oauth_notice'=>get_option('disable_oauth_notice'),
178
+ 'wp_debug_oauth'=>get_option('wp_debug_oauth'),
179
+ 'jd_donations'=>get_option( 'jd_donations' ),
180
+
181
+ 'tweet_categories'=>get_option('tweet_categories' ),
182
+ 'limit_categories'=>get_option('limit_categories' ),
183
+ 'twitterInitialised'=>get_option( 'twitterInitialised' )
184
+ );
185
+ echo "<div class=\"settings\">";
186
+ echo "<strong>Raw Settings Output: Version $wpt_version</strong>";
187
+ echo "<ol>";
188
+ foreach ( $group as $key=>$value) {
189
+ echo "<li><code>$key</code>:<ul>";
190
+ foreach ( $value as $k=>$v ) {
191
+ echo "<li><code>$k</code>: $v</li>";
192
+ }
193
+ echo "</ul></li>";
194
+ }
195
+ foreach ($options as $key=>$value) {
196
+ echo "<li><code>$key</code>:$value</li>";
197
+ }
198
+
199
+ echo "</ol>";
200
+ echo "<p>";
201
+ _e( "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support.",'wp-to-twitter');
202
+ echo "</p></div>";
203
+ }
204
+
205
+ function wtt_option_selected($field,$value,$type='checkbox') {
206
+ switch ($type) {
207
+ case 'radio':
208
+ case 'checkbox':
209
+ $result = ' checked="checked"';
210
+ break;
211
+ case 'option':
212
+ $result = ' selected="selected"';
213
+ break;
214
+ }
215
+ if ($field == $value) {
216
+ $output = $result;
217
+ } else {
218
+ $output = '';
219
+ }
220
+ return $output;
221
+ }
222
+
223
+ function wpt_date_compare($early,$late) {
224
+ $firstdate = strtotime($early);
225
+ $lastdate = strtotime($late);
226
+ if ($early <= $late ) { // if post_modified is before or equal to post_date
227
+ return 1;
228
+ } else {
229
+ return 0;
230
+ }
231
+ }
232
+
233
+ function wpt_get_support_form() {
234
+ global $current_user, $wpt_version;
235
+ get_currentuserinfo();
236
+ $request = '';
237
+ // send fields for WP to Twitter
238
+ $license = ( get_option('wpt_license_key') != '' )?get_option('wpt_license_key'):'none';
239
+ $license = "License Key: ".$license;
240
+
241
+ $version = $wpt_version;
242
+ $wtt_twitter_username = get_option('wtt_twitter_username');
243
+ // send fields for all plugins
244
+ $wp_version = get_bloginfo('version');
245
+ $home_url = home_url();
246
+ $wp_url = get_bloginfo('wpurl');
247
+ $language = get_bloginfo('language');
248
+ $charset = get_bloginfo('charset');
249
+ // server
250
+ $php_version = phpversion();
251
+
252
+ $curl_init = ( function_exists('curl_init') )?'yes':'no';
253
+ $curl_exec = ( function_exists('curl_exec') )?'yes':'no';
254
+
255
+ // theme data
256
+ if ( function_exists( 'wp_get_theme' ) ) {
257
+ $theme = wp_get_theme();
258
+ $theme_name = $theme->Name;
259
+ $theme_uri = $theme->ThemeURI;
260
+ $theme_parent = $theme->Template;
261
+ $theme_version = $theme->Version;
262
+ } else {
263
+ $theme_path = get_stylesheet_directory().'/style.css';
264
+ $theme = get_theme_data($theme_path);
265
+ $theme_name = $theme['Name'];
266
+ $theme_uri = $theme['ThemeURI'];
267
+ $theme_parent = $theme['Template'];
268
+ $theme_version = $theme['Version'];
269
+ }
270
+ // plugin data
271
+ $plugins = get_plugins();
272
+ $plugins_string = '';
273
+ foreach( array_keys($plugins) as $key ) {
274
+ if ( is_plugin_active( $key ) ) {
275
+ $plugin =& $plugins[$key];
276
+ $plugin_name = $plugin['Name'];
277
+ $plugin_uri = $plugin['PluginURI'];
278
+ $plugin_version = $plugin['Version'];
279
+ $plugins_string .= "$plugin_name: $plugin_version; $plugin_uri\n";
280
+ }
281
+ }
282
+ $data = "
283
+ ================ Installation Data ====================
284
+ ==WP to Twitter==
285
+ Version: $version
286
+ Twitter username: $wtt_twitter_username
287
+ $license
288
+
289
+ ==WordPress:==
290
+ Version: $wp_version
291
+ URL: $home_url
292
+ Install: $wp_url
293
+ Language: $language
294
+ Charset: $charset
295
+
296
+ ==Extra info:==
297
+ PHP Version: $php_version
298
+ Server Software: $_SERVER[SERVER_SOFTWARE]
299
+ User Agent: $_SERVER[HTTP_USER_AGENT]
300
+ cURL Init: $curl_init
301
+ cURL Exec: $curl_exec
302
+
303
+ ==Theme:==
304
+ Name: $theme_name
305
+ URI: $theme_uri
306
+ Parent: $theme_parent
307
+ Version: $theme_version
308
+
309
+ ==Active Plugins:==
310
+ $plugins_string
311
+ ";
312
+ if ( isset($_POST['wpt_support']) ) {
313
+ $nonce=$_REQUEST['_wpnonce'];
314
+ if (! wp_verify_nonce($nonce,'wp-to-twitter-nonce') ) die("Security check failed");
315
+ $request = ( !empty($_POST['support_request']) )?stripslashes($_POST['support_request']):false;
316
+ $has_donated = ( $_POST['has_donated'] == 'on')?"Donor":"No donation";
317
+ $has_read_faq = ( $_POST['has_read_faq'] == 'on')?"Read FAQ":false;
318
+ if ( function_exists( 'wpt_pro_exists' ) ) { $pro = " PRO"; } else { $pro = ''; }
319
+ $subject = "WP to Twitter$pro support request. $has_donated";
320
+ $message = $request ."\n\n". $data;
321
+ $from = "From: \"$current_user->display_name\" <$current_user->user_email>\r\n";
322
+
323
+ if ( !$has_read_faq ) {
324
+ echo "<div class='message error'><p>".__('Please read the FAQ and other Help documents before making a support request.','wp-to-twitter')."</p></div>";
325
+ } else if ( !$request ) {
326
+ echo "<div class='message error'><p>".__('Please describe your problem. I\'m not psychic.','wp-to-twitter')."</p></div>";
327
+ } else {
328
+ wp_mail( "plugins@joedolson.com",$subject,$message,$from );
329
+ if ( $has_donated == 'Donor' || $has_purchased == 'Purchaser' ) {
330
+ echo "<div class='message updated'><p>".__('Thank you for supporting the continuing development of this plug-in! I\'ll get back to you as soon as I can.','wp-to-twitter')."</p></div>";
331
+ } else {
332
+ echo "<div class='message updated'><p>".__('I cannot provide free support, but will treat your request as a bug report, and will incorporate any permanent solutions I discover into the plug-in.','wp-to-twitter')."</p></div>";
333
+ }
334
+ }
335
+ }
336
+ if ( function_exists( 'wpt_pro_exists' ) ) { $checked="checked='checked'"; } else { $checked=''; }
337
+ $admin_url = ( is_plugin_active('wp-tweets-pro/wpt-pro-functions.php') )?admin_url('admin.php?page=wp-tweets-pro'):admin_url('options-general.php?page=wp-to-twitter/wp-to-twitter.php');
338
+
339
+ echo "
340
+ <form method='post' action='$admin_url'>
341
+ <div><input type='hidden' name='_wpnonce' value='".wp_create_nonce('wp-to-twitter-nonce')."' /></div>
342
+ <div>";
343
+ if ( function_exists( 'wpt_pro_exists' ) ) {
344
+ echo "
345
+ <p>".
346
+ __('Please include your license key in your support request.','wp-to-twitter')
347
+ ."</p>";
348
+ } else {
349
+ echo "
350
+ <p>".
351
+ __('<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message.','wp-to-twitter')
352
+ ."</p>";
353
+ }
354
+ echo "
355
+ <p>
356
+ <code>".__('From:','wp-to-twitter')." \"$current_user->display_name\" &lt;$current_user->user_email&gt;</code>
357
+ </p>
358
+ <p>
359
+ <input type='checkbox' name='has_read_faq' id='has_read_faq' value='on' /> <label for='has_read_faq'>".sprintf(__('I have read <a href="%1$s">the FAQ for this plug-in</a> <span>(required)</span>','wp-to-twitter'),'http://www.joedolson.com/articles/wp-to-twitter/support-2/')."
360
+ </p>
361
+ <p>
362
+ <input type='checkbox' name='has_donated' id='has_donated' value='on' $checked /> <label for='has_donated'>".sprintf(__('I have <a href="%1$s">made a donation to help support this plug-in</a>','wp-to-twitter'),'http://www.joedolson.com/donate.php')."</label>
363
+ </p>
364
+ <p>
365
+ <label for='support_request'>".__('Support Request:','wp-to-twitter')."</label><br /><textarea name='support_request' id='support_request' cols='80' rows='10'>".stripslashes($request)."</textarea>
366
+ </p>
367
+ <p>
368
+ <input type='submit' value='".__('Send Support Request','wp-to-twitter')."' name='wpt_support' class='button-primary' />
369
+ </p>
370
+ <p>".
371
+ __('The following additional information will be sent with your support request:','wp-to-twitter')
372
+ ."</p>
373
+ <div class='mc_support'>
374
+ ".wpautop($data)."
375
+ </div>
376
+ </div>
377
+ </form>";
378
  }
gpl.txt CHANGED
@@ -1,674 +1,674 @@
1
- GNU GENERAL PUBLIC LICENSE
2
- Version 3, 29 June 2007
3
-
4
- Copyright (C) 2007 Free Software Foundation, Inc. <http://fsf.org/>
5
- Everyone is permitted to copy and distribute verbatim copies
6
- of this license document, but changing it is not allowed.
7
-
8
- Preamble
9
-
10
- The GNU General Public License is a free, copyleft license for
11
- software and other kinds of works.
12
-
13
- The licenses for most software and other practical works are designed
14
- to take away your freedom to share and change the works. By contrast,
15
- the GNU General Public License is intended to guarantee your freedom to
16
- share and change all versions of a program--to make sure it remains free
17
- software for all its users. We, the Free Software Foundation, use the
18
- GNU General Public License for most of our software; it applies also to
19
- any other work released this way by its authors. You can apply it to
20
- your programs, too.
21
-
22
- When we speak of free software, we are referring to freedom, not
23
- price. Our General Public Licenses are designed to make sure that you
24
- have the freedom to distribute copies of free software (and charge for
25
- them if you wish), that you receive source code or can get it if you
26
- want it, that you can change the software or use pieces of it in new
27
- free programs, and that you know you can do these things.
28
-
29
- To protect your rights, we need to prevent others from denying you
30
- these rights or asking you to surrender the rights. Therefore, you have
31
- certain responsibilities if you distribute copies of the software, or if
32
- you modify it: responsibilities to respect the freedom of others.
33
-
34
- For example, if you distribute copies of such a program, whether
35
- gratis or for a fee, you must pass on to the recipients the same
36
- freedoms that you received. You must make sure that they, too, receive
37
- or can get the source code. And you must show them these terms so they
38
- know their rights.
39
-
40
- Developers that use the GNU GPL protect your rights with two steps:
41
- (1) assert copyright on the software, and (2) offer you this License
42
- giving you legal permission to copy, distribute and/or modify it.
43
-
44
- For the developers' and authors' protection, the GPL clearly explains
45
- that there is no warranty for this free software. For both users' and
46
- authors' sake, the GPL requires that modified versions be marked as
47
- changed, so that their problems will not be attributed erroneously to
48
- authors of previous versions.
49
-
50
- Some devices are designed to deny users access to install or run
51
- modified versions of the software inside them, although the manufacturer
52
- can do so. This is fundamentally incompatible with the aim of
53
- protecting users' freedom to change the software. The systematic
54
- pattern of such abuse occurs in the area of products for individuals to
55
- use, which is precisely where it is most unacceptable. Therefore, we
56
- have designed this version of the GPL to prohibit the practice for those
57
- products. If such problems arise substantially in other domains, we
58
- stand ready to extend this provision to those domains in future versions
59
- of the GPL, as needed to protect the freedom of users.
60
-
61
- Finally, every program is threatened constantly by software patents.
62
- States should not allow patents to restrict development and use of
63
- software on general-purpose computers, but in those that do, we wish to
64
- avoid the special danger that patents applied to a free program could
65
- make it effectively proprietary. To prevent this, the GPL assures that
66
- patents cannot be used to render the program non-free.
67
-
68
- The precise terms and conditions for copying, distribution and
69
- modification follow.
70
-
71
- TERMS AND CONDITIONS
72
-
73
- 0. Definitions.
74
-
75
- "This License" refers to version 3 of the GNU General Public License.
76
-
77
- "Copyright" also means copyright-like laws that apply to other kinds of
78
- works, such as semiconductor masks.
79
-
80
- "The Program" refers to any copyrightable work licensed under this
81
- License. Each licensee is addressed as "you". "Licensees" and
82
- "recipients" may be individuals or organizations.
83
-
84
- To "modify" a work means to copy from or adapt all or part of the work
85
- in a fashion requiring copyright permission, other than the making of an
86
- exact copy. The resulting work is called a "modified version" of the
87
- earlier work or a work "based on" the earlier work.
88
-
89
- A "covered work" means either the unmodified Program or a work based
90
- on the Program.
91
-
92
- To "propagate" a work means to do anything with it that, without
93
- permission, would make you directly or secondarily liable for
94
- infringement under applicable copyright law, except executing it on a
95
- computer or modifying a private copy. Propagation includes copying,
96
- distribution (with or without modification), making available to the
97
- public, and in some countries other activities as well.
98
-
99
- To "convey" a work means any kind of propagation that enables other
100
- parties to make or receive copies. Mere interaction with a user through
101
- a computer network, with no transfer of a copy, is not conveying.
102
-
103
- An interactive user interface displays "Appropriate Legal Notices"
104
- to the extent that it includes a convenient and prominently visible
105
- feature that (1) displays an appropriate copyright notice, and (2)
106
- tells the user that there is no warranty for the work (except to the
107
- extent that warranties are provided), that licensees may convey the
108
- work under this License, and how to view a copy of this License. If
109
- the interface presents a list of user commands or options, such as a
110
- menu, a prominent item in the list meets this criterion.
111
-
112
- 1. Source Code.
113
-
114
- The "source code" for a work means the preferred form of the work
115
- for making modifications to it. "Object code" means any non-source
116
- form of a work.
117
-
118
- A "Standard Interface" means an interface that either is an official
119
- standard defined by a recognized standards body, or, in the case of
120
- interfaces specified for a particular programming language, one that
121
- is widely used among developers working in that language.
122
-
123
- The "System Libraries" of an executable work include anything, other
124
- than the work as a whole, that (a) is included in the normal form of
125
- packaging a Major Component, but which is not part of that Major
126
- Component, and (b) serves only to enable use of the work with that
127
- Major Component, or to implement a Standard Interface for which an
128
- implementation is available to the public in source code form. A
129
- "Major Component", in this context, means a major essential component
130
- (kernel, window system, and so on) of the specific operating system
131
- (if any) on which the executable work runs, or a compiler used to
132
- produce the work, or an object code interpreter used to run it.
133
-
134
- The "Corresponding Source" for a work in object code form means all
135
- the source code needed to generate, install, and (for an executable
136
- work) run the object code and to modify the work, including scripts to
137
- control those activities. However, it does not include the work's
138
- System Libraries, or general-purpose tools or generally available free
139
- programs which are used unmodified in performing those activities but
140
- which are not part of the work. For example, Corresponding Source
141
- includes interface definition files associated with source files for
142
- the work, and the source code for shared libraries and dynamically
143
- linked subprograms that the work is specifically designed to require,
144
- such as by intimate data communication or control flow between those
145
- subprograms and other parts of the work.
146
-
147
- The Corresponding Source need not include anything that users
148
- can regenerate automatically from other parts of the Corresponding
149
- Source.
150
-
151
- The Corresponding Source for a work in source code form is that
152
- same work.
153
-
154
- 2. Basic Permissions.
155
-
156
- All rights granted under this License are granted for the term of
157
- copyright on the Program, and are irrevocable provided the stated
158
- conditions are met. This License explicitly affirms your unlimited
159
- permission to run the unmodified Program. The output from running a
160
- covered work is covered by this License only if the output, given its
161
- content, constitutes a covered work. This License acknowledges your
162
- rights of fair use or other equivalent, as provided by copyright law.
163
-
164
- You may make, run and propagate covered works that you do not
165
- convey, without conditions so long as your license otherwise remains
166
- in force. You may convey covered works to others for the sole purpose
167
- of having them make modifications exclusively for you, or provide you
168
- with facilities for running those works, provided that you comply with
169
- the terms of this License in conveying all material for which you do
170
- not control copyright. Those thus making or running the covered works
171
- for you must do so exclusively on your behalf, under your direction
172
- and control, on terms that prohibit them from making any copies of
173
- your copyrighted material outside their relationship with you.
174
-
175
- Conveying under any other circumstances is permitted solely under
176
- the conditions stated below. Sublicensing is not allowed; section 10
177
- makes it unnecessary.
178
-
179
- 3. Protecting Users' Legal Rights From Anti-Circumvention Law.
180
-
181
- No covered work shall be deemed part of an effective technological
182
- measure under any applicable law fulfilling obligations under article
183
- 11 of the WIPO copyright treaty adopted on 20 December 1996, or
184
- similar laws prohibiting or restricting circumvention of such
185
- measures.
186
-
187
- When you convey a covered work, you waive any legal power to forbid
188
- circumvention of technological measures to the extent such circumvention
189
- is effected by exercising rights under this License with respect to
190
- the covered work, and you disclaim any intention to limit operation or
191
- modification of the work as a means of enforcing, against the work's
192
- users, your or third parties' legal rights to forbid circumvention of
193
- technological measures.
194
-
195
- 4. Conveying Verbatim Copies.
196
-
197
- You may convey verbatim copies of the Program's source code as you
198
- receive it, in any medium, provided that you conspicuously and
199
- appropriately publish on each copy an appropriate copyright notice;
200
- keep intact all notices stating that this License and any
201
- non-permissive terms added in accord with section 7 apply to the code;
202
- keep intact all notices of the absence of any warranty; and give all
203
- recipients a copy of this License along with the Program.
204
-
205
- You may charge any price or no price for each copy that you convey,
206
- and you may offer support or warranty protection for a fee.
207
-
208
- 5. Conveying Modified Source Versions.
209
-
210
- You may convey a work based on the Program, or the modifications to
211
- produce it from the Program, in the form of source code under the
212
- terms of section 4, provided that you also meet all of these conditions:
213
-
214
- a) The work must carry prominent notices stating that you modified
215
- it, and giving a relevant date.
216
-
217
- b) The work must carry prominent notices stating that it is
218
- released under this License and any conditions added under section
219
- 7. This requirement modifies the requirement in section 4 to
220
- "keep intact all notices".
221
-
222
- c) You must license the entire work, as a whole, under this
223
- License to anyone who comes into possession of a copy. This
224
- License will therefore apply, along with any applicable section 7
225
- additional terms, to the whole of the work, and all its parts,
226
- regardless of how they are packaged. This License gives no
227
- permission to license the work in any other way, but it does not
228
- invalidate such permission if you have separately received it.
229
-
230
- d) If the work has interactive user interfaces, each must display
231
- Appropriate Legal Notices; however, if the Program has interactive
232
- interfaces that do not display Appropriate Legal Notices, your
233
- work need not make them do so.
234
-
235
- A compilation of a covered work with other separate and independent
236
- works, which are not by their nature extensions of the covered work,
237
- and which are not combined with it such as to form a larger program,
238
- in or on a volume of a storage or distribution medium, is called an
239
- "aggregate" if the compilation and its resulting copyright are not
240
- used to limit the access or legal rights of the compilation's users
241
- beyond what the individual works permit. Inclusion of a covered work
242
- in an aggregate does not cause this License to apply to the other
243
- parts of the aggregate.
244
-
245
- 6. Conveying Non-Source Forms.
246
-
247
- You may convey a covered work in object code form under the terms
248
- of sections 4 and 5, provided that you also convey the
249
- machine-readable Corresponding Source under the terms of this License,
250
- in one of these ways:
251
-
252
- a) Convey the object code in, or embodied in, a physical product
253
- (including a physical distribution medium), accompanied by the
254
- Corresponding Source fixed on a durable physical medium
255
- customarily used for software interchange.
256
-
257
- b) Convey the object code in, or embodied in, a physical product
258
- (including a physical distribution medium), accompanied by a
259
- written offer, valid for at least three years and valid for as
260
- long as you offer spare parts or customer support for that product
261
- model, to give anyone who possesses the object code either (1) a
262
- copy of the Corresponding Source for all the software in the
263
- product that is covered by this License, on a durable physical
264
- medium customarily used for software interchange, for a price no
265
- more than your reasonable cost of physically performing this
266
- conveying of source, or (2) access to copy the
267
- Corresponding Source from a network server at no charge.
268
-
269
- c) Convey individual copies of the object code with a copy of the
270
- written offer to provide the Corresponding Source. This
271
- alternative is allowed only occasionally and noncommercially, and
272
- only if you received the object code with such an offer, in accord
273
- with subsection 6b.
274
-
275
- d) Convey the object code by offering access from a designated
276
- place (gratis or for a charge), and offer equivalent access to the
277
- Corresponding Source in the same way through the same place at no
278
- further charge. You need not require recipients to copy the
279
- Corresponding Source along with the object code. If the place to
280
- copy the object code is a network server, the Corresponding Source
281
- may be on a different server (operated by you or a third party)
282
- that supports equivalent copying facilities, provided you maintain
283
- clear directions next to the object code saying where to find the
284
- Corresponding Source. Regardless of what server hosts the
285
- Corresponding Source, you remain obligated to ensure that it is
286
- available for as long as needed to satisfy these requirements.
287
-
288
- e) Convey the object code using peer-to-peer transmission, provided
289
- you inform other peers where the object code and Corresponding
290
- Source of the work are being offered to the general public at no
291
- charge under subsection 6d.
292
-
293
- A separable portion of the object code, whose source code is excluded
294
- from the Corresponding Source as a System Library, need not be
295
- included in conveying the object code work.
296
-
297
- A "User Product" is either (1) a "consumer product", which means any
298
- tangible personal property which is normally used for personal, family,
299
- or household purposes, or (2) anything designed or sold for incorporation
300
- into a dwelling. In determining whether a product is a consumer product,
301
- doubtful cases shall be resolved in favor of coverage. For a particular
302
- product received by a particular user, "normally used" refers to a
303
- typical or common use of that class of product, regardless of the status
304
- of the particular user or of the way in which the particular user
305
- actually uses, or expects or is expected to use, the product. A product
306
- is a consumer product regardless of whether the product has substantial
307
- commercial, industrial or non-consumer uses, unless such uses represent
308
- the only significant mode of use of the product.
309
-
310
- "Installation Information" for a User Product means any methods,
311
- procedures, authorization keys, or other information required to install
312
- and execute modified versions of a covered work in that User Product from
313
- a modified version of its Corresponding Source. The information must
314
- suffice to ensure that the continued functioning of the modified object
315
- code is in no case prevented or interfered with solely because
316
- modification has been made.
317
-
318
- If you convey an object code work under this section in, or with, or
319
- specifically for use in, a User Product, and the conveying occurs as
320
- part of a transaction in which the right of possession and use of the
321
- User Product is transferred to the recipient in perpetuity or for a
322
- fixed term (regardless of how the transaction is characterized), the
323
- Corresponding Source conveyed under this section must be accompanied
324
- by the Installation Information. But this requirement does not apply
325
- if neither you nor any third party retains the ability to install
326
- modified object code on the User Product (for example, the work has
327
- been installed in ROM).
328
-
329
- The requirement to provide Installation Information does not include a
330
- requirement to continue to provide support service, warranty, or updates
331
- for a work that has been modified or installed by the recipient, or for
332
- the User Product in which it has been modified or installed. Access to a
333
- network may be denied when the modification itself materially and
334
- adversely affects the operation of the network or violates the rules and
335
- protocols for communication across the network.
336
-
337
- Corresponding Source conveyed, and Installation Information provided,
338
- in accord with this section must be in a format that is publicly
339
- documented (and with an implementation available to the public in
340
- source code form), and must require no special password or key for
341
- unpacking, reading or copying.
342
-
343
- 7. Additional Terms.
344
-
345
- "Additional permissions" are terms that supplement the terms of this
346
- License by making exceptions from one or more of its conditions.
347
- Additional permissions that are applicable to the entire Program shall
348
- be treated as though they were included in this License, to the extent
349
- that they are valid under applicable law. If additional permissions
350
- apply only to part of the Program, that part may be used separately
351
- under those permissions, but the entire Program remains governed by
352
- this License without regard to the additional permissions.
353
-
354
- When you convey a copy of a covered work, you may at your option
355
- remove any additional permissions from that copy, or from any part of
356
- it. (Additional permissions may be written to require their own
357
- removal in certain cases when you modify the work.) You may place
358
- additional permissions on material, added by you to a covered work,
359
- for which you have or can give appropriate copyright permission.
360
-
361
- Notwithstanding any other provision of this License, for material you
362
- add to a covered work, you may (if authorized by the copyright holders of
363
- that material) supplement the terms of this License with terms:
364
-
365
- a) Disclaiming warranty or limiting liability differently from the
366
- terms of sections 15 and 16 of this License; or
367
-
368
- b) Requiring preservation of specified reasonable legal notices or
369
- author attributions in that material or in the Appropriate Legal
370
- Notices displayed by works containing it; or
371
-
372
- c) Prohibiting misrepresentation of the origin of that material, or
373
- requiring that modified versions of such material be marked in
374
- reasonable ways as different from the original version; or
375
-
376
- d) Limiting the use for publicity purposes of names of licensors or
377
- authors of the material; or
378
-
379
- e) Declining to grant rights under trademark law for use of some
380
- trade names, trademarks, or service marks; or
381
-
382
- f) Requiring indemnification of licensors and authors of that
383
- material by anyone who conveys the material (or modified versions of
384
- it) with contractual assumptions of liability to the recipient, for
385
- any liability that these contractual assumptions directly impose on
386
- those licensors and authors.
387
-
388
- All other non-permissive additional terms are considered "further
389
- restrictions" within the meaning of section 10. If the Program as you
390
- received it, or any part of it, contains a notice stating that it is
391
- governed by this License along with a term that is a further
392
- restriction, you may remove that term. If a license document contains
393
- a further restriction but permits relicensing or conveying under this
394
- License, you may add to a covered work material governed by the terms
395
- of that license document, provided that the further restriction does
396
- not survive such relicensing or conveying.
397
-
398
- If you add terms to a covered work in accord with this section, you
399
- must place, in the relevant source files, a statement of the
400
- additional terms that apply to those files, or a notice indicating
401
- where to find the applicable terms.
402
-
403
- Additional terms, permissive or non-permissive, may be stated in the
404
- form of a separately written license, or stated as exceptions;
405
- the above requirements apply either way.
406
-
407
- 8. Termination.
408
-
409
- You may not propagate or modify a covered work except as expressly
410
- provided under this License. Any attempt otherwise to propagate or
411
- modify it is void, and will automatically terminate your rights under
412
- this License (including any patent licenses granted under the third
413
- paragraph of section 11).
414
-
415
- However, if you cease all violation of this License, then your
416
- license from a particular copyright holder is reinstated (a)
417
- provisionally, unless and until the copyright holder explicitly and
418
- finally terminates your license, and (b) permanently, if the copyright
419
- holder fails to notify you of the violation by some reasonable means
420
- prior to 60 days after the cessation.
421
-
422
- Moreover, your license from a particular copyright holder is
423
- reinstated permanently if the copyright holder notifies you of the
424
- violation by some reasonable means, this is the first time you have
425
- received notice of violation of this License (for any work) from that
426
- copyright holder, and you cure the violation prior to 30 days after
427
- your receipt of the notice.
428
-
429
- Termination of your rights under this section does not terminate the
430
- licenses of parties who have received copies or rights from you under
431
- this License. If your rights have been terminated and not permanently
432
- reinstated, you do not qualify to receive new licenses for the same
433
- material under section 10.
434
-
435
- 9. Acceptance Not Required for Having Copies.
436
-
437
- You are not required to accept this License in order to receive or
438
- run a copy of the Program. Ancillary propagation of a covered work
439
- occurring solely as a consequence of using peer-to-peer transmission
440
- to receive a copy likewise does not require acceptance. However,
441
- nothing other than this License grants you permission to propagate or
442
- modify any covered work. These actions infringe copyright if you do
443
- not accept this License. Therefore, by modifying or propagating a
444
- covered work, you indicate your acceptance of this License to do so.
445
-
446
- 10. Automatic Licensing of Downstream Recipients.
447
-
448
- Each time you convey a covered work, the recipient automatically
449
- receives a license from the original licensors, to run, modify and
450
- propagate that work, subject to this License. You are not responsible
451
- for enforcing compliance by third parties with this License.
452
-
453
- An "entity transaction" is a transaction transferring control of an
454
- organization, or substantially all assets of one, or subdividing an
455
- organization, or merging organizations. If propagation of a covered
456
- work results from an entity transaction, each party to that
457
- transaction who receives a copy of the work also receives whatever
458
- licenses to the work the party's predecessor in interest had or could
459
- give under the previous paragraph, plus a right to possession of the
460
- Corresponding Source of the work from the predecessor in interest, if
461
- the predecessor has it or can get it with reasonable efforts.
462
-
463
- You may not impose any further restrictions on the exercise of the
464
- rights granted or affirmed under this License. For example, you may
465
- not impose a license fee, royalty, or other charge for exercise of
466
- rights granted under this License, and you may not initiate litigation
467
- (including a cross-claim or counterclaim in a lawsuit) alleging that
468
- any patent claim is infringed by making, using, selling, offering for
469
- sale, or importing the Program or any portion of it.
470
-
471
- 11. Patents.
472
-
473
- A "contributor" is a copyright holder who authorizes use under this
474
- License of the Program or a work on which the Program is based. The
475
- work thus licensed is called the contributor's "contributor version".
476
-
477
- A contributor's "essential patent claims" are all patent claims
478
- owned or controlled by the contributor, whether already acquired or
479
- hereafter acquired, that would be infringed by some manner, permitted
480
- by this License, of making, using, or selling its contributor version,
481
- but do not include claims that would be infringed only as a
482
- consequence of further modification of the contributor version. For
483
- purposes of this definition, "control" includes the right to grant
484
- patent sublicenses in a manner consistent with the requirements of
485
- this License.
486
-
487
- Each contributor grants you a non-exclusive, worldwide, royalty-free
488
- patent license under the contributor's essential patent claims, to
489
- make, use, sell, offer for sale, import and otherwise run, modify and
490
- propagate the contents of its contributor version.
491
-
492
- In the following three paragraphs, a "patent license" is any express
493
- agreement or commitment, however denominated, not to enforce a patent
494
- (such as an express permission to practice a patent or covenant not to
495
- sue for patent infringement). To "grant" such a patent license to a
496
- party means to make such an agreement or commitment not to enforce a
497
- patent against the party.
498
-
499
- If you convey a covered work, knowingly relying on a patent license,
500
- and the Corresponding Source of the work is not available for anyone
501
- to copy, free of charge and under the terms of this License, through a
502
- publicly available network server or other readily accessible means,
503
- then you must either (1) cause the Corresponding Source to be so
504
- available, or (2) arrange to deprive yourself of the benefit of the
505
- patent license for this particular work, or (3) arrange, in a manner
506
- consistent with the requirements of this License, to extend the patent
507
- license to downstream recipients. "Knowingly relying" means you have
508
- actual knowledge that, but for the patent license, your conveying the
509
- covered work in a country, or your recipient's use of the covered work
510
- in a country, would infringe one or more identifiable patents in that
511
- country that you have reason to believe are valid.
512
-
513
- If, pursuant to or in connection with a single transaction or
514
- arrangement, you convey, or propagate by procuring conveyance of, a
515
- covered work, and grant a patent license to some of the parties
516
- receiving the covered work authorizing them to use, propagate, modify
517
- or convey a specific copy of the covered work, then the patent license
518
- you grant is automatically extended to all recipients of the covered
519
- work and works based on it.
520
-
521
- A patent license is "discriminatory" if it does not include within
522
- the scope of its coverage, prohibits the exercise of, or is
523
- conditioned on the non-exercise of one or more of the rights that are
524
- specifically granted under this License. You may not convey a covered
525
- work if you are a party to an arrangement with a third party that is
526
- in the business of distributing software, under which you make payment
527
- to the third party based on the extent of your activity of conveying
528
- the work, and under which the third party grants, to any of the
529
- parties who would receive the covered work from you, a discriminatory
530
- patent license (a) in connection with copies of the covered work
531
- conveyed by you (or copies made from those copies), or (b) primarily
532
- for and in connection with specific products or compilations that
533
- contain the covered work, unless you entered into that arrangement,
534
- or that patent license was granted, prior to 28 March 2007.
535
-
536
- Nothing in this License shall be construed as excluding or limiting
537
- any implied license or other defenses to infringement that may
538
- otherwise be available to you under applicable patent law.
539
-
540
- 12. No Surrender of Others' Freedom.
541
-
542
- If conditions are imposed on you (whether by court order, agreement or
543
- otherwise) that contradict the conditions of this License, they do not
544
- excuse you from the conditions of this License. If you cannot convey a
545
- covered work so as to satisfy simultaneously your obligations under this
546
- License and any other pertinent obligations, then as a consequence you may
547
- not convey it at all. For example, if you agree to terms that obligate you
548
- to collect a royalty for further conveying from those to whom you convey
549
- the Program, the only way you could satisfy both those terms and this
550
- License would be to refrain entirely from conveying the Program.
551
-
552
- 13. Use with the GNU Affero General Public License.
553
-
554
- Notwithstanding any other provision of this License, you have
555
- permission to link or combine any covered work with a work licensed
556
- under version 3 of the GNU Affero General Public License into a single
557
- combined work, and to convey the resulting work. The terms of this
558
- License will continue to apply to the part which is the covered work,
559
- but the special requirements of the GNU Affero General Public License,
560
- section 13, concerning interaction through a network will apply to the
561
- combination as such.
562
-
563
- 14. Revised Versions of this License.
564
-
565
- The Free Software Foundation may publish revised and/or new versions of
566
- the GNU General Public License from time to time. Such new versions will
567
- be similar in spirit to the present version, but may differ in detail to
568
- address new problems or concerns.
569
-
570
- Each version is given a distinguishing version number. If the
571
- Program specifies that a certain numbered version of the GNU General
572
- Public License "or any later version" applies to it, you have the
573
- option of following the terms and conditions either of that numbered
574
- version or of any later version published by the Free Software
575
- Foundation. If the Program does not specify a version number of the
576
- GNU General Public License, you may choose any version ever published
577
- by the Free Software Foundation.
578
-
579
- If the Program specifies that a proxy can decide which future
580
- versions of the GNU General Public License can be used, that proxy's
581
- public statement of acceptance of a version permanently authorizes you
582
- to choose that version for the Program.
583
-
584
- Later license versions may give you additional or different
585
- permissions. However, no additional obligations are imposed on any
586
- author or copyright holder as a result of your choosing to follow a
587
- later version.
588
-
589
- 15. Disclaimer of Warranty.
590
-
591
- THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY
592
- APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT
593
- HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY
594
- OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO,
595
- THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
596
- PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM
597
- IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF
598
- ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
599
-
600
- 16. Limitation of Liability.
601
-
602
- IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
603
- WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS
604
- THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY
605
- GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE
606
- USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF
607
- DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD
608
- PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS),
609
- EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF
610
- SUCH DAMAGES.
611
-
612
- 17. Interpretation of Sections 15 and 16.
613
-
614
- If the disclaimer of warranty and limitation of liability provided
615
- above cannot be given local legal effect according to their terms,
616
- reviewing courts shall apply local law that most closely approximates
617
- an absolute waiver of all civil liability in connection with the
618
- Program, unless a warranty or assumption of liability accompanies a
619
- copy of the Program in return for a fee.
620
-
621
- END OF TERMS AND CONDITIONS
622
-
623
- How to Apply These Terms to Your New Programs
624
-
625
- If you develop a new program, and you want it to be of the greatest
626
- possible use to the public, the best way to achieve this is to make it
627
- free software which everyone can redistribute and change under these terms.
628
-
629
- To do so, attach the following notices to the program. It is safest
630
- to attach them to the start of each source file to most effectively
631
- state the exclusion of warranty; and each file should have at least
632
- the "copyright" line and a pointer to where the full notice is found.
633
-
634
- <one line to give the program's name and a brief idea of what it does.>
635
- Copyright (C) <year> <name of author>
636
-
637
- This program is free software: you can redistribute it and/or modify
638
- it under the terms of the GNU General Public License as published by
639
- the Free Software Foundation, either version 3 of the License, or
640
- (at your option) any later version.
641
-
642
- This program is distributed in the hope that it will be useful,
643
- but WITHOUT ANY WARRANTY; without even the implied warranty of
644
- MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
645
- GNU General Public License for more details.
646
-
647
- You should have received a copy of the GNU General Public License
648
- along with this program. If not, see <http://www.gnu.org/licenses/>.
649
-
650
- Also add information on how to contact you by electronic and paper mail.
651
-
652
- If the program does terminal interaction, make it output a short
653
- notice like this when it starts in an interactive mode:
654
-
655
- <program> Copyright (C) <year> <name of author>
656
- This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
657
- This is free software, and you are welcome to redistribute it
658
- under certain conditions; type `show c' for details.
659
-
660
- The hypothetical commands `show w' and `show c' should show the appropriate
661
- parts of the General Public License. Of course, your program's commands
662
- might be different; for a GUI interface, you would use an "about box".
663
-
664
- You should also get your employer (if you work as a programmer) or school,
665
- if any, to sign a "copyright disclaimer" for the program, if necessary.
666
- For more information on this, and how to apply and follow the GNU GPL, see
667
- <http://www.gnu.org/licenses/>.
668
-
669
- The GNU General Public License does not permit incorporating your program
670
- into proprietary programs. If your program is a subroutine library, you
671
- may consider it more useful to permit linking proprietary applications with
672
- the library. If this is what you want to do, use the GNU Lesser General
673
- Public License instead of this License. But first, please read
674
- <http://www.gnu.org/philosophy/why-not-lgpl.html>.
1
+ GNU GENERAL PUBLIC LICENSE
2
+ Version 3, 29 June 2007
3
+
4
+ Copyright (C) 2007 Free Software Foundation, Inc. <http://fsf.org/>
5
+ Everyone is permitted to copy and distribute verbatim copies
6
+ of this license document, but changing it is not allowed.
7
+
8
+ Preamble
9
+
10
+ The GNU General Public License is a free, copyleft license for
11
+ software and other kinds of works.
12
+
13
+ The licenses for most software and other practical works are designed
14
+ to take away your freedom to share and change the works. By contrast,
15
+ the GNU General Public License is intended to guarantee your freedom to
16
+ share and change all versions of a program--to make sure it remains free
17
+ software for all its users. We, the Free Software Foundation, use the
18
+ GNU General Public License for most of our software; it applies also to
19
+ any other work released this way by its authors. You can apply it to
20
+ your programs, too.
21
+
22
+ When we speak of free software, we are referring to freedom, not
23
+ price. Our General Public Licenses are designed to make sure that you
24
+ have the freedom to distribute copies of free software (and charge for
25
+ them if you wish), that you receive source code or can get it if you
26
+ want it, that you can change the software or use pieces of it in new
27
+ free programs, and that you know you can do these things.
28
+
29
+ To protect your rights, we need to prevent others from denying you
30
+ these rights or asking you to surrender the rights. Therefore, you have
31
+ certain responsibilities if you distribute copies of the software, or if
32
+ you modify it: responsibilities to respect the freedom of others.
33
+
34
+ For example, if you distribute copies of such a program, whether
35
+ gratis or for a fee, you must pass on to the recipients the same
36
+ freedoms that you received. You must make sure that they, too, receive
37
+ or can get the source code. And you must show them these terms so they
38
+ know their rights.
39
+
40
+ Developers that use the GNU GPL protect your rights with two steps:
41
+ (1) assert copyright on the software, and (2) offer you this License
42
+ giving you legal permission to copy, distribute and/or modify it.
43
+
44
+ For the developers' and authors' protection, the GPL clearly explains
45
+ that there is no warranty for this free software. For both users' and
46
+ authors' sake, the GPL requires that modified versions be marked as
47
+ changed, so that their problems will not be attributed erroneously to
48
+ authors of previous versions.
49
+
50
+ Some devices are designed to deny users access to install or run
51
+ modified versions of the software inside them, although the manufacturer
52
+ can do so. This is fundamentally incompatible with the aim of
53
+ protecting users' freedom to change the software. The systematic
54
+ pattern of such abuse occurs in the area of products for individuals to
55
+ use, which is precisely where it is most unacceptable. Therefore, we
56
+ have designed this version of the GPL to prohibit the practice for those
57
+ products. If such problems arise substantially in other domains, we
58
+ stand ready to extend this provision to those domains in future versions
59
+ of the GPL, as needed to protect the freedom of users.
60
+
61
+ Finally, every program is threatened constantly by software patents.
62
+ States should not allow patents to restrict development and use of
63
+ software on general-purpose computers, but in those that do, we wish to
64
+ avoid the special danger that patents applied to a free program could
65
+ make it effectively proprietary. To prevent this, the GPL assures that
66
+ patents cannot be used to render the program non-free.
67
+
68
+ The precise terms and conditions for copying, distribution and
69
+ modification follow.
70
+
71
+ TERMS AND CONDITIONS
72
+
73
+ 0. Definitions.
74
+
75
+ "This License" refers to version 3 of the GNU General Public License.
76
+
77
+ "Copyright" also means copyright-like laws that apply to other kinds of
78
+ works, such as semiconductor masks.
79
+
80
+ "The Program" refers to any copyrightable work licensed under this
81
+ License. Each licensee is addressed as "you". "Licensees" and
82
+ "recipients" may be individuals or organizations.
83
+
84
+ To "modify" a work means to copy from or adapt all or part of the work
85
+ in a fashion requiring copyright permission, other than the making of an
86
+ exact copy. The resulting work is called a "modified version" of the
87
+ earlier work or a work "based on" the earlier work.
88
+
89
+ A "covered work" means either the unmodified Program or a work based
90
+ on the Program.
91
+
92
+ To "propagate" a work means to do anything with it that, without
93
+ permission, would make you directly or secondarily liable for
94
+ infringement under applicable copyright law, except executing it on a
95
+ computer or modifying a private copy. Propagation includes copying,
96
+ distribution (with or without modification), making available to the
97
+ public, and in some countries other activities as well.
98
+
99
+ To "convey" a work means any kind of propagation that enables other
100
+ parties to make or receive copies. Mere interaction with a user through
101
+ a computer network, with no transfer of a copy, is not conveying.
102
+
103
+ An interactive user interface displays "Appropriate Legal Notices"
104
+ to the extent that it includes a convenient and prominently visible
105
+ feature that (1) displays an appropriate copyright notice, and (2)
106
+ tells the user that there is no warranty for the work (except to the
107
+ extent that warranties are provided), that licensees may convey the
108
+ work under this License, and how to view a copy of this License. If
109
+ the interface presents a list of user commands or options, such as a
110
+ menu, a prominent item in the list meets this criterion.
111
+
112
+ 1. Source Code.
113
+
114
+ The "source code" for a work means the preferred form of the work
115
+ for making modifications to it. "Object code" means any non-source
116
+ form of a work.
117
+
118
+ A "Standard Interface" means an interface that either is an official
119
+ standard defined by a recognized standards body, or, in the case of
120
+ interfaces specified for a particular programming language, one that
121
+ is widely used among developers working in that language.
122
+
123
+ The "System Libraries" of an executable work include anything, other
124
+ than the work as a whole, that (a) is included in the normal form of
125
+ packaging a Major Component, but which is not part of that Major
126
+ Component, and (b) serves only to enable use of the work with that
127
+ Major Component, or to implement a Standard Interface for which an
128
+ implementation is available to the public in source code form. A
129
+ "Major Component", in this context, means a major essential component
130
+ (kernel, window system, and so on) of the specific operating system
131
+ (if any) on which the executable work runs, or a compiler used to
132
+ produce the work, or an object code interpreter used to run it.
133
+
134
+ The "Corresponding Source" for a work in object code form means all
135
+ the source code needed to generate, install, and (for an executable
136
+ work) run the object code and to modify the work, including scripts to
137
+ control those activities. However, it does not include the work's
138
+ System Libraries, or general-purpose tools or generally available free
139
+ programs which are used unmodified in performing those activities but
140
+ which are not part of the work. For example, Corresponding Source
141
+ includes interface definition files associated with source files for
142
+ the work, and the source code for shared libraries and dynamically
143
+ linked subprograms that the work is specifically designed to require,
144
+ such as by intimate data communication or control flow between those
145
+ subprograms and other parts of the work.
146
+
147
+ The Corresponding Source need not include anything that users
148
+ can regenerate automatically from other parts of the Corresponding
149
+ Source.
150
+
151
+ The Corresponding Source for a work in source code form is that
152
+ same work.
153
+
154
+ 2. Basic Permissions.
155
+
156
+ All rights granted under this License are granted for the term of
157
+ copyright on the Program, and are irrevocable provided the stated
158
+ conditions are met. This License explicitly affirms your unlimited
159
+ permission to run the unmodified Program. The output from running a
160
+ covered work is covered by this License only if the output, given its
161
+ content, constitutes a covered work. This License acknowledges your
162
+ rights of fair use or other equivalent, as provided by copyright law.
163
+
164
+ You may make, run and propagate covered works that you do not
165
+ convey, without conditions so long as your license otherwise remains
166
+ in force. You may convey covered works to others for the sole purpose
167
+ of having them make modifications exclusively for you, or provide you
168
+ with facilities for running those works, provided that you comply with
169
+ the terms of this License in conveying all material for which you do
170
+ not control copyright. Those thus making or running the covered works
171
+ for you must do so exclusively on your behalf, under your direction
172
+ and control, on terms that prohibit them from making any copies of
173
+ your copyrighted material outside their relationship with you.
174
+
175
+ Conveying under any other circumstances is permitted solely under
176
+ the conditions stated below. Sublicensing is not allowed; section 10
177
+ makes it unnecessary.
178
+
179
+ 3. Protecting Users' Legal Rights From Anti-Circumvention Law.
180
+
181
+ No covered work shall be deemed part of an effective technological
182
+ measure under any applicable law fulfilling obligations under article
183
+ 11 of the WIPO copyright treaty adopted on 20 December 1996, or
184
+ similar laws prohibiting or restricting circumvention of such
185
+ measures.
186
+
187
+ When you convey a covered work, you waive any legal power to forbid
188
+ circumvention of technological measures to the extent such circumvention
189
+ is effected by exercising rights under this License with respect to
190
+ the covered work, and you disclaim any intention to limit operation or
191
+ modification of the work as a means of enforcing, against the work's
192
+ users, your or third parties' legal rights to forbid circumvention of
193
+ technological measures.
194
+
195
+ 4. Conveying Verbatim Copies.
196
+
197
+ You may convey verbatim copies of the Program's source code as you
198
+ receive it, in any medium, provided that you conspicuously and
199
+ appropriately publish on each copy an appropriate copyright notice;
200
+ keep intact all notices stating that this License and any
201
+ non-permissive terms added in accord with section 7 apply to the code;
202
+ keep intact all notices of the absence of any warranty; and give all
203
+ recipients a copy of this License along with the Program.
204
+
205
+ You may charge any price or no price for each copy that you convey,
206
+ and you may offer support or warranty protection for a fee.
207
+
208
+ 5. Conveying Modified Source Versions.
209
+
210
+ You may convey a work based on the Program, or the modifications to
211
+ produce it from the Program, in the form of source code under the
212
+ terms of section 4, provided that you also meet all of these conditions:
213
+
214
+ a) The work must carry prominent notices stating that you modified
215
+ it, and giving a relevant date.
216
+
217
+ b) The work must carry prominent notices stating that it is
218
+ released under this License and any conditions added under section
219
+ 7. This requirement modifies the requirement in section 4 to
220
+ "keep intact all notices".
221
+
222
+ c) You must license the entire work, as a whole, under this
223
+ License to anyone who comes into possession of a copy. This
224
+ License will therefore apply, along with any applicable section 7
225
+ additional terms, to the whole of the work, and all its parts,
226
+ regardless of how they are packaged. This License gives no
227
+ permission to license the work in any other way, but it does not
228
+ invalidate such permission if you have separately received it.
229
+
230
+ d) If the work has interactive user interfaces, each must display
231
+ Appropriate Legal Notices; however, if the Program has interactive
232
+ interfaces that do not display Appropriate Legal Notices, your
233
+ work need not make them do so.
234
+
235
+ A compilation of a covered work with other separate and independent
236
+ works, which are not by their nature extensions of the covered work,
237
+ and which are not combined with it such as to form a larger program,
238
+ in or on a volume of a storage or distribution medium, is called an
239
+ "aggregate" if the compilation and its resulting copyright are not
240
+ used to limit the access or legal rights of the compilation's users
241
+ beyond what the individual works permit. Inclusion of a covered work
242
+ in an aggregate does not cause this License to apply to the other
243
+ parts of the aggregate.
244
+
245
+ 6. Conveying Non-Source Forms.
246
+
247
+ You may convey a covered work in object code form under the terms
248
+ of sections 4 and 5, provided that you also convey the
249
+ machine-readable Corresponding Source under the terms of this License,
250
+ in one of these ways:
251
+
252
+ a) Convey the object code in, or embodied in, a physical product
253
+ (including a physical distribution medium), accompanied by the
254
+ Corresponding Source fixed on a durable physical medium
255
+ customarily used for software interchange.
256
+
257
+ b) Convey the object code in, or embodied in, a physical product
258
+ (including a physical distribution medium), accompanied by a
259
+ written offer, valid for at least three years and valid for as
260
+ long as you offer spare parts or customer support for that product
261
+ model, to give anyone who possesses the object code either (1) a
262
+ copy of the Corresponding Source for all the software in the
263
+ product that is covered by this License, on a durable physical
264
+ medium customarily used for software interchange, for a price no
265
+ more than your reasonable cost of physically performing this
266
+ conveying of source, or (2) access to copy the
267
+ Corresponding Source from a network server at no charge.
268
+
269
+ c) Convey individual copies of the object code with a copy of the
270
+ written offer to provide the Corresponding Source. This
271
+ alternative is allowed only occasionally and noncommercially, and
272
+ only if you received the object code with such an offer, in accord
273
+ with subsection 6b.
274
+
275
+ d) Convey the object code by offering access from a designated
276
+ place (gratis or for a charge), and offer equivalent access to the
277
+ Corresponding Source in the same way through the same place at no
278
+ further charge. You need not require recipients to copy the
279
+ Corresponding Source along with the object code. If the place to
280
+ copy the object code is a network server, the Corresponding Source
281
+ may be on a different server (operated by you or a third party)
282
+ that supports equivalent copying facilities, provided you maintain
283
+ clear directions next to the object code saying where to find the
284
+ Corresponding Source. Regardless of what server hosts the
285
+ Corresponding Source, you remain obligated to ensure that it is
286
+ available for as long as needed to satisfy these requirements.
287
+
288
+ e) Convey the object code using peer-to-peer transmission, provided
289
+ you inform other peers where the object code and Corresponding
290
+ Source of the work are being offered to the general public at no
291
+ charge under subsection 6d.
292
+
293
+ A separable portion of the object code, whose source code is excluded
294
+ from the Corresponding Source as a System Library, need not be
295
+ included in conveying the object code work.
296
+
297
+ A "User Product" is either (1) a "consumer product", which means any
298
+ tangible personal property which is normally used for personal, family,
299
+ or household purposes, or (2) anything designed or sold for incorporation
300
+ into a dwelling. In determining whether a product is a consumer product,
301
+ doubtful cases shall be resolved in favor of coverage. For a particular
302
+ product received by a particular user, "normally used" refers to a
303
+ typical or common use of that class of product, regardless of the status
304
+ of the particular user or of the way in which the particular user
305
+ actually uses, or expects or is expected to use, the product. A product
306
+ is a consumer product regardless of whether the product has substantial
307
+ commercial, industrial or non-consumer uses, unless such uses represent
308
+ the only significant mode of use of the product.
309
+
310
+ "Installation Information" for a User Product means any methods,
311
+ procedures, authorization keys, or other information required to install
312
+ and execute modified versions of a covered work in that User Product from
313
+ a modified version of its Corresponding Source. The information must
314
+ suffice to ensure that the continued functioning of the modified object
315
+ code is in no case prevented or interfered with solely because
316
+ modification has been made.
317
+
318
+ If you convey an object code work under this section in, or with, or
319
+ specifically for use in, a User Product, and the conveying occurs as
320
+ part of a transaction in which the right of possession and use of the
321
+ User Product is transferred to the recipient in perpetuity or for a
322
+ fixed term (regardless of how the transaction is characterized), the
323
+ Corresponding Source conveyed under this section must be accompanied
324
+ by the Installation Information. But this requirement does not apply
325
+ if neither you nor any third party retains the ability to install
326
+ modified object code on the User Product (for example, the work has
327
+ been installed in ROM).
328
+
329
+ The requirement to provide Installation Information does not include a
330
+ requirement to continue to provide support service, warranty, or updates
331
+ for a work that has been modified or installed by the recipient, or for
332
+ the User Product in which it has been modified or installed. Access to a
333
+ network may be denied when the modification itself materially and
334
+ adversely affects the operation of the network or violates the rules and
335
+ protocols for communication across the network.
336
+
337
+ Corresponding Source conveyed, and Installation Information provided,
338
+ in accord with this section must be in a format that is publicly
339
+ documented (and with an implementation available to the public in
340
+ source code form), and must require no special password or key for
341
+ unpacking, reading or copying.
342
+
343
+ 7. Additional Terms.
344
+
345
+ "Additional permissions" are terms that supplement the terms of this
346
+ License by making exceptions from one or more of its conditions.
347
+ Additional permissions that are applicable to the entire Program shall
348
+ be treated as though they were included in this License, to the extent
349
+ that they are valid under applicable law. If additional permissions
350
+ apply only to part of the Program, that part may be used separately
351
+ under those permissions, but the entire Program remains governed by
352
+ this License without regard to the additional permissions.
353
+
354
+ When you convey a copy of a covered work, you may at your option
355
+ remove any additional permissions from that copy, or from any part of
356
+ it. (Additional permissions may be written to require their own
357
+ removal in certain cases when you modify the work.) You may place
358
+ additional permissions on material, added by you to a covered work,
359
+ for which you have or can give appropriate copyright permission.
360
+
361
+ Notwithstanding any other provision of this License, for material you
362
+ add to a covered work, you may (if authorized by the copyright holders of
363
+ that material) supplement the terms of this License with terms:
364
+
365
+ a) Disclaiming warranty or limiting liability differently from the
366
+ terms of sections 15 and 16 of this License; or
367
+
368
+ b) Requiring preservation of specified reasonable legal notices or
369
+ author attributions in that material or in the Appropriate Legal
370
+ Notices displayed by works containing it; or
371
+
372
+ c) Prohibiting misrepresentation of the origin of that material, or
373
+ requiring that modified versions of such material be marked in
374
+ reasonable ways as different from the original version; or
375
+
376
+ d) Limiting the use for publicity purposes of names of licensors or
377
+ authors of the material; or
378
+
379
+ e) Declining to grant rights under trademark law for use of some
380
+ trade names, trademarks, or service marks; or
381
+
382
+ f) Requiring indemnification of licensors and authors of that
383
+ material by anyone who conveys the material (or modified versions of
384
+ it) with contractual assumptions of liability to the recipient, for
385
+ any liability that these contractual assumptions directly impose on
386
+ those licensors and authors.
387
+
388
+ All other non-permissive additional terms are considered "further
389
+ restrictions" within the meaning of section 10. If the Program as you
390
+ received it, or any part of it, contains a notice stating that it is
391
+ governed by this License along with a term that is a further
392
+ restriction, you may remove that term. If a license document contains
393
+ a further restriction but permits relicensing or conveying under this
394
+ License, you may add to a covered work material governed by the terms
395
+ of that license document, provided that the further restriction does
396
+ not survive such relicensing or conveying.
397
+
398
+ If you add terms to a covered work in accord with this section, you
399
+ must place, in the relevant source files, a statement of the
400
+ additional terms that apply to those files, or a notice indicating
401
+ where to find the applicable terms.
402
+
403
+ Additional terms, permissive or non-permissive, may be stated in the
404
+ form of a separately written license, or stated as exceptions;
405
+ the above requirements apply either way.
406
+
407
+ 8. Termination.
408
+
409
+ You may not propagate or modify a covered work except as expressly
410
+ provided under this License. Any attempt otherwise to propagate or
411
+ modify it is void, and will automatically terminate your rights under
412
+ this License (including any patent licenses granted under the third
413
+ paragraph of section 11).
414
+
415
+ However, if you cease all violation of this License, then your
416
+ license from a particular copyright holder is reinstated (a)
417
+ provisionally, unless and until the copyright holder explicitly and
418
+ finally terminates your license, and (b) permanently, if the copyright
419
+ holder fails to notify you of the violation by some reasonable means
420
+ prior to 60 days after the cessation.
421
+
422
+ Moreover, your license from a particular copyright holder is
423
+ reinstated permanently if the copyright holder notifies you of the
424
+ violation by some reasonable means, this is the first time you have
425
+ received notice of violation of this License (for any work) from that
426
+ copyright holder, and you cure the violation prior to 30 days after
427
+ your receipt of the notice.
428
+
429
+ Termination of your rights under this section does not terminate the
430
+ licenses of parties who have received copies or rights from you under
431
+ this License. If your rights have been terminated and not permanently
432
+ reinstated, you do not qualify to receive new licenses for the same
433
+ material under section 10.
434
+
435
+ 9. Acceptance Not Required for Having Copies.
436
+
437
+ You are not required to accept this License in order to receive or
438
+ run a copy of the Program. Ancillary propagation of a covered work
439
+ occurring solely as a consequence of using peer-to-peer transmission
440
+ to receive a copy likewise does not require acceptance. However,
441
+ nothing other than this License grants you permission to propagate or
442
+ modify any covered work. These actions infringe copyright if you do
443
+ not accept this License. Therefore, by modifying or propagating a
444
+ covered work, you indicate your acceptance of this License to do so.
445
+
446
+ 10. Automatic Licensing of Downstream Recipients.
447
+
448
+ Each time you convey a covered work, the recipient automatically
449
+ receives a license from the original licensors, to run, modify and
450
+ propagate that work, subject to this License. You are not responsible
451
+ for enforcing compliance by third parties with this License.
452
+
453
+ An "entity transaction" is a transaction transferring control of an
454
+ organization, or substantially all assets of one, or subdividing an
455
+ organization, or merging organizations. If propagation of a covered
456
+ work results from an entity transaction, each party to that
457
+ transaction who receives a copy of the work also receives whatever
458
+ licenses to the work the party's predecessor in interest had or could
459
+ give under the previous paragraph, plus a right to possession of the
460
+ Corresponding Source of the work from the predecessor in interest, if
461
+ the predecessor has it or can get it with reasonable efforts.
462
+
463
+ You may not impose any further restrictions on the exercise of the
464
+ rights granted or affirmed under this License. For example, you may
465
+ not impose a license fee, royalty, or other charge for exercise of
466
+ rights granted under this License, and you may not initiate litigation
467
+ (including a cross-claim or counterclaim in a lawsuit) alleging that
468
+ any patent claim is infringed by making, using, selling, offering for
469
+ sale, or importing the Program or any portion of it.
470
+
471
+ 11. Patents.
472
+
473
+ A "contributor" is a copyright holder who authorizes use under this
474
+ License of the Program or a work on which the Program is based. The
475
+ work thus licensed is called the contributor's "contributor version".
476
+
477
+ A contributor's "essential patent claims" are all patent claims
478
+ owned or controlled by the contributor, whether already acquired or
479
+ hereafter acquired, that would be infringed by some manner, permitted
480
+ by this License, of making, using, or selling its contributor version,
481
+ but do not include claims that would be infringed only as a
482
+ consequence of further modification of the contributor version. For
483
+ purposes of this definition, "control" includes the right to grant
484
+ patent sublicenses in a manner consistent with the requirements of
485
+ this License.
486
+
487
+ Each contributor grants you a non-exclusive, worldwide, royalty-free
488
+ patent license under the contributor's essential patent claims, to
489
+ make, use, sell, offer for sale, import and otherwise run, modify and
490
+ propagate the contents of its contributor version.
491
+
492
+ In the following three paragraphs, a "patent license" is any express
493
+ agreement or commitment, however denominated, not to enforce a patent
494
+ (such as an express permission to practice a patent or covenant not to
495
+ sue for patent infringement). To "grant" such a patent license to a
496
+ party means to make such an agreement or commitment not to enforce a
497
+ patent against the party.
498
+
499
+ If you convey a covered work, knowingly relying on a patent license,
500
+ and the Corresponding Source of the work is not available for anyone
501
+ to copy, free of charge and under the terms of this License, through a
502
+ publicly available network server or other readily accessible means,
503
+ then you must either (1) cause the Corresponding Source to be so
504
+ available, or (2) arrange to deprive yourself of the benefit of the
505
+ patent license for this particular work, or (3) arrange, in a manner
506
+ consistent with the requirements of this License, to extend the patent
507
+ license to downstream recipients. "Knowingly relying" means you have
508
+ actual knowledge that, but for the patent license, your conveying the
509
+ covered work in a country, or your recipient's use of the covered work
510
+ in a country, would infringe one or more identifiable patents in that
511
+ country that you have reason to believe are valid.
512
+
513
+ If, pursuant to or in connection with a single transaction or
514
+ arrangement, you convey, or propagate by procuring conveyance of, a
515
+ covered work, and grant a patent license to some of the parties
516
+ receiving the covered work authorizing them to use, propagate, modify
517
+ or convey a specific copy of the covered work, then the patent license
518
+ you grant is automatically extended to all recipients of the covered
519
+ work and works based on it.
520
+
521
+ A patent license is "discriminatory" if it does not include within
522
+ the scope of its coverage, prohibits the exercise of, or is
523
+ conditioned on the non-exercise of one or more of the rights that are
524
+ specifically granted under this License. You may not convey a covered
525
+ work if you are a party to an arrangement with a third party that is
526
+ in the business of distributing software, under which you make payment
527
+ to the third party based on the extent of your activity of conveying
528
+ the work, and under which the third party grants, to any of the
529
+ parties who would receive the covered work from you, a discriminatory
530
+ patent license (a) in connection with copies of the covered work
531
+ conveyed by you (or copies made from those copies), or (b) primarily
532
+ for and in connection with specific products or compilations that
533
+ contain the covered work, unless you entered into that arrangement,
534
+ or that patent license was granted, prior to 28 March 2007.
535
+
536
+ Nothing in this License shall be construed as excluding or limiting
537
+ any implied license or other defenses to infringement that may
538
+ otherwise be available to you under applicable patent law.
539
+
540
+ 12. No Surrender of Others' Freedom.
541
+
542
+ If conditions are imposed on you (whether by court order, agreement or
543
+ otherwise) that contradict the conditions of this License, they do not
544
+ excuse you from the conditions of this License. If you cannot convey a
545
+ covered work so as to satisfy simultaneously your obligations under this
546
+ License and any other pertinent obligations, then as a consequence you may
547
+ not convey it at all. For example, if you agree to terms that obligate you
548
+ to collect a royalty for further conveying from those to whom you convey
549
+ the Program, the only way you could satisfy both those terms and this
550
+ License would be to refrain entirely from conveying the Program.
551
+
552
+ 13. Use with the GNU Affero General Public License.
553
+
554
+ Notwithstanding any other provision of this License, you have
555
+ permission to link or combine any covered work with a work licensed
556
+ under version 3 of the GNU Affero General Public License into a single
557
+ combined work, and to convey the resulting work. The terms of this
558
+ License will continue to apply to the part which is the covered work,
559
+ but the special requirements of the GNU Affero General Public License,
560
+ section 13, concerning interaction through a network will apply to the
561
+ combination as such.
562
+
563
+ 14. Revised Versions of this License.
564
+
565
+ The Free Software Foundation may publish revised and/or new versions of
566
+ the GNU General Public License from time to time. Such new versions will
567
+ be similar in spirit to the present version, but may differ in detail to
568
+ address new problems or concerns.
569
+
570
+ Each version is given a distinguishing version number. If the
571
+ Program specifies that a certain numbered version of the GNU General
572
+ Public License "or any later version" applies to it, you have the
573
+ option of following the terms and conditions either of that numbered
574
+ version or of any later version published by the Free Software
575
+ Foundation. If the Program does not specify a version number of the
576
+ GNU General Public License, you may choose any version ever published
577
+ by the Free Software Foundation.
578
+
579
+ If the Program specifies that a proxy can decide which future
580
+ versions of the GNU General Public License can be used, that proxy's
581
+ public statement of acceptance of a version permanently authorizes you
582
+ to choose that version for the Program.
583
+
584
+ Later license versions may give you additional or different
585
+ permissions. However, no additional obligations are imposed on any
586
+ author or copyright holder as a result of your choosing to follow a
587
+ later version.
588
+
589
+ 15. Disclaimer of Warranty.
590
+
591
+ THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY
592
+ APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT
593
+ HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY
594
+ OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO,
595
+ THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
596
+ PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM
597
+ IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF
598
+ ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
599
+
600
+ 16. Limitation of Liability.
601
+
602
+ IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
603
+ WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS
604
+ THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY
605
+ GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE
606
+ USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF
607
+ DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD
608
+ PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS),
609
+ EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF
610
+ SUCH DAMAGES.
611
+
612
+ 17. Interpretation of Sections 15 and 16.
613
+
614
+ If the disclaimer of warranty and limitation of liability provided
615
+ above cannot be given local legal effect according to their terms,
616
+ reviewing courts shall apply local law that most closely approximates
617
+ an absolute waiver of all civil liability in connection with the
618
+ Program, unless a warranty or assumption of liability accompanies a
619
+ copy of the Program in return for a fee.
620
+
621
+ END OF TERMS AND CONDITIONS
622
+
623
+ How to Apply These Terms to Your New Programs
624
+
625
+ If you develop a new program, and you want it to be of the greatest
626
+ possible use to the public, the best way to achieve this is to make it
627
+ free software which everyone can redistribute and change under these terms.
628
+
629
+ To do so, attach the following notices to the program. It is safest
630
+ to attach them to the start of each source file to most effectively
631
+ state the exclusion of warranty; and each file should have at least
632
+ the "copyright" line and a pointer to where the full notice is found.
633
+
634
+ <one line to give the program's name and a brief idea of what it does.>
635
+ Copyright (C) <year> <name of author>
636
+
637
+ This program is free software: you can redistribute it and/or modify
638
+ it under the terms of the GNU General Public License as published by
639
+ the Free Software Foundation, either version 3 of the License, or
640
+ (at your option) any later version.
641
+
642
+ This program is distributed in the hope that it will be useful,
643
+ but WITHOUT ANY WARRANTY; without even the implied warranty of
644
+ MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
645
+ GNU General Public License for more details.
646
+
647
+ You should have received a copy of the GNU General Public License
648
+ along with this program. If not, see <http://www.gnu.org/licenses/>.
649
+
650
+ Also add information on how to contact you by electronic and paper mail.
651
+
652
+ If the program does terminal interaction, make it output a short
653
+ notice like this when it starts in an interactive mode:
654
+
655
+ <program> Copyright (C) <year> <name of author>
656
+ This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
657
+ This is free software, and you are welcome to redistribute it
658
+ under certain conditions; type `show c' for details.
659
+
660
+ The hypothetical commands `show w' and `show c' should show the appropriate
661
+ parts of the General Public License. Of course, your program's commands
662
+ might be different; for a GUI interface, you would use an "about box".
663
+
664
+ You should also get your employer (if you work as a programmer) or school,
665
+ if any, to sign a "copyright disclaimer" for the program, if necessary.
666
+ For more information on this, and how to apply and follow the GNU GPL, see
667
+ <http://www.gnu.org/licenses/>.
668
+
669
+ The GNU General Public License does not permit incorporating your program
670
+ into proprietary programs. If your program is a subroutine library, you
671
+ may consider it more useful to permit linking proprietary applications with
672
+ the library. If this is what you want to do, use the GNU Lesser General
673
+ Public License instead of this License. But first, please read
674
+ <http://www.gnu.org/philosophy/why-not-lgpl.html>.
jd_twitterOAuth.php CHANGED
@@ -1,175 +1,175 @@
1
- <?php
2
- /*
3
- * Abraham Williams (abraham@abrah.am) http://abrah.am
4
- *
5
- * The first PHP Library to support WPOAuth for Twitter's REST API.
6
- *
7
- */
8
-
9
- /* Load WPOAuth lib. You can find it at http://WPOAuth.net */
10
- require_once('WP_OAuth.php');
11
-
12
- if (!class_exists('jd_TwitterOAuth')) {
13
-
14
- /**
15
- * Twitter WPOAuth class
16
- */
17
- class jd_TwitterOAuth {
18
- /* Contains the last HTTP status code returned */
19
- public $http_code;
20
- /* Contains the last API call. */
21
- public $url;
22
- /* Set up the API root URL. */
23
- public $host = "http://api.twitter.com/1/";
24
- /* Set timeout default. */
25
- public $format = 'json';
26
- /* Decode returned json data. */
27
- public $decode_json = false;
28
- /* Contains the last API call */
29
- private $last_api_call;
30
- /* containe the header */
31
- public $http_header;
32
-
33
- /**
34
- * Set API URLS
35
- */
36
- function accessTokenURL() { return "http://api.twitter.com/oauth/access_token"; }
37
- function authenticateURL() { return "http://api.twitter.com/oauth/authenticate"; }
38
- function authorizeURL() { return "http://api.twitter.com/oauth/authorize"; }
39
- function requestTokenURL() { return "http://api.twitter.com/oauth/request_token"; }
40
-
41
- /**
42
- * Debug helpers
43
- */
44
- function lastStatusCode() { return $this->http_code; }
45
- function lastAPICall() { return $this->last_api_call; }
46
-
47
- /**
48
- * construct TwitterWPOAuth object
49
- */
50
- function __construct($consumer_key, $consumer_secret, $WPOAuth_token = NULL, $WPOAuth_token_secret = NULL) {
51
- $this->sha1_method = new WPOAuthSignatureMethod_HMAC_SHA1();
52
- $this->consumer = new WPOAuthConsumer($consumer_key, $consumer_secret);
53
- if (!empty($WPOAuth_token) && !empty($WPOAuth_token_secret)) {
54
- $this->token = new WPOAuthConsumer($WPOAuth_token, $WPOAuth_token_secret);
55
- } else {
56
- $this->token = NULL;
57
- }
58
- }
59
-
60
-
61
- /**
62
- * Get a request_token from Twitter
63
- *
64
- * @returns a key/value array containing WPOAuth_token and WPOAuth_token_secret
65
- */
66
- function getRequestToken() {
67
- $r = $this->WPOAuthRequest($this->requestTokenURL());
68
- $token = $this->WPOAuthParseResponse($r);
69
- $this->token = new WPOAuthConsumer($token['WPOAuth_token'], $token['WPOAuth_token_secret']);
70
- return $token;
71
- }
72
-
73
- /**
74
- * Parse a URL-encoded WPOAuth response
75
- *
76
- * @return a key/value array
77
- */
78
- function WPOAuthParseResponse($responseString) {
79
- $r = array();
80
- foreach (explode('&', $responseString) as $param) {
81
- $pair = explode('=', $param, 2);
82
- if (count($pair) != 2) continue;
83
- $r[urldecode($pair[0])] = urldecode($pair[1]);
84
- }
85
- return $r;
86
- }
87
-
88
- /**
89
- * Get the authorize URL
90
- *
91
- * @returns a string
92
- */
93
- function getAuthorizeURL($token) {
94
- if (is_array($token)) $token = $token['WPOAuth_token'];
95
- return $this->authorizeURL() . '?WPOAuth_token=' . $token;
96
- }
97
-
98
-
99
- /**
100
- * Get the authenticate URL
101
- *
102
- * @returns a string
103
- */
104
- function getAuthenticateURL($token) {
105
- if (is_array($token)) $token = $token['WPOAuth_token'];
106
- return $this->authenticateURL() . '?WPOAuth_token=' . $token;
107
- }
108
-
109
- /**
110
- * Exchange the request token and secret for an access token and
111
- * secret, to sign API calls.
112
- *
113
- * @returns array("WPOAuth_token" => the access token,
114
- * "WPOAuth_token_secret" => the access secret)
115
- */
116
- function getAccessToken($token = NULL) {
117
- $r = $this->WPOAuthRequest($this->accessTokenURL());
118
- $token = $this->WPOAuthParseResponse($r);
119
- $this->token = new WPOAuthConsumer($token['WPOAuth_token'], $token['WPOAuth_token_secret']);
120
- return $token;
121
- }
122
- /**
123
- * Wrapper for POST requests
124
- */
125
- function post($url, $parameters = array()) {
126
- $response = $this->WPOAuthRequest( $url,$parameters,'POST' );
127
- if ($this->format === 'json' && $this->decode_json) {
128
- return json_decode($response);
129
- }
130
- return $response;
131
- }
132
- /**
133
- * Wrapper for GET requests
134
- */
135
- function get($url, $parameters = array()) {
136
- $response = $this->WPOAuthRequest( $url,$parameters,'GET' );
137
- if ($this->format === 'json' && $this->decode_json) {
138
- return json_decode($response);
139
- }
140
- return $response;
141
- }
142
- /**
143
- * Format and sign an WPOAuth / API request
144
- */
145
- function WPOAuthRequest($url, $args = array(), $method = NULL) {
146
- if (empty($method)) $method = empty($args) ? "GET" : "POST";
147
- $req = WPOAuthRequest::from_consumer_and_token($this->consumer, $this->token, $method, $url, $args);
148
- $req->sign_request($this->sha1_method, $this->consumer, $this->token);
149
-
150
- $response = false;
151
- $url = null;
152
-
153
- switch ($method) {
154
- case 'GET':
155
- $url = $req->to_url();
156
- $response = wp_remote_get( $url );
157
- break;
158
- case 'POST':
159
- $url = $req->get_normalized_http_url();
160
- $args = wp_parse_args($req->to_postdata());
161
- $response = wp_remote_post( $url, array('body'=>$args));
162
- break;
163
- }
164
-
165
- if ( is_wp_error( $response ) ) return false;
166
-
167
- $this->http_code = $response['response']['code'];
168
- $this->last_api_call = $url;
169
- $this->format = 'json';
170
- $this->http_header = $response['headers'];
171
-
172
- return $response['body'];
173
- }
174
- }
175
  }
1
+ <?php
2
+ /*
3
+ * Abraham Williams (abraham@abrah.am) http://abrah.am
4
+ *
5
+ * The first PHP Library to support WPOAuth for Twitter's REST API.
6
+ *
7
+ */
8
+
9
+ /* Load WPOAuth lib. You can find it at http://WPOAuth.net */
10
+ require_once('WP_OAuth.php');
11
+
12
+ if (!class_exists('jd_TwitterOAuth')) {
13
+
14
+ /**
15
+ * Twitter WPOAuth class
16
+ */
17
+ class jd_TwitterOAuth {
18
+ /* Contains the last HTTP status code returned */
19
+ public $http_code;
20
+ /* Contains the last API call. */
21
+ public $url;
22
+ /* Set up the API root URL. */
23
+ public $host = "http://api.twitter.com/1/";
24
+ /* Set timeout default. */
25
+ public $format = 'json';
26
+ /* Decode returned json data. */
27
+ public $decode_json = false;
28
+ /* Contains the last API call */
29
+ private $last_api_call;
30
+ /* containe the header */
31
+ public $http_header;
32
+
33
+ /**
34
+ * Set API URLS
35
+ */
36
+ function accessTokenURL() { return "http://api.twitter.com/oauth/access_token"; }
37
+ function authenticateURL() { return "http://api.twitter.com/oauth/authenticate"; }
38
+ function authorizeURL() { return "http://api.twitter.com/oauth/authorize"; }
39
+ function requestTokenURL() { return "http://api.twitter.com/oauth/request_token"; }
40
+
41
+ /**
42
+ * Debug helpers
43
+ */
44
+ function lastStatusCode() { return $this->http_code; }
45
+ function lastAPICall() { return $this->last_api_call; }
46
+
47
+ /**
48
+ * construct TwitterWPOAuth object
49
+ */
50
+ function __construct($consumer_key, $consumer_secret, $WPOAuth_token = NULL, $WPOAuth_token_secret = NULL) {
51
+ $this->sha1_method = new WPOAuthSignatureMethod_HMAC_SHA1();
52
+ $this->consumer = new WPOAuthConsumer($consumer_key, $consumer_secret);
53
+ if (!empty($WPOAuth_token) && !empty($WPOAuth_token_secret)) {
54
+ $this->token = new WPOAuthConsumer($WPOAuth_token, $WPOAuth_token_secret);
55
+ } else {
56
+ $this->token = NULL;
57
+ }
58
+ }
59
+
60
+
61
+ /**
62
+ * Get a request_token from Twitter
63
+ *
64
+ * @returns a key/value array containing WPOAuth_token and WPOAuth_token_secret
65
+ */
66
+ function getRequestToken() {
67
+ $r = $this->WPOAuthRequest($this->requestTokenURL());
68
+ $token = $this->WPOAuthParseResponse($r);
69
+ $this->token = new WPOAuthConsumer($token['WPOAuth_token'], $token['WPOAuth_token_secret']);
70
+ return $token;
71
+ }
72
+
73
+ /**
74
+ * Parse a URL-encoded WPOAuth response
75
+ *
76
+ * @return a key/value array
77
+ */
78
+ function WPOAuthParseResponse($responseString) {
79
+ $r = array();
80
+ foreach (explode('&', $responseString) as $param) {
81
+ $pair = explode('=', $param, 2);
82
+ if (count($pair) != 2) continue;
83
+ $r[urldecode($pair[0])] = urldecode($pair[1]);
84
+ }
85
+ return $r;
86
+ }
87
+
88
+ /**
89
+ * Get the authorize URL
90
+ *
91
+ * @returns a string
92
+ */
93
+ function getAuthorizeURL($token) {
94
+ if (is_array($token)) $token = $token['WPOAuth_token'];
95
+ return $this->authorizeURL() . '?WPOAuth_token=' . $token;
96
+ }
97
+
98
+
99
+ /**
100
+ * Get the authenticate URL
101
+ *
102
+ * @returns a string
103
+ */
104
+ function getAuthenticateURL($token) {
105
+ if (is_array($token)) $token = $token['WPOAuth_token'];
106
+ return $this->authenticateURL() . '?WPOAuth_token=' . $token;
107
+ }
108
+
109
+ /**
110
+ * Exchange the request token and secret for an access token and
111
+ * secret, to sign API calls.
112
+ *
113
+ * @returns array("WPOAuth_token" => the access token,
114
+ * "WPOAuth_token_secret" => the access secret)
115
+ */
116
+ function getAccessToken($token = NULL) {
117
+ $r = $this->WPOAuthRequest($this->accessTokenURL());
118
+ $token = $this->WPOAuthParseResponse($r);
119
+ $this->token = new WPOAuthConsumer($token['WPOAuth_token'], $token['WPOAuth_token_secret']);
120
+ return $token;
121
+ }
122
+ /**
123
+ * Wrapper for POST requests
124
+ */
125
+ function post($url, $parameters = array()) {
126
+ $response = $this->WPOAuthRequest( $url,$parameters,'POST' );
127
+ if ($this->format === 'json' && $this->decode_json) {
128
+ return json_decode($response);
129
+ }
130
+ return $response;
131
+ }
132
+ /**
133
+ * Wrapper for GET requests
134
+ */
135
+ function get($url, $parameters = array()) {
136
+ $response = $this->WPOAuthRequest( $url,$parameters,'GET' );
137
+ if ($this->format === 'json' && $this->decode_json) {
138
+ return json_decode($response);
139
+ }
140
+ return $response;
141
+ }
142
+ /**
143
+ * Format and sign an WPOAuth / API request
144
+ */
145
+ function WPOAuthRequest($url, $args = array(), $method = NULL) {
146
+ if (empty($method)) $method = empty($args) ? "GET" : "POST";
147
+ $req = WPOAuthRequest::from_consumer_and_token($this->consumer, $this->token, $method, $url, $args);
148
+ $req->sign_request($this->sha1_method, $this->consumer, $this->token);
149
+
150
+ $response = false;
151
+ $url = null;
152
+
153
+ switch ($method) {
154
+ case 'GET':
155
+ $url = $req->to_url();
156
+ $response = wp_remote_get( $url );
157
+ break;
158
+ case 'POST':
159
+ $url = $req->get_normalized_http_url();
160
+ $args = wp_parse_args($req->to_postdata());
161
+ $response = wp_remote_post( $url, array('body'=>$args));
162
+ break;
163
+ }
164
+
165
+ if ( is_wp_error( $response ) ) return false;
166
+
167
+ $this->http_code = $response['response']['code'];
168
+ $this->last_api_call = $url;
169
+ $this->format = 'json';
170
+ $this->http_header = $response['headers'];
171
+
172
+ return $response['body'];
173
+ }
174
+ }
175
  }
js/jquery.charcount.js CHANGED
@@ -1,58 +1,64 @@
1
- /*
2
- * Character Count Plugin - jQuery plugin
3
- * Dynamic character count for text areas and input fields
4
- * written by Alen Grakalic
5
- * http://cssglobe.com/
6
- *
7
- * Copyright (c) 2009 Alen Grakalic (http://cssglobe.com)
8
- * Dual licensed under the MIT (MIT-LICENSE.txt)
9
- * and GPL (GPL-LICENSE.txt) licenses.
10
- *
11
- * Built for jQuery library
12
- * http://jquery.com
13
- *
14
- */
15
-
16
- (function($) {
17
-
18
- $.fn.charCount = function(options){
19
-
20
- // default configuration properties
21
- var defaults = {
22
- allowed: 140,
23
- warning: 25,
24
- css: 'counter',
25
- counterElement: 'span',
26
- cssWarning: 'warning',
27
- cssExceeded: 'exceeded',
28
- counterText: ''
29
- };
30
-
31
- var options = $.extend(defaults, options);
32
-
33
- function calculate(obj){
34
- var count = $(obj).val().length;
35
- var available = options.allowed - count;
36
- if(available <= options.warning && available >= 0){
37
- $(obj).next().addClass(options.cssWarning);
38
- } else {
39
- $(obj).next().removeClass(options.cssWarning);
40
- }
41
- if(available < 0){
42
- $(obj).next().addClass(options.cssExceeded);
43
- } else {
44
- $(obj).next().removeClass(options.cssExceeded);
45
- }
46
- $(obj).next().html(options.counterText + available);
47
- };
48
-
49
- this.each(function() {
50
- $(this).after('<'+ options.counterElement +' class="' + options.css + '">'+ options.counterText +'</'+ options.counterElement +'>');
51
- calculate(this);
52
- $(this).keyup(function(){calculate(this)});
53
- $(this).change(function(){calculate(this)});
54
- });
55
-
56
- };
57
-
58
- })(jQuery);
 
 
 
 
 
 
1
+ /*
2
+ * Character Count Plugin - jQuery plugin
3
+ * Dynamic character count for text areas and input fields
4
+ * written by Alen Grakalic
5
+ * http://cssglobe.com/
6
+ *
7
+ * Copyright (c) 2009 Alen Grakalic (http://cssglobe.com)
8
+ * Dual licensed under the MIT (MIT-LICENSE.txt)
9
+ * and GPL (GPL-LICENSE.txt) licenses.
10
+ *
11
+ * Built for jQuery library
12
+ * http://jquery.com
13
+ *
14
+ */
15
+
16
+ (function($) {
17
+
18
+ $.fn.charCount = function(options){
19
+
20
+ // default configuration properties
21
+ var defaults = {
22
+ allowed: 140,
23
+ warning: 25,
24
+ css: 'counter',
25
+ counterElement: 'span',
26
+ cssWarning: 'warning',
27
+ cssExceeded: 'exceeded',
28
+ counterText: ''
29
+ };
30
+
31
+ var options = $.extend(defaults, options);
32
+
33
+ function calculate(obj){
34
+ var count = $(obj).val().length;
35
+
36
+ var urlcount = $(obj).val().indexOf('#url#') > -1 ? 15 : 0;
37
+ var titlecount = $(obj).val().indexOf('#title#') > -1 ? ($('#title').val().length-7) : 0;
38
+ var namecount = $(obj).val().indexOf('#blog#') > -1 ? ($('#wp-admin-bar-site-name').val().length-6) : 0;
39
+
40
+ var available = options.allowed - (count+urlcount+titlecount+namecount);
41
+
42
+ if(available <= options.warning && available >= 0){
43
+ $(obj).next().addClass(options.cssWarning);
44
+ } else {
45
+ $(obj).next().removeClass(options.cssWarning);
46
+ }
47
+ if(available < 0){
48
+ $(obj).next().addClass(options.cssExceeded);
49
+ } else {
50
+ $(obj).next().removeClass(options.cssExceeded);
51
+ }
52
+ $(obj).next().html(options.counterText + available);
53
+ };
54
+
55
+ this.each(function() {
56
+ $(this).after('<'+ options.counterElement +' class="' + options.css + '">'+ options.counterText +'</'+ options.counterElement +'>');
57
+ calculate(this);
58
+ $(this).keyup(function(){calculate(this)});
59
+ $(this).change(function(){calculate(this)});
60
+ });
61
+
62
+ };
63
+
64
+ })(jQuery);
readme.txt CHANGED
@@ -1,656 +1,718 @@
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: 2.9.2 (partial)
6
- Tested up to: 3.4
7
- Stable tag: trunk
8
-
9
- Posts a Twitter update when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Requires PHP 5.
10
-
11
- == Description ==
12
-
13
- WP to Twitter posts a Twitter status update from your WordPress blog using your URL shortening service to provide a link back to your post from Twitter.
14
-
15
- The plugin supports a default Tweet template for updating or editing posts and pages, supports your custom post types, and also allows you to write a custom Tweet for each post which says whatever you want, using a selection of custom shortcodes to generate your text.
16
-
17
- Additional features include:
18
-
19
- * Use tags as Twitter hashtags
20
- * Use alternate URLs in place of post permalinks
21
- * Support for Google Analytics
22
- * Support for XMLRPC remote clients
23
-
24
- Any status update you write which is longer than the available space will be truncated by the plugin. This applies to both default messages and to your custom messages.
25
-
26
- Upgrade to [WP Tweets Pro](http://www.joedolson.com/articles/wp-tweets-pro/) to gain additional features.
27
-
28
- Translations:
29
-
30
- * Brazilian Portugese: [Miriam de Paula](http://wpmidia.com.br) [2.4.4]
31
- * Italian: [Gianni Diurno](http://www.gidibao.net) [2.3.14]
32
- * Lithuanian [Nata Strazda](http://www.designcontest.com) [2.3.8]
33
- * Simplified Chinese: [HostUCan](http://www.hostucan.com) [2.3.8]
34
- * Traditional Chinese: [HostUCan](http://www.hostucan.com) [2.3.8]
35
- * Belarussian: [Alex Alexandrov](http://www.webhostingrating.com) [2.3.8]
36
- * Ukrainian: [Alyona Lompar](http://www.webhostinggeeks.com) [2.3.3]
37
- * Spanish: [David Gil P&eacute;rez](http://www.sohelet.com)
38
- * Russian: [Burkov Boris](http://chernobog.ru)
39
- * French: [Fr&eacute;d&eacute;ric Million](http://www.traducteurs.com)
40
- * Estonian: [Raivo Ratsep](http://raivoratsep.com)
41
- * Dutch: [Rene at WPwebshop](http://wpwebshop.com/premium-wordpress-plugins/)
42
- * Romanian: [Jibo](http://jibo.ro)
43
- * Danish: [Rasmus Himmelstrup](http://seoanalyst.dk)
44
- * Japanese: [kndb](http://blog.layer8.sh/)
45
-
46
- New translations are always welcome! The translation source file is in the WP to Twitter download.
47
-
48
- Credits:
49
-
50
- Contributions by [Thor Erik](http://www.thorerik.net), Bill Berry and [Andrea Baccega](http://www.andreabaccega.com). Some code previously contributed is no longer in this plug-in. Other bug fixes and related citations can be found in the changelog.
51
-
52
- == Changelog ==
53
-
54
- = 2.4.5 =
55
-
56
- * Added #modified# to use post modified date in templates.
57
- * Corrected unstripped slashes for template preview in WP to Twitter post box
58
- * Character count for custom tweet text was incorrect on initial load in edit mode.
59
- * Replaced character counter with a more Twitter-like character counter (counting down.)
60
- * Removed JavaScript from post box so that WP to Twitter box is properly draggable.
61
- * Added ampersand to normalizer function
62
- * Updated Brazilian Portuguese translation
63
-
64
- = 2.4.4 =
65
-
66
- * Bug fix: Truncation error if no crucial elements are truncatable
67
- * Bug fix: Unclosed if/else caused empty Settings link on plugins page.
68
- * Bug fix: "Post on XMLRPC" option must not be selected if using WP Tweets Pro with XML RPC
69
- * Bug fix: Windows Live Writer (and perhaps other apps) send entity-converted characters on XMLRPC post; need to decode entities in text before sending to Twitter.
70
- * Bug fix/change: Provides option to switch to http connections to Twitter if https connection returns SSL errors.
71
-
72
- = 2.4.3 =
73
-
74
- * Bug fix: In some cases, Administrators were not granted permissions to add custom tweets and other capability restricted tasks.
75
- * MAJOR bug fix: broke an element of the authorization routine which caused an early exit out of posting to Twitter for some users.
76
- * Settings link on plugins listing incorrect if WP Tweets Pro enabled.
77
-
78
- = 2.4.2 =
79
-
80
- * 2.4.1 had an error in the upgrade routine which broke the upgrade.
81
-
82
- = 2.4.1 =
83
-
84
- * I had mistakenly restricted WP Tweets PRO administrators from setting their own accounts, which was a problem for sites with multiple admin-level authors.
85
- * Revised permissions model to use custom capability to control access to user accounts rather than default capabilities.
86
- * Also switched to custom capability to control access to custom tweet options.
87
- * URL to settings page pointed to wrong location if WP Tweets PRO was installed before configuring WP to Twitter.
88
- * Support request form submitted to invalid URL if WP Tweets PRO installed.
89
- * If append or prepend fields were in use, they were duplicated in Tweets on reposts.
90
- * Added option so that users can be allowed to toggle the Tweet/Don't Tweet custom option without being able to edit other permissions.
91
-
92
- = 2.4.0 =
93
-
94
- * Bug fix/change: Twitter automatically shortens all URLs sent. As a result, all URLs are by definition 19 characters for the purpose of Tweeting. WP to Twitter now measures the value of the #url# tag as 19 characters, regardless of actual length.
95
- * Category limiting can now either mean "tweet checked categories" or "don't tweet checked categories".
96
- * Option to hide custom tweet box and options based on user roles.
97
- * User role permissions now support custom roles
98
- * Ability to determine the sequence in which fields are truncated or removed from Tweets if they exceed status length limits.
99
- * Replace cURL requirement with WP_HTTP wrapper.
100
- * Significant re-write of underlying code.
101
- * Redesign of settings pages.
102
- * Significant text revisions.
103
- * Release of [WP Tweets Pro](http://www.joedolson.com/articles/wp-tweets-pro/), a pro upgrade to WP to Twitter.
104
-
105
- = 2.3.18 =
106
-
107
- * Bug fix: resolved case where new backdated posts were treated as edits.
108
- * Some changes to Tweet truncating routines to avoid modifying the URL during truncation.
109
-
110
- = 2.3.17 =
111
-
112
- * Bug fix: Custom Tweet text not sent for custom post types if the post was not saved prior to publishing.
113
- * Bug fix: Scheduled posts would not Tweet if certain plug-ins were installed, due to modifications of post dates.
114
-
115
- = 2.3.16 =
116
-
117
- * Bug fix: Change in 2.3.15 to fix XMLRPC publishing edits also classed scheduled posts as edits.
118
-
119
- = 2.3.15 =
120
-
121
- * Eliminated unnecessary duplication in error messages.
122
- * If application is not authenticated, status updates on posting now fail silently.
123
- * Added additional error help if cURL is not supported.
124
- * Improved error response information for other http_code responses from Twitter
125
- * Added reminder of your template format to WP to Twitter custom box
126
- * Moved tags from an option to a template tag.
127
- * Fixed bug where shortcodes were not stripped from post excerpts
128
- * Bug fix: If a scheduled post was edited once, without changing publishing time, custom Tweet text was lost.
129
- * Added support for the app_publish_post hook
130
- * Bug fix: XMLRPC published edits to Twitter when post updates on edit disabled
131
-
132
- = 2.3.14 =
133
-
134
- * Bug fix for value treated as array without verifying
135
- * Update to Italian translation
136
-
137
- = 2.3.13 =
138
-
139
- * Fixes missing function_exists check for Normalizer.
140
-
141
- = 2.3.12 =
142
-
143
- * Links added in link manager were getting run through the manual WP link shortener
144
- * Added appropriate normalizer call for PHP versions above 5
145
- * Adjustment to Tweet truncation to hopefully avoid runaway truncating.
146
- * Added a new FAQ to my web site about character counting.
147
- * Fixed URL wrapper error with fopen()
148
- * Bug fix: Switched 'Tweet this post' checkbox to a radio selector for simpler logic.
149
- * Now saving all past Tweets for each post.
150
-
151
- = 2.3.11 =
152
-
153
- * Error in commenter field; accidentally defined braces as template wrapper instead of hashes
154
- * Text updates
155
- * Removed PluginSponsors.com
156
- * Changed API query address to https.
157
-
158
- = 2.3.10 =
159
-
160
- * Did not expect people would submit support requests without actually adding a message. Message now required.
161
-
162
- = 2.3.9 =
163
-
164
- * Fixed issue with category detection
165
- * Changed one function name to a non-generic name.
166
- * Modified remote URL calls; should fix problem contacting Bit.ly
167
- * Added template tag #commenter# available in comment Tweet template. Use with caution.
168
- * Added plug-in support request form.
169
- * Fixed bug where custom Tweet text was over written in a quick edit
170
- * Fixed "Don't Tweet this Post' checkbox
171
- * Added Goo.gl as an additional URL shortener.
172
- * Added custom keyword option for YOURLS shortener.
173
-
174
- = 2.3.8 =
175
-
176
- * Bug fix: Warning message about 2.9.2 limited support no longer displays on public site.
177
-
178
- = 2.3.7 =
179
-
180
- * Double Tweeting problem fixed.
181
- * Missing custom Tweets fixed.
182
- * Revised WordPress version support notes.
183
- * I hope.
184
-
185
- = 2.3.6 =
186
-
187
- * Error in runtime created function fixed.
188
-
189
- = 2.3.5 =
190
-
191
- * Bug fix to custom shortcode support to allow use of multiple custom shortcodes simultaneously
192
- * Bug fix to (hopefully) solve duplicate posting when tags are included on scheduled posts.
193
- * Added comparison of your server time to Twitter's server time for information when installing.
194
- * Updated Italian translation.
195
-
196
- = 2.3.4 =
197
-
198
- * Re-wrote instructions for connecting to OAuth to reflect redesigned Twitter Apps registration process
199
- * Code clean-up to remove some redundancies
200
- * Bug fixes:
201
- - Occasional double Tweeting on future post seems to be fixed.
202
- - Tweeting on edits/quick edits when not checked
203
- * Added Ukrainian translation
204
-
205
- = 2.3.3 =
206
-
207
- * Improved support for non-standard publishing mechanisms.
208
- * Fixed 'Tweet this' option.
209
- * Quickpress setting made obsolete
210
- * Now uses wp_get_shortlink() when available for generating WP-based shortlink.
211
-
212
- = 2.3.2 =
213
-
214
- * Fixed XMLRPC support
215
- * Updated Italian translation
216
-
217
- = 2.3.1 =
218
-
219
- * Added version check and update cycle into Tweet routine
220
-
221
- = 2.3.0 =
222
-
223
- * Added support for custom post types.
224
- * Added support for Tweeting when comments are posted.
225
- * Bug fix: results of checking/unchecking 'Don't Tweet this' box not consistent.
226
- * Added Japanese translation. [kndb](http://blog.layer8.sh/)
227
-
228
- = 2.2.12 =
229
-
230
- * Bug fix release. Sorry.
231
- * Added translation to Brazilian Portugese [Matheus Bratfisch](http://www.matbra.com)
232
-
233
- = 2.2.11 =
234
-
235
- * Missing break statement caused remote YOURLS URLs to be replaced with Su.pr URLs
236
-
237
- = 2.2.10 =
238
-
239
- * Bug in user settings retrieval; don't know how long it's been a problem.
240
- * Added updated Italian translation
241
-
242
- = 2.2.9 =
243
-
244
- * Blocked posting on custom post types
245
- * Added time check, for servers with incorrect time.
246
- * Added cURL check.
247
- * Due to ongoing problems with Cli.gs, removed that URL shortening service and replaced with Su.pr
248
- * Changed default shortening to 'no shortening'
249
- * Saves every Tweet into post meta on save; adds link to re-post status update in WP to Twitter post box.
250
- * Revised error messages to increase detail.
251
-
252
- = 2.2.8 =
253
-
254
- * Enhancement: protect against duplicate Tweets
255
- * Bug fix: hash tag replacement with spaces problematic if alphanumeric limit also set
256
- * Bug fix: issue with scheduled posts posting when 'Do not Tweet' checked.
257
- * Added Danish translation by Rasmus Himmelstrup
258
- * Updates to compensate for changes in YOURLS 1.5
259
-
260
- = 2.2.7 =
261
-
262
- * Enhancement: strips shortcodes before sending post excerpts to Tweet
263
- * Enhancement: Added PHP version check and warning.
264
- * Added a default case to check on HTTP response code from Twitter.
265
- * Added a specific error message for out of sync server times.
266
- * Added link to [WP to Twitter's Fundry.com page](https://fundry.com/project/10-wp-to-twitter).
267
- * Bug fix: hash tag space removal fixed
268
- * Enhancement: Respects wp content directory constants if set.
269
-
270
- = 2.2.6 =
271
-
272
- * Modification: renamed OAuth files to maybe avoid collision with alternate OAuth versions which do not include needed methods
273
- * Eliminated postbox toggles
274
- * Clean out deprecated functions
275
- * Updated admin styles and separated into a separate file.
276
- * Bug fix: Edited pages did not Tweet
277
- * Bug fix: May have reduced occurrences of URL not being sent in status update. Maybe.
278
- * Bug fix: Forced lowercase on Bit.ly API username (Thanks, Bit.ly for NOT DOCUMENTING this.)
279
- * Added option to strip non-alphanumeric characters from hash tags
280
- * Added control to adjust which levels of users will see custom Profile settings
281
- * Found myself becoming unnecessarily sarcastic in Changelog notes. Will fix in next version. :)
282
-
283
- = 2.2.5 =
284
-
285
- * Bug fix: shouldn't see error 'Could not redeclare OAuth..' again.
286
- * Bug fix: shouldn't see 'Fatal error: Class 'OAuthSignatureMethod...' again.
287
- * Bug fix: updated API endpoints
288
-
289
- = 2.2.4 =
290
-
291
- * Blocked global error messages from being seen by non-admin level users.
292
- * Added #account# shortcode to supply Twitter username @ reference in Tweet templates.
293
- * Updated debugging output
294
- * Deletes obsolete options from database
295
-
296
- = 2.2.3 =
297
-
298
- * Fixed: Bug which added unnecessary duplications of post meta
299
- * Fixed: broken analytics campaign info
300
- * Fix attempt to clear up problems with urlencoding of links
301
- * Fix attempt to clear up problems with some 403 errors and status update truncation
302
-
303
- = 2.2.2 =
304
-
305
- * Fixed a bug where new Pages did not Tweet.
306
- * Minor text changes to try and clarify OAuth process.
307
- * Fixed bug where any post with a customized status update would post, regardless of settings.
308
- * Fixed faulty shortening when new links were added.
309
-
310
- = 2.2.1 =
311
-
312
- * Not a Beta anymore.
313
- * Fixed issue with non-shortening links when using XMLRPC clients
314
- * Fixed issue with double-urlencoding of links before shortening
315
- * Added Dutch translation
316
- * Updated Italian translation
317
-
318
-
319
- = 2.2.0 (beta 7) =
320
-
321
- * Significantly improved error reporting.
322
- * Completely revamped secondary author support to give some value in Twitter.
323
- * Completely eliminated secondary posting service support. Too much trouble, too little application.
324
- * Removed the custom post meta data clutter; WP to Twitter's post meta data is now private to the plugin.
325
- * Fixed a couple of error situations with Bit.ly
326
- * Made it possible for contributor posts to be Tweeted
327
- * This is the last beta version.
328
-
329
- = 2.2.0 (beta 6) =
330
-
331
- * Fixed bug where errors were reported on categories not intended to be sent to Twitter
332
- * Allowed OAuth notice to be disabled for users not intending to use that service.
333
- * Added a debugging option to output some process data if OAuth connection fails
334
- * Fixed bug which prevented posting of edited status updates
335
-
336
- = 2.2.0 (beta 5) =
337
-
338
- * Eliminated an incompatibility with alternate versions of twitterOAuth class
339
- * Significant revisions of error message processes and details
340
- * Fixed some URL shortener problems
341
- * Added simplified Chinese translation
342
-
343
- = 2.2.0 (beta 4) =
344
-
345
- * Fixed long-standing issue with serialization of option arrays
346
- * Fixed trimming of white space from authentication keys
347
- * Clarification of some texts to help explain some of the changes
348
- * Clarification of some texts to help explain how to connect to Twitter with OAuth
349
- * Added credit for Estonian translation by Raivo Ratsep.
350
-
351
- = 2.2.0 (beta 3) =
352
-
353
- * Fixed issue with failing to post to Twitter.
354
-
355
- = 2.2.0 (beta 2) =
356
-
357
- * Fixed false positive error message on Twitter check routine failure
358
- * Adjusted twitteroauth file to hopefully avoid certain errors
359
-
360
- = 2.2.0 (beta) =
361
-
362
- * Added OAuth support
363
- * Fixed problem with default Tweet status not defaulting to 'no.'
364
- * Revised a few other minor issues
365
- * No longer supporting WordPress versions below 2.9.2
366
- * Eliminated features: Author's Twitter account posting; Use of additional service to post to Twitter on a second account. These features are not possible with simple OAuth authentication; they require XAuth. This makes the features of extremely limited value, since you, as the user, would be required to apply for XAuth permissions on your own installation. I regret the necessity to remove these features. Both options will still function with Twitter-compatible API services using Basic authentication.
367
-
368
- = 2.1.3 =
369
-
370
- * Fixed copy typo.
371
-
372
- = 2.1.2 =
373
-
374
- * Last update before oAuth integration, I hope.
375
- * Fixed problems with Postie compatibility
376
- * Fixed bug where local YOURLS path could not be unset
377
- * Fixed some issues with upgrades which re-wrote status update templates, occasionally removing the #url# shortcode.
378
- * Despite numerous reports of issues API behavior with Bit.ly or Twitter, I was unable, in testing, to reproduce any issues, including on servers which I know have had failed requests in the past.
379
- * Revised upgrade routines to avoid future problems.
380
-
381
- = 2.1.1 =
382
-
383
- * Added a control to disable error messages.
384
- * Separated URL shortener errors from Twitter API errors.
385
- * Added stored value with the error message from Bit.ly to try and identify source of errors.
386
-
387
- = 2.1.0 =
388
-
389
- * Now compatible through WP 3.0 series
390
- * Fixed bug related to failed responses from URL shortener API requests.
391
- * Added #author# shortcode for status update templates.
392
- * Fixed a problem with non-posting of scheduled posts when default status updates are disabled.
393
-
394
- = 2.0.4 =
395
-
396
- * Fixed bug where status updates were not posted when a post changed from pending to published. (Thanks to Justin Heideman for the catch and fix.)
397
- * Fixed bug where passwords with special characters were not used correctly
398
- * Eliminated use of LongURL API due to closure of the service. Hope to replace this functionality at some point, so I've left the framework intact, just removed the API call.
399
- * Improved error reporting in support check routines.
400
-
401
- = 2.0.3 =
402
-
403
- * Updated for Bit.ly API v3 (should fix recent issues with incorrect reporting from Bit.ly API and API request failures.)
404
-
405
- = 2.0.2 =
406
-
407
- * Bug fixed where appended text was placed before hash tags.
408
- * Added method for error messages to be automatically cleared following a successful status update. It seems a lot of people couldn't find the button to clear errors, and thought they were getting an error every time.
409
- * Moved short URL selection option to a more prominent location.
410
-
411
- = 2.0.1 =
412
-
413
- * Bug found with YOURLS short url creation when using multiple sites with one YOURLS installation and short URLS are created using post ID. Added option to disable post_ID as shortURL generating key in YOURLS account settings.
414
- * Missing semicolon replaced in uninstall.php
415
-
416
- = 2.0.0 =
417
-
418
- * Fixed bug introduced in WordPress 2.9 where logged in users could only edit their own profiles and associated issues.
419
- * Fixed bug which caused #url# to repeatedly be added to the end of Tweet texts on reactivation or upgrade.
420
- * Fixed bug which generated shortener API error messages when no URL shortener was used.
421
- * Fixed bug which prevented display of URL on edit screen if no URL shortener was used.
422
- * Added Spanish translation courtesy of [David Gil P&eacute;rez](http://www.sohelet.com)
423
- * Made so many language changes that aforementioned translation is now terribly out of date, as are all others...
424
- * Added ability to restrict posting to certain categories.
425
- * Added option to dynamically generate Google Analytics campaign identifier by category, post title, author, or post id.
426
- * Added option to configure plugin to use other services using the Twitter-compatible API.
427
- * Added support for YOURLS installations as your URL shortener. (Either local or remote.)
428
- * Redesigned administrative interface.
429
- * Removed use of Snoopy and alternate HTTP request methods.
430
- * Discontinued support for WordPress versions below version 2.7.
431
- * Major revisions to support checks.
432
- * Version jumped to 2.0.0
433
-
434
- = 1.5.7 =
435
-
436
- * Quick bug fix contributed by DougV from WordPress Forums.
437
-
438
- = 1.5.6 =
439
-
440
- * WP 2.9 added support for JSON on PHP versions below 5.2; changes made to do WP version checking before adding JSON support.
441
- * Stripslashes added to viewable data fields.
442
- * Added option for spaces to be removed in hashtags.
443
- * A few post meta updates.
444
- * Barring major disasters, this will be the last release in the 1.x series. Expect version 2 sometime in late January.
445
-
446
- = 1.5.5 =
447
-
448
- * Fixed issue with stray hashtags appearing when Tweeting edited posts was disabled and adding hashtags was enabled.
449
- * Added shortcode (#date#) for post date. Uses your WordPress date settings to format date, but allows you to customize for WP to Twitter.
450
-
451
- = 1.5.4 =
452
-
453
- * Fixed issue with spaces in hashtags.
454
- * Added configurable replacement character in hashtags.
455
-
456
- = 1.5.3 =
457
-
458
- * Revised the function which checks whether your Tweet is under the 140 character limit imposed by Twitter. This function had a number of awkward bugs which have now (hopefully) been eradicated.
459
- * Revised the tags->hashtags generation for better reliability. Fixes bugs with failing to send hashtags to Twitter if they haven't been saved and allowing hashtags on scheduled posts.
460
- * Option to use WP default URL as a short URL. (http://yourdomain.com/yourblog/?p=id).
461
-
462
- = 1.5.2 =
463
-
464
- * Minor code cleanup
465
- * Fixed uncommon bug where draft posts would not Tweet when published.
466
- * Fixed bug where #title# shortcode wouldn't work due to prior URL encoding. (Also covers some other obscure bugs.) Thanks to [Daniel Chcouri](http://www.anarchy.co.il) for the great catch.
467
- * Added new shortcode (#category#) to fetch the first post category.
468
- * Provided a substitute function for hosts not supportin mb_substr().
469
- * Fixed a bug where a hashtag would be posted on edits when posting updates was not enabled for edits.
470
- * Put Cli.gs change revisions on hold barring updates from Pierre at Cli.gs
471
-
472
- = 1.5.1 =
473
-
474
- * Because that's what I get for making last minute changes.
475
-
476
- = 1.5.0 =
477
-
478
- * Due to a large number of problems in the 1.4.x series, I'm launching a significant revision to the base code earlier than initially planned. This is because many of these features were already in development, and it's simply too much work to maintain both branches of the code.
479
- * Added option to export settings in plain text for troubleshooting.
480
- * Simplified some aspects of the settings page.
481
- * Added custom text options for WordPress Pages to match support for Posts.
482
- * Improved tags as hashtags handling.
483
- * Added the ability to use custom shortcodes to access information in custom fields.
484
- * Improved some error messages to clarify certain issues.
485
-
486
- = 1.4.11 =
487
-
488
- * Fixed a bug which allowed editing of posts to be Tweeted if status updates on editing Pages were permitted.
489
- * Fixed a bug in the support check routine which caused all Cli.gs tests to fail.
490
- * Streamlined logic controlling whether a new or edited item should be Tweeted.
491
- * Added Italian translation. Thanks to [Gianni Diurno](http://www.gidibao.net)!
492
-
493
- = 1.4.10 =
494
-
495
- * Was never supposed to exist, except that I *forgot* to include a backup function.
496
-
497
- = 1.4.9 =
498
-
499
- * Added German translation. Thanks to [Melvin](http://www.toxicavenger.de/)!
500
- * Fixed a bug relating to missing support for a function or two.
501
- * Fixed a bug relating to extraneous # symbols in tags
502
-
503
- = 1.4.8 =
504
-
505
- * Adds a function to provide PHP5s str_split functionality for PHP4 installations.
506
-
507
- = 1.4.7 =
508
-
509
- * Actually resolves the bug which 1.4.6 was supposed to fix.
510
-
511
- = 1.4.6 =
512
-
513
- * Hopefully resolved bug with empty value for new field in 1.4.5. It's late, so I won't know until tomorrow...
514
-
515
- = 1.4.5 =
516
-
517
- * Resolved bug with extraneous hash sign when no tags are attached.
518
- * Resolved bug where #url# would appear when included in posting string but with 'link to blog' disabled.
519
- * Added expansion of short URL via longURL.org stored in post meta data.
520
- * Resolved additional uncommon bug with PHP 4.
521
- * Added option to incorporate optional post excerpt.
522
- * Better handling of multibyte character sets.
523
-
524
- = 1.4.4 =
525
-
526
- * Resolved two bugs with hashtag support: spaces in multi-word tags and the posting of hashtag-only status updates when posting shouldn't happen.
527
-
528
- = 1.4.3 =
529
-
530
- * Resolved plugin conflict with pre-existing function name.
531
-
532
- = 1.4.2 =
533
-
534
- * No changes, just adding a missing file from previous commit.
535
-
536
- = 1.4.1 =
537
-
538
- * Revised to not require functions from PHP 5.2
539
- * Fixed bug in hashtag conversion
540
-
541
- = 1.4.0 =
542
-
543
- * Added support for the Bit.ly URL shortening service.
544
- * Added option to not use URL shortening.
545
- * Added option to add tags to end of status update as hashtag references.
546
- * Fixed a bug where the #url# shortcode failed when editing posts.
547
- * Reduced some redundant code.
548
- * Converted version notes to new Changelog format.
549
-
550
- = 1.3.7 =
551
-
552
- * Revised interface to take advantage of features added in versions 2.5 and 2.7. You can now drag and drop the WP to Twitter configuration panel in Post and Page authoring pages.
553
- * Fixed bug where post titles were not Tweeted when using the "Press This" bookmarklet
554
- * Security bug fix.
555
-
556
- = 1.3.6 =
557
-
558
- *Bug fix release.
559
-
560
- = 1.3.5 =
561
-
562
- * Bug fix: when "Send link to Twitter" is disabled, Twitter status and shortcodes were not parsed correctly.
563
-
564
- = 1.3.4 =
565
-
566
- * Bug fix: html tags in titles are stripped from Tweets
567
- * Bug fix: thanks to [Andrea Baccega](http://www.andreabaccega.com), some problems related to WP 2.7.1 should be fixed.
568
- * Added optional prepend/append text fields.
569
-
570
- = 1.3.3 =
571
-
572
- * Added support for shortcodes in custom Tweet fields.
573
- * Bug fix when #url# is the first element in a Tweet string.
574
- * Minor interface changes.
575
-
576
- = 1.3.2 =
577
-
578
- * Added a #url# shortcode so you can decide where your short URL will appear in the Tweet.
579
- * Couple small bug fixes.
580
- * Small changes to the settings page.
581
-
582
- = 1.3.1 =
583
-
584
- * Modification for multiple authors with independent Twitter accounts -- there are now three options:
585
-
586
- 1. Tweet to your own account, instead of the blog account.
587
- 1. Tweet to your account with an @ reference to the main blog account.
588
- 1. Tweet to the main blog account with an @ reference to your own account.
589
-
590
- * Added an option to enable or disable Tweeting of Pages when edited.
591
- * **Fixed scheduled posting and posting from QuickPress, so both of these options will now be Tweeted.**
592
-
593
- = 1.3.0 =
594
-
595
- *Support for multiple authors with independent Twitter &amp; Cligs accounts.
596
- *Other minor textual revisions, addition of API availability check in the Settings panel.
597
- *Bugfixes: If editing a post by XMLRPC, you could not disable Tweeting your edits. FIXED.
598
-
599
- = 1.2.8 =
600
-
601
- *Bug fix to 1.2.7.
602
-
603
- = 1.2.7 =
604
-
605
- *Uses the Snoopy class to retrieve information from Cligs and to post Twitter updates. Hopefully this will solve a variety of issues.
606
- *Added an option to track traffic from your Tweeted Posts using Google Analytics (Thanks to [Joost](http://yoast.com/twitter-analytics/))
607
-
608
- = 1.2.6 =
609
-
610
- *Bugfix with XMLRPC publishing -- controls to disable XMLRPC publishing now work correctly.
611
- *Bugfix with error reporting and clearing.
612
- *Added the option to supply an alternate URL along with your post, to be Tweeted in place of the WP permalink.
613
-
614
- = 1.2.5 =
615
-
616
- *Support for publishing via XMLRPC
617
- *Corrected a couple minor bugs
618
- *Added internationalization support
619
-
620
- = 1.2.0 =
621
-
622
- *option to post your new blogroll links to Twitter, using the description field as your status update text.
623
- *option to decide on a post level whether or not that blog post should be posted to Twitter
624
- *option to set a global default 'to Tweet or not to Tweet.'
625
-
626
- = 1.1.0 =
627
-
628
- *Update to use cURL as an option to fetch information from the Cli.gs API.
629
-
630
- == Installation ==
631
-
632
- 1. Upload the `wp-to-twitter` folder to your `/wp-content/plugins/` directory
633
- 2. Activate the plugin using the `Plugins` menu in WordPress
634
- 3. Go to Settings > WP to Twitter
635
- 4. Adjust the WP to Twitter Options as you prefer them.
636
- 5. Create a Twitter application at Twitter and Configure your OAuth setup keys
637
-
638
- == Frequently Asked Questions ==
639
-
640
- = Where are your Frequently Asked Questions? Why aren't they here? =
641
-
642
- Right here: [WP to Twitter FAQ](http://www.joedolson.com/articles/wp-to-twitter/support-2/). I don't maintain them here because I would prefer to only maintain one copy. This is better for everybody, since the responses are much more likely to be up to date!
643
-
644
- = How can I help you make WP to Twitter a better plug-in? =
645
-
646
- 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/articles/wp-tweets-pro/). Believe me, any small donation really makes a difference!
647
-
648
- == Screenshots ==
649
-
650
- 1. WP to Twitter main settings page.
651
- 2. WP to Twitter custom Tweet settings.
652
- 3. WP to Twitter user settings.
653
-
654
- == Upgrade Notice ==
655
-
656
- * 2.4.4 Various bug fixes.
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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: 2.9.2 (partial)
6
+ Tested up to: 3.4.2
7
+ License: GPLv2 or later
8
+ Stable tag: trunk
9
+
10
+ Auto-posts a Twitter update when you update your WordPress blog or blogroll, with your chosen URL shortening service. Requires PHP 5.
11
+
12
+ == Description ==
13
+
14
+ WP to Twitter automatically posts a Tweet from your WordPress blog to Twitter using your URL shortening service to provide a link back to your post from Twitter.
15
+
16
+ The plugin supports a customizable Tweet template for updating or editing posts and pages, supports your custom post types, and allows you to write a custom Tweet for each post, using a selection of custom template tags to generate the text.
17
+
18
+ Additional features include:
19
+
20
+ * Use tags as Twitter hashtags
21
+ * Use alternate URLs in place of post permalinks
22
+ * Support for Google Analytics
23
+ * Support for XMLRPC remote clients
24
+ * Support for Google Analytics
25
+ * Limiting Tweeting from specific categories
26
+
27
+ Any status update you write which is longer than 140 characters will be truncated by the plugin.
28
+
29
+ Upgrade to [WP Tweets Pro](http://www.joedolson.com/articles/wp-tweets-pro/) for extra features, including:
30
+
31
+ * Each author can set up their own Twitter account
32
+ * Time delayed Tweeting
33
+ * Scheduled Tweet management
34
+ * Co-Tweet to site and author Twitter accounts
35
+ * [and more!](http://www.joedolson.com/articles/wp-tweets-pro/)
36
+
37
+ Translations:
38
+
39
+ Languages available: [visit the WP to Twitter translations page to see how complete these are](http://translate.joedolson.com/projects/wp-to-twitter).
40
+
41
+
42
+ * French: Francois-Xavier Benard
43
+ * Italian: Updated by [Gianni Diurno](http://www.gidibao.net) and [Aurelio De Rosa](http://www.audero.it)
44
+ * Dutch: [Rashid Niamat](http://niamatmediagroup.nl/)
45
+ * Brazilian Portugese: [Miriam de Paula](http://wpmidia.com.br)
46
+ * Lithuanian [Nata Strazda](http://www.designcontest.com)
47
+ * Simplified Chinese: [HostUCan](http://www.hostucan.com)
48
+ * Traditional Chinese: [HostUCan](http://www.hostucan.com)
49
+ * Belarussian: [Alex Alexandrov](http://www.webhostingrating.com)
50
+ * Ukrainian: [Alyona Lompar](http://www.webhostinggeeks.com
51
+ * Spanish: [David Gil P&eacute;rez](http://www.sohelet.com)
52
+ * Russian: [Burkov Boris](http://chernobog.ru)
53
+ * Estonian: [Raivo Ratsep](http://raivoratsep.com)
54
+ * Romanian: [Jibo](http://jibo.ro)
55
+ * Danish: [Rasmus Himmelstrup](http://seoanalyst.dk)
56
+ * Japanese: [kndb](http://blog.layer8.sh/)
57
+
58
+ 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!
59
+
60
+ Credits:
61
+
62
+ Contributions by [Thor Erik](http://www.thorerik.net), Bill Berry and [Andrea Baccega](http://www.andreabaccega.com). Some code previously contributed is no longer in this plug-in. Other bug fixes and related citations can be found in the changelog.
63
+
64
+ == Changelog ==
65
+
66
+ = 2.4.11 =
67
+
68
+ * Bug fix: Mismatched rules for when to enqueue charCount script and when to insert inline script calling that script.
69
+ * Bug fix: Added long-missing 'do not post Tweets by default when editing' option.
70
+ * Bug fix: 2 bugs when sending test Tweet and using WordPress as a shortening service
71
+ * Translation updated: French
72
+
73
+ = 2.4.10 =
74
+
75
+ * Bug fix: Error in truncation routine left tweets 2 characters too long when truncating.
76
+ * Change: minor tweak to administrative UI.
77
+ * Added: check of read-write status of application when posting.
78
+
79
+ = 2.4.9 =
80
+
81
+ * Bug (notice) fix: undefined variable.
82
+ * Bug fix: url encoding on Retweet links
83
+ * Removed some functions providing upgrade support with older versions of WP to Twitter (pre OAuth)
84
+ * Fixed bug in WP Tweets PRO which broke archiving of past Tweets. (Requires WP Tweets PRO 1.2.1)
85
+ * Added support for Twitter Friendly Links if installed.
86
+ * Added: Saves failed tweets for reference and manual tweeting.
87
+
88
+ = 2.4.8 =
89
+
90
+ * Bug fix: #account# shortcode broken in 2.4.7
91
+ * Bug fix: Missing function if WP Tweets PRO installed but not upgraded to 1.2.0
92
+
93
+ = 2.4.7 =
94
+
95
+ * Bug fix: Fatal error could be triggered if WP HTTP query returns error object.
96
+ * Bug fix: Fixed missing index when saving users without changing Twitter options.
97
+ * Bug fix: With custom post types, save_post ran after publish_{custom_post_type}. Moved save metadata function into publish_{cpt} action.
98
+ * Bug fix: 2.4.1 upgrade cycle was still running for all upgrades.
99
+ * Change: suggest HTTP switch for any connection error, since not all SSL related errors report as such.
100
+ * Italian and Dutch translations updated.
101
+
102
+ = 2.4.6 =
103
+
104
+ * Added strip_tags to custom template tag values.
105
+ * Tweet character counter now processes values for #title#, #url# and #blog#. Courtesy of Arnout Veenman.
106
+ * Truncation array error bug fix courtesy of Arnout Veenman.
107
+ * Truncation routine tags modification courtesy of Arnout Veenman.
108
+ * Bug fix: bug fix for final truncation check.
109
+ * Change: #author# template tag now returns the Twitter account @ reference if it's available, user's display name if not.
110
+ * Bug fix: Su.pr uses the longURL as an array key - the ampersands in URL needed to be encoded.
111
+ * Bug fix: WP to Twitter box showed up on disabled post types.
112
+ * Bug fix: undefined variable when posting using Su.pr as shortener.
113
+ * Change: changed Bit.ly API url to new recommended query URL.
114
+ * Change: moved character counter under Custom Tweet box so there's sufficient space if the meta box is in a side position.
115
+
116
+ = 2.4.5 =
117
+
118
+ * Added #modified# to use post modified date in templates.
119
+ * Corrected unstripped slashes for template preview in WP to Twitter post box
120
+ * Character count for custom tweet text was incorrect on initial load in edit mode.
121
+ * Replaced character counter with a more Twitter-like character counter (counting down.)
122
+ * Removed JavaScript from post box so that WP to Twitter box is properly draggable.
123
+ * Added ampersand to normalizer function
124
+ * Updated Brazilian Portuguese translation
125
+
126
+ = 2.4.4 =
127
+
128
+ * Bug fix: Truncation error if no crucial elements are truncatable
129
+ * Bug fix: Unclosed if/else caused empty Settings link on plugins page.
130
+ * Bug fix: "Post on XMLRPC" option must not be selected if using WP Tweets Pro with XML RPC
131
+ * Bug fix: Windows Live Writer (and perhaps other apps) send entity-converted characters on XMLRPC post; need to decode entities in text before sending to Twitter.
132
+ * Bug fix/change: Provides option to switch to http connections to Twitter if https connection returns SSL errors.
133
+
134
+ = 2.4.3 =
135
+
136
+ * Bug fix: In some cases, Administrators were not granted permissions to add custom tweets and other capability restricted tasks.
137
+ * MAJOR bug fix: broke an element of the authorization routine which caused an early exit out of posting to Twitter for some users.
138
+ * Settings link on plugins listing incorrect if WP Tweets Pro enabled.
139
+
140
+ = 2.4.2 =
141
+
142
+ * 2.4.1 had an error in the upgrade routine which broke the upgrade.
143
+
144
+ = 2.4.1 =
145
+
146
+ * I had mistakenly restricted WP Tweets PRO administrators from setting their own accounts, which was a problem for sites with multiple admin-level authors.
147
+ * Revised permissions model to use custom capability to control access to user accounts rather than default capabilities.
148
+ * Also switched to custom capability to control access to custom tweet options.
149
+ * URL to settings page pointed to wrong location if WP Tweets PRO was installed before configuring WP to Twitter.
150
+ * Support request form submitted to invalid URL if WP Tweets PRO installed.
151
+ * If append or prepend fields were in use, they were duplicated in Tweets on reposts.
152
+ * Added option so that users can be allowed to toggle the Tweet/Don't Tweet custom option without being able to edit other permissions.
153
+
154
+ = 2.4.0 =
155
+
156
+ * Bug fix/change: Twitter automatically shortens all URLs sent. As a result, all URLs are by definition 19 characters for the purpose of Tweeting. WP to Twitter now measures the value of the #url# tag as 19 characters, regardless of actual length.
157
+ * Category limiting can now either mean "tweet checked categories" or "don't tweet checked categories".
158
+ * Option to hide custom tweet box and options based on user roles.
159
+ * User role permissions now support custom roles
160
+ * Ability to determine the sequence in which fields are truncated or removed from Tweets if they exceed status length limits.
161
+ * Replace cURL requirement with WP_HTTP wrapper.
162
+ * Significant re-write of underlying code.
163
+ * Redesign of settings pages.
164
+ * Significant text revisions.
165
+ * Release of [WP Tweets Pro](http://www.joedolson.com/articles/wp-tweets-pro/), a pro upgrade to WP to Twitter.
166
+
167
+ = 2.3.18 =
168
+
169
+ * Bug fix: resolved case where new backdated posts were treated as edits.
170
+ * Some changes to Tweet truncating routines to avoid modifying the URL during truncation.
171
+
172
+ = 2.3.17 =
173
+
174
+ * Bug fix: Custom Tweet text not sent for custom post types if the post was not saved prior to publishing.
175
+ * Bug fix: Scheduled posts would not Tweet if certain plug-ins were installed, due to modifications of post dates.
176
+
177
+ = 2.3.16 =
178
+
179
+ * Bug fix: Change in 2.3.15 to fix XMLRPC publishing edits also classed scheduled posts as edits.
180
+
181
+ = 2.3.15 =
182
+
183
+ * Eliminated unnecessary duplication in error messages.
184
+ * If application is not authenticated, status updates on posting now fail silently.
185
+ * Added additional error help if cURL is not supported.
186
+ * Improved error response information for other http_code responses from Twitter
187
+ * Added reminder of your template format to WP to Twitter custom box
188
+ * Moved tags from an option to a template tag.
189
+ * Fixed bug where shortcodes were not stripped from post excerpts
190
+ * Bug fix: If a scheduled post was edited once, without changing publishing time, custom Tweet text was lost.
191
+ * Added support for the app_publish_post hook
192
+ * Bug fix: XMLRPC published edits to Twitter when post updates on edit disabled
193
+
194
+ = 2.3.14 =
195
+
196
+ * Bug fix for value treated as array without verifying
197
+ * Update to Italian translation
198
+
199
+ = 2.3.13 =
200
+
201
+ * Fixes missing function_exists check for Normalizer.
202
+
203
+ = 2.3.12 =
204
+
205
+ * Links added in link manager were getting run through the manual WP link shortener
206
+ * Added appropriate normalizer call for PHP versions above 5
207
+ * Adjustment to Tweet truncation to hopefully avoid runaway truncating.
208
+ * Added a new FAQ to my web site about character counting.
209
+ * Fixed URL wrapper error with fopen()
210
+ * Bug fix: Switched 'Tweet this post' checkbox to a radio selector for simpler logic.
211
+ * Now saving all past Tweets for each post.
212
+
213
+ = 2.3.11 =
214
+
215
+ * Error in commenter field; accidentally defined braces as template wrapper instead of hashes
216
+ * Text updates
217
+ * Removed PluginSponsors.com
218
+ * Changed API query address to https.
219
+
220
+ = 2.3.10 =
221
+
222
+ * Did not expect people would submit support requests without actually adding a message. Message now required.
223
+
224
+ = 2.3.9 =
225
+
226
+ * Fixed issue with category detection
227
+ * Changed one function name to a non-generic name.
228
+ * Modified remote URL calls; should fix problem contacting Bit.ly
229
+ * Added template tag #commenter# available in comment Tweet template. Use with caution.
230
+ * Added plug-in support request form.
231
+ * Fixed bug where custom Tweet text was over written in a quick edit
232
+ * Fixed "Don't Tweet this Post' checkbox
233
+ * Added Goo.gl as an additional URL shortener.
234
+ * Added custom keyword option for YOURLS shortener.
235
+
236
+ = 2.3.8 =
237
+
238
+ * Bug fix: Warning message about 2.9.2 limited support no longer displays on public site.
239
+
240
+ = 2.3.7 =
241
+
242
+ * Double Tweeting problem fixed.
243
+ * Missing custom Tweets fixed.
244
+ * Revised WordPress version support notes.
245
+ * I hope.
246
+
247
+ = 2.3.6 =
248
+
249
+ * Error in runtime created function fixed.
250
+
251
+ = 2.3.5 =
252
+
253
+ * Bug fix to custom shortcode support to allow use of multiple custom shortcodes simultaneously
254
+ * Bug fix to (hopefully) solve duplicate posting when tags are included on scheduled posts.
255
+ * Added comparison of your server time to Twitter's server time for information when installing.
256
+ * Updated Italian translation.
257
+
258
+ = 2.3.4 =
259
+
260
+ * Re-wrote instructions for connecting to OAuth to reflect redesigned Twitter Apps registration process
261
+ * Code clean-up to remove some redundancies
262
+ * Bug fixes:
263
+ - Occasional double Tweeting on future post seems to be fixed.
264
+ - Tweeting on edits/quick edits when not checked
265
+ * Added Ukrainian translation
266
+
267
+ = 2.3.3 =
268
+
269
+ * Improved support for non-standard publishing mechanisms.
270
+ * Fixed 'Tweet this' option.
271
+ * Quickpress setting made obsolete
272
+ * Now uses wp_get_shortlink() when available for generating WP-based shortlink.
273
+
274
+ = 2.3.2 =
275
+
276
+ * Fixed XMLRPC support
277
+ * Updated Italian translation
278
+
279
+ = 2.3.1 =
280
+
281
+ * Added version check and update cycle into Tweet routine
282
+
283
+ = 2.3.0 =
284
+
285
+ * Added support for custom post types.
286
+ * Added support for Tweeting when comments are posted.
287
+ * Bug fix: results of checking/unchecking 'Don't Tweet this' box not consistent.
288
+ * Added Japanese translation. [kndb](http://blog.layer8.sh/)
289
+
290
+ = 2.2.12 =
291
+
292
+ * Bug fix release. Sorry.
293
+ * Added translation to Brazilian Portugese [Matheus Bratfisch](http://www.matbra.com)
294
+
295
+ = 2.2.11 =
296
+
297
+ * Missing break statement caused remote YOURLS URLs to be replaced with Su.pr URLs
298
+
299
+ = 2.2.10 =
300
+
301
+ * Bug in user settings retrieval; don't know how long it's been a problem.
302
+ * Added updated Italian translation
303
+
304
+ = 2.2.9 =
305
+
306
+ * Blocked posting on custom post types
307
+ * Added time check, for servers with incorrect time.
308
+ * Added cURL check.
309
+ * Due to ongoing problems with Cli.gs, removed that URL shortening service and replaced with Su.pr
310
+ * Changed default shortening to 'no shortening'
311
+ * Saves every Tweet into post meta on save; adds link to re-post status update in WP to Twitter post box.
312
+ * Revised error messages to increase detail.
313
+
314
+ = 2.2.8 =
315
+
316
+ * Enhancement: protect against duplicate Tweets
317
+ * Bug fix: hash tag replacement with spaces problematic if alphanumeric limit also set
318
+ * Bug fix: issue with scheduled posts posting when 'Do not Tweet' checked.
319
+ * Added Danish translation by Rasmus Himmelstrup
320
+ * Updates to compensate for changes in YOURLS 1.5
321
+
322
+ = 2.2.7 =
323
+
324
+ * Enhancement: strips shortcodes before sending post excerpts to Tweet
325
+ * Enhancement: Added PHP version check and warning.
326
+ * Added a default case to check on HTTP response code from Twitter.
327
+ * Added a specific error message for out of sync server times.
328
+ * Added link to [WP to Twitter's Fundry.com page](https://fundry.com/project/10-wp-to-twitter).
329
+ * Bug fix: hash tag space removal fixed
330
+ * Enhancement: Respects wp content directory constants if set.
331
+
332
+ = 2.2.6 =
333
+
334
+ * Modification: renamed OAuth files to maybe avoid collision with alternate OAuth versions which do not include needed methods
335
+ * Eliminated postbox toggles
336
+ * Clean out deprecated functions
337
+ * Updated admin styles and separated into a separate file.
338
+ * Bug fix: Edited pages did not Tweet
339
+ * Bug fix: May have reduced occurrences of URL not being sent in status update. Maybe.
340
+ * Bug fix: Forced lowercase on Bit.ly API username (Thanks, Bit.ly for NOT DOCUMENTING this.)
341
+ * Added option to strip non-alphanumeric characters from hash tags
342
+ * Added control to adjust which levels of users will see custom Profile settings
343
+ * Found myself becoming unnecessarily sarcastic in Changelog notes. Will fix in next version. :)
344
+
345
+ = 2.2.5 =
346
+
347
+ * Bug fix: shouldn't see error 'Could not redeclare OAuth..' again.
348
+ * Bug fix: shouldn't see 'Fatal error: Class 'OAuthSignatureMethod...' again.
349
+ * Bug fix: updated API endpoints
350
+
351
+ = 2.2.4 =
352
+
353
+ * Blocked global error messages from being seen by non-admin level users.
354
+ * Added #account# shortcode to supply Twitter username @ reference in Tweet templates.
355
+ * Updated debugging output
356
+ * Deletes obsolete options from database
357
+
358
+ = 2.2.3 =
359
+
360
+ * Fixed: Bug which added unnecessary duplications of post meta
361
+ * Fixed: broken analytics campaign info
362
+ * Fix attempt to clear up problems with urlencoding of links
363
+ * Fix attempt to clear up problems with some 403 errors and status update truncation
364
+
365
+ = 2.2.2 =
366
+
367
+ * Fixed a bug where new Pages did not Tweet.
368
+ * Minor text changes to try and clarify OAuth process.
369
+ * Fixed bug where any post with a customized status update would post, regardless of settings.
370
+ * Fixed faulty shortening when new links were added.
371
+
372
+ = 2.2.1 =
373
+
374
+ * Not a Beta anymore.
375
+ * Fixed issue with non-shortening links when using XMLRPC clients
376
+ * Fixed issue with double-urlencoding of links before shortening
377
+ * Added Dutch translation
378
+ * Updated Italian translation
379
+
380
+
381
+ = 2.2.0 (beta 7) =
382
+
383
+ * Significantly improved error reporting.
384
+ * Completely revamped secondary author support to give some value in Twitter.
385
+ * Completely eliminated secondary posting service support. Too much trouble, too little application.
386
+ * Removed the custom post meta data clutter; WP to Twitter's post meta data is now private to the plugin.
387
+ * Fixed a couple of error situations with Bit.ly
388
+ * Made it possible for contributor posts to be Tweeted
389
+ * This is the last beta version.
390
+
391
+ = 2.2.0 (beta 6) =
392
+
393
+ * Fixed bug where errors were reported on categories not intended to be sent to Twitter
394
+ * Allowed OAuth notice to be disabled for users not intending to use that service.
395
+ * Added a debugging option to output some process data if OAuth connection fails
396
+ * Fixed bug which prevented posting of edited status updates
397
+
398
+ = 2.2.0 (beta 5) =
399
+
400
+ * Eliminated an incompatibility with alternate versions of twitterOAuth class
401
+ * Significant revisions of error message processes and details
402
+ * Fixed some URL shortener problems
403
+ * Added simplified Chinese translation
404
+
405
+ = 2.2.0 (beta 4) =
406
+
407
+ * Fixed long-standing issue with serialization of option arrays
408
+ * Fixed trimming of white space from authentication keys
409
+ * Clarification of some texts to help explain some of the changes
410
+ * Clarification of some texts to help explain how to connect to Twitter with OAuth
411
+ * Added credit for Estonian translation by Raivo Ratsep.
412
+
413
+ = 2.2.0 (beta 3) =
414
+
415
+ * Fixed issue with failing to post to Twitter.
416
+
417
+ = 2.2.0 (beta 2) =
418
+
419
+ * Fixed false positive error message on Twitter check routine failure
420
+ * Adjusted twitteroauth file to hopefully avoid certain errors
421
+
422
+ = 2.2.0 (beta) =
423
+
424
+ * Added OAuth support
425
+ * Fixed problem with default Tweet status not defaulting to 'no.'
426
+ * Revised a few other minor issues
427
+ * No longer supporting WordPress versions below 2.9.2
428
+ * Eliminated features: Author's Twitter account posting; Use of additional service to post to Twitter on a second account. These features are not possible with simple OAuth authentication; they require XAuth. This makes the features of extremely limited value, since you, as the user, would be required to apply for XAuth permissions on your own installation. I regret the necessity to remove these features. Both options will still function with Twitter-compatible API services using Basic authentication.
429
+
430
+ = 2.1.3 =
431
+
432
+ * Fixed copy typo.
433
+
434
+ = 2.1.2 =
435
+
436
+ * Last update before oAuth integration, I hope.
437
+ * Fixed problems with Postie compatibility
438
+ * Fixed bug where local YOURLS path could not be unset
439
+ * Fixed some issues with upgrades which re-wrote status update templates, occasionally removing the #url# shortcode.
440
+ * Despite numerous reports of issues API behavior with Bit.ly or Twitter, I was unable, in testing, to reproduce any issues, including on servers which I know have had failed requests in the past.
441
+ * Revised upgrade routines to avoid future problems.
442
+
443
+ = 2.1.1 =
444
+
445
+ * Added a control to disable error messages.
446
+ * Separated URL shortener errors from Twitter API errors.
447
+ * Added stored value with the error message from Bit.ly to try and identify source of errors.
448
+
449
+ = 2.1.0 =
450
+
451
+ * Now compatible through WP 3.0 series
452
+ * Fixed bug related to failed responses from URL shortener API requests.
453
+ * Added #author# shortcode for status update templates.
454
+ * Fixed a problem with non-posting of scheduled posts when default status updates are disabled.
455
+
456
+ = 2.0.4 =
457
+
458
+ * Fixed bug where status updates were not posted when a post changed from pending to published. (Thanks to Justin Heideman for the catch and fix.)
459
+ * Fixed bug where passwords with special characters were not used correctly
460
+ * Eliminated use of LongURL API due to closure of the service. Hope to replace this functionality at some point, so I've left the framework intact, just removed the API call.
461
+ * Improved error reporting in support check routines.
462
+
463
+ = 2.0.3 =
464
+
465
+ * Updated for Bit.ly API v3 (should fix recent issues with incorrect reporting from Bit.ly API and API request failures.)
466
+
467
+ = 2.0.2 =
468
+
469
+ * Bug fixed where appended text was placed before hash tags.
470
+ * Added method for error messages to be automatically cleared following a successful status update. It seems a lot of people couldn't find the button to clear errors, and thought they were getting an error every time.
471
+ * Moved short URL selection option to a more prominent location.
472
+
473
+ = 2.0.1 =
474
+
475
+ * Bug found with YOURLS short url creation when using multiple sites with one YOURLS installation and short URLS are created using post ID. Added option to disable post_ID as shortURL generating key in YOURLS account settings.
476
+ * Missing semicolon replaced in uninstall.php
477
+
478
+ = 2.0.0 =
479
+
480
+ * Fixed bug introduced in WordPress 2.9 where logged in users could only edit their own profiles and associated issues.
481
+ * Fixed bug which caused #url# to repeatedly be added to the end of Tweet texts on reactivation or upgrade.
482
+ * Fixed bug which generated shortener API error messages when no URL shortener was used.
483
+ * Fixed bug which prevented display of URL on edit screen if no URL shortener was used.
484
+ * Added Spanish translation courtesy of [David Gil P&eacute;rez](http://www.sohelet.com)
485
+ * Made so many language changes that aforementioned translation is now terribly out of date, as are all others...
486
+ * Added ability to restrict posting to certain categories.
487
+ * Added option to dynamically generate Google Analytics campaign identifier by category, post title, author, or post id.
488
+ * Added option to configure plugin to use other services using the Twitter-compatible API.
489
+ * Added support for YOURLS installations as your URL shortener. (Either local or remote.)
490
+ * Redesigned administrative interface.
491
+ * Removed use of Snoopy and alternate HTTP request methods.
492
+ * Discontinued support for WordPress versions below version 2.7.
493
+ * Major revisions to support checks.
494
+ * Version jumped to 2.0.0
495
+
496
+ = 1.5.7 =
497
+
498
+ * Quick bug fix contributed by DougV from WordPress Forums.
499
+
500
+ = 1.5.6 =
501
+
502
+ * WP 2.9 added support for JSON on PHP versions below 5.2; changes made to do WP version checking before adding JSON support.
503
+ * Stripslashes added to viewable data fields.
504
+ * Added option for spaces to be removed in hashtags.
505
+ * A few post meta updates.
506
+ * Barring major disasters, this will be the last release in the 1.x series. Expect version 2 sometime in late January.
507
+
508
+ = 1.5.5 =
509
+
510
+ * Fixed issue with stray hashtags appearing when Tweeting edited posts was disabled and adding hashtags was enabled.
511
+ * Added shortcode (#date#) for post date. Uses your WordPress date settings to format date, but allows you to customize for WP to Twitter.
512
+
513
+ = 1.5.4 =
514
+
515
+ * Fixed issue with spaces in hashtags.
516
+ * Added configurable replacement character in hashtags.
517
+
518
+ = 1.5.3 =
519
+
520
+ * Revised the function which checks whether your Tweet is under the 140 character limit imposed by Twitter. This function had a number of awkward bugs which have now (hopefully) been eradicated.
521
+ * Revised the tags->hashtags generation for better reliability. Fixes bugs with failing to send hashtags to Twitter if they haven't been saved and allowing hashtags on scheduled posts.
522
+ * Option to use WP default URL as a short URL. (http://yourdomain.com/yourblog/?p=id).
523
+
524
+ = 1.5.2 =
525
+
526
+ * Minor code cleanup
527
+ * Fixed uncommon bug where draft posts would not Tweet when published.
528
+ * Fixed bug where #title# shortcode wouldn't work due to prior URL encoding. (Also covers some other obscure bugs.) Thanks to [Daniel Chcouri](http://www.anarchy.co.il) for the great catch.
529
+ * Added new shortcode (#category#) to fetch the first post category.
530
+ * Provided a substitute function for hosts not supportin mb_substr().
531
+ * Fixed a bug where a hashtag would be posted on edits when posting updates was not enabled for edits.
532
+ * Put Cli.gs change revisions on hold barring updates from Pierre at Cli.gs
533
+
534
+ = 1.5.1 =
535
+
536
+ * Because that's what I get for making last minute changes.
537
+
538
+ = 1.5.0 =
539
+
540
+ * Due to a large number of problems in the 1.4.x series, I'm launching a significant revision to the base code earlier than initially planned. This is because many of these features were already in development, and it's simply too much work to maintain both branches of the code.
541
+ * Added option to export settings in plain text for troubleshooting.
542
+ * Simplified some aspects of the settings page.
543
+ * Added custom text options for WordPress Pages to match support for Posts.
544
+ * Improved tags as hashtags handling.
545
+ * Added the ability to use custom shortcodes to access information in custom fields.
546
+ * Improved some error messages to clarify certain issues.
547
+
548
+ = 1.4.11 =
549
+
550
+ * Fixed a bug which allowed editing of posts to be Tweeted if status updates on editing Pages were permitted.
551
+ * Fixed a bug in the support check routine which caused all Cli.gs tests to fail.
552
+ * Streamlined logic controlling whether a new or edited item should be Tweeted.
553
+ * Added Italian translation. Thanks to [Gianni Diurno](http://www.gidibao.net)!
554
+
555
+ = 1.4.10 =
556
+
557
+ * Was never supposed to exist, except that I *forgot* to include a backup function.
558
+
559
+ = 1.4.9 =
560
+
561
+ * Added German translation. Thanks to [Melvin](http://www.toxicavenger.de/)!
562
+ * Fixed a bug relating to missing support for a function or two.
563
+ * Fixed a bug relating to extraneous # symbols in tags
564
+
565
+ = 1.4.8 =
566
+
567
+ * Adds a function to provide PHP5s str_split functionality for PHP4 installations.
568
+
569
+ = 1.4.7 =
570
+
571
+ * Actually resolves the bug which 1.4.6 was supposed to fix.
572
+
573
+ = 1.4.6 =
574
+
575
+ * Hopefully resolved bug with empty value for new field in 1.4.5. It's late, so I won't know until tomorrow...
576
+
577
+ = 1.4.5 =
578
+
579
+ * Resolved bug with extraneous hash sign when no tags are attached.
580
+ * Resolved bug where #url# would appear when included in posting string but with 'link to blog' disabled.
581
+ * Added expansion of short URL via longURL.org stored in post meta data.
582
+ * Resolved additional uncommon bug with PHP 4.
583
+ * Added option to incorporate optional post excerpt.
584
+ * Better handling of multibyte character sets.
585
+
586
+ = 1.4.4 =
587
+
588
+ * Resolved two bugs with hashtag support: spaces in multi-word tags and the posting of hashtag-only status updates when posting shouldn't happen.
589
+
590
+ = 1.4.3 =
591
+
592
+ * Resolved plugin conflict with pre-existing function name.
593
+
594
+ = 1.4.2 =
595
+
596
+ * No changes, just adding a missing file from previous commit.
597
+
598
+ = 1.4.1 =
599
+
600
+ * Revised to not require functions from PHP 5.2
601
+ * Fixed bug in hashtag conversion
602
+
603
+ = 1.4.0 =
604
+
605
+ * Added support for the Bit.ly URL shortening service.
606
+ * Added option to not use URL shortening.
607
+ * Added option to add tags to end of status update as hashtag references.
608
+ * Fixed a bug where the #url# shortcode failed when editing posts.
609
+ * Reduced some redundant code.
610
+ * Converted version notes to new Changelog format.
611
+
612
+ = 1.3.7 =
613
+
614
+ * Revised interface to take advantage of features added in versions 2.5 and 2.7. You can now drag and drop the WP to Twitter configuration panel in Post and Page authoring pages.
615
+ * Fixed bug where post titles were not Tweeted when using the "Press This" bookmarklet
616
+ * Security bug fix.
617
+
618
+ = 1.3.6 =
619
+
620
+ *Bug fix release.
621
+
622
+ = 1.3.5 =
623
+
624
+ * Bug fix: when "Send link to Twitter" is disabled, Twitter status and shortcodes were not parsed correctly.
625
+
626
+ = 1.3.4 =
627
+
628
+ * Bug fix: html tags in titles are stripped from Tweets
629
+ * Bug fix: thanks to [Andrea Baccega](http://www.andreabaccega.com), some problems related to WP 2.7.1 should be fixed.
630
+ * Added optional prepend/append text fields.
631
+
632
+ = 1.3.3 =
633
+
634
+ * Added support for shortcodes in custom Tweet fields.
635
+ * Bug fix when #url# is the first element in a Tweet string.
636
+ * Minor interface changes.
637
+
638
+ = 1.3.2 =
639
+
640
+ * Added a #url# shortcode so you can decide where your short URL will appear in the Tweet.
641
+ * Couple small bug fixes.
642
+ * Small changes to the settings page.
643
+
644
+ = 1.3.1 =
645
+
646
+ * Modification for multiple authors with independent Twitter accounts -- there are now three options:
647
+
648
+ 1. Tweet to your own account, instead of the blog account.
649
+ 1. Tweet to your account with an @ reference to the main blog account.
650
+ 1. Tweet to the main blog account with an @ reference to your own account.
651
+
652
+ * Added an option to enable or disable Tweeting of Pages when edited.
653
+ * **Fixed scheduled posting and posting from QuickPress, so both of these options will now be Tweeted.**
654
+
655
+ = 1.3.0 =
656
+
657
+ *Support for multiple authors with independent Twitter &amp; Cligs accounts.
658
+ *Other minor textual revisions, addition of API availability check in the Settings panel.
659
+ *Bugfixes: If editing a post by XMLRPC, you could not disable Tweeting your edits. FIXED.
660
+
661
+ = 1.2.8 =
662
+
663
+ *Bug fix to 1.2.7.
664
+
665
+ = 1.2.7 =
666
+
667
+ *Uses the Snoopy class to retrieve information from Cligs and to post Twitter updates. Hopefully this will solve a variety of issues.
668
+ *Added an option to track traffic from your Tweeted Posts using Google Analytics (Thanks to [Joost](http://yoast.com/twitter-analytics/))
669
+
670
+ = 1.2.6 =
671
+
672
+ *Bugfix with XMLRPC publishing -- controls to disable XMLRPC publishing now work correctly.
673
+ *Bugfix with error reporting and clearing.
674
+ *Added the option to supply an alternate URL along with your post, to be Tweeted in place of the WP permalink.
675
+
676
+ = 1.2.5 =
677
+
678
+ *Support for publishing via XMLRPC
679
+ *Corrected a couple minor bugs
680
+ *Added internationalization support
681
+
682
+ = 1.2.0 =
683
+
684
+ *option to post your new blogroll links to Twitter, using the description field as your status update text.
685
+ *option to decide on a post level whether or not that blog post should be posted to Twitter
686
+ *option to set a global default 'to Tweet or not to Tweet.'
687
+
688
+ = 1.1.0 =
689
+
690
+ *Update to use cURL as an option to fetch information from the Cli.gs API.
691
+
692
+ == Installation ==
693
+
694
+ 1. Upload the `wp-to-twitter` folder to your `/wp-content/plugins/` directory
695
+ 2. Activate the plugin using the `Plugins` menu in WordPress
696
+ 3. Go to Settings > WP to Twitter
697
+ 4. Adjust the WP to Twitter Options as you prefer them.
698
+ 5. Create a Twitter application at Twitter and Configure your OAuth setup keys
699
+
700
+ == Frequently Asked Questions ==
701
+
702
+ = Where are your Frequently Asked Questions? Why aren't they here? =
703
+
704
+ Right here: [WP to Twitter FAQ](http://www.joedolson.com/articles/wp-to-twitter/support-2/). I don't maintain them here because I would prefer to only maintain one copy. This is better for everybody, since the responses are much more likely to be up to date!
705
+
706
+ = How can I help you make WP to Twitter a better plug-in? =
707
+
708
+ 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/articles/wp-tweets-pro/). Believe me, any small donation really makes a difference!
709
+
710
+ == Screenshots ==
711
+
712
+ 1. WP to Twitter main settings page.
713
+ 2. WP to Twitter custom Tweet settings.
714
+ 3. WP to Twitter user settings.
715
+
716
+ == Upgrade Notice ==
717
+
718
+ * 2.4.8 Broken #account# template tag.
styles.css CHANGED
@@ -1,20 +1,20 @@
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 {font-weight: 700;font-size: 1.2em;padding: 6px 0;}
5
- #wp-to-twitter .resources {background: url(logo.png) 50% 5px no-repeat; padding-top: 70px;}
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 .panel {border-bottom: 1px solid #ddd;padding: 0 5px;margin: 0 5px;}
9
- #wp-to-twitter ul {list-style-type: disc;margin-left: 3em;font-size: 1em;}
10
- #wp-to-twitter li {line-height: 1.2;}
11
- #wp-to-twitter .inside em {color: #f33;}
12
- #wp-to-twitter .button-side { position: absolute; top: 10px; right: 10px;}
13
- #wp-to-twitter .tokens label { width: 13em; display: block; float: left; margin-top:5px;}
14
- #wp-to-twitter .categories ul { -moz-column-count: 3; -moz-column-gap: 20px; -webkit-column-count: 3; -webkit-column-gap: 20px; margin: 0 0 20px; padding: 0; }
15
- #wp-to-twitter .categories li { list-style-type: none; margin: 3px 0; padding: 0;}
16
- #wp-to-twitter .inside .wpt_types { float: left; width: 45%; }
17
- #wp-to-twitter .inside .comments { clear: both;}
18
- #wp-to-twitter .postbox { margin: 10px 10px 0 0; }
19
- #wp-to-twitter .meta-box-sortables { min-height: 0; }
20
  .wp-tweets-notes { float: right; width: 30%; min-width: 175px; }
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 {font-weight: 700;font-size: 1.2em;padding: 6px 0;}
5
+ #wp-to-twitter .resources {background: url(logo.png) 50% 5px no-repeat; padding-top: 70px;}
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 .panel {border-bottom: 1px solid #ddd;padding: 0 5px;margin: 0 5px;}
9
+ #wp-to-twitter ul {list-style-type: disc;margin-left: 2em;font-size: 1em;}
10
+ #wp-to-twitter li {line-height: 1.2;}
11
+ #wp-to-twitter .inside em {color: #f33;}
12
+ #wp-to-twitter .button-side { position: absolute; top: 10px; right: 10px;}
13
+ #wp-to-twitter .tokens label { width: 13em; display: block; float: left; margin-top:5px;}
14
+ #wp-to-twitter .categories ul { -moz-column-count: 3; -moz-column-gap: 20px; -webkit-column-count: 3; -webkit-column-gap: 20px; margin: 0 0 20px; padding: 0; }
15
+ #wp-to-twitter .categories li { list-style-type: none; margin: 3px 0; padding: 0;}
16
+ #wp-to-twitter .inside .wpt_types { float: left; width: 45%; }
17
+ #wp-to-twitter .inside .comments { clear: both;}
18
+ #wp-to-twitter .postbox { margin: 10px 10px 0 0; }
19
+ #wp-to-twitter .meta-box-sortables { min-height: 0; }
20
  .wp-tweets-notes { float: right; width: 30%; min-width: 175px; }
uninstall.php CHANGED
@@ -1,88 +1,89 @@
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( 'wpt_inline_edits' );
32
-
33
- // Note that default options are set.
34
- delete_option( 'twitterInitialised' );
35
- delete_option( 'wp_twitter_failure' );
36
- delete_option( 'twitterlogin' );
37
- delete_option( 'twitterpw' );
38
- delete_option( 'twitterlogin_encrypted' );
39
- delete_option( 'suprapi' );
40
- delete_option( 'jd_twit_quickpress' );
41
- delete_option( 'jd-use-supr' );
42
- delete_option( 'jd-use-none' );
43
- delete_option( 'jd-use-wp' );
44
-
45
- // Special Options
46
- delete_option( 'jd_twit_prepend' );
47
- delete_option( 'jd_twit_append' );
48
- delete_option( 'jd_twit_remote' );
49
- delete_option( 'twitter-analytics-campaign' );
50
- delete_option( 'use-twitter-analytics' );
51
- delete_option( 'jd_twit_custom_url' );
52
- delete_option( 'jd_shortener' );
53
- delete_option( 'jd_strip_nonan' );
54
-
55
- delete_option( 'jd_individual_twitter_users' );
56
- delete_option( 'use_tags_as_hashtags' );
57
- delete_option('jd_max_tags');
58
- delete_option('jd_max_characters');
59
- // Bitly Settings
60
- delete_option( 'bitlylogin' );
61
- delete_option( 'jd-use-bitly' );
62
- delete_option( 'bitlyapi' );
63
-
64
- // twitter compatible api
65
- delete_option( 'jd_api_post_status' );
66
- delete_option('app_consumer_key');
67
- delete_option('app_consumer_secret');
68
- delete_option('oauth_token');
69
- delete_option('oauth_token_secret');
70
-
71
- //dymamic analytics
72
- delete_option( 'jd_dynamic_analytics' );
73
- delete_option( 'use_dynamic_analytics' );
74
- //category limits
75
- delete_option('limit_categories' );
76
- delete_option('tweet_categories' );
77
- //yourls installation
78
- delete_option( 'yourlsapi' );
79
- delete_option( 'yourlspath' );
80
- delete_option( 'yourlsurl' );
81
- delete_option( 'yourlslogin' );
82
- delete_option( 'jd_replace_character' );
83
- delete_option( 'jd_date_format' );
84
- delete_option( 'jd_keyword_format' );
85
- //Version
86
- delete_option( 'wp_to_twitter_version' );
87
- delete_option( 'wpt_authentication_missing' );
 
88
  }
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
  }
wp-to-twitter-be_BY.po CHANGED
@@ -1,548 +1,548 @@
1
- # SOME DESCRIPTIVE TITLE.
2
- # Copyright (C) YEAR Joseph Dolson
3
- # This file is distributed under the same license as the PACKAGE package.
4
- # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
- #
6
- msgid ""
7
- msgstr ""
8
- "Project-Id-Version: WP to Twitter\n"
9
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
- "POT-Creation-Date: 2009-12-22 20:09+0300\n"
11
- "PO-Revision-Date: 2011-08-10 18:25+0200\n"
12
- "Last-Translator: \n"
13
- "Language-Team: Alexandr Alexandrov <yuzver@gmx.com>\n"
14
- "MIME-Version: 1.0\n"
15
- "Content-Type: text/plain; charset=utf-8\n"
16
- "Content-Transfer-Encoding: 8bit\n"
17
- "X-Poedit-Language: Belarusian\n"
18
- "X-Poedit-Country: BELARUS\n"
19
-
20
- #: functions.php:127
21
- msgid "Twitter Password Saved"
22
- msgstr "Twitter пароль захаваны"
23
-
24
- #: functions.php:129
25
- msgid "Twitter Password Not Saved"
26
- msgstr "Twitter пароль не захаваны"
27
-
28
- #: functions.php:132
29
- msgid "Bit.ly API Saved"
30
- msgstr "Bit.ly API Key захаваны"
31
-
32
- #: functions.php:134
33
- msgid "Bit.ly API Not Saved"
34
- msgstr "Bit.ly API Key не захаваны"
35
-
36
- #: functions.php:140
37
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
- msgstr "[ <a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>не паказваць</a> ] Калі ў Вас паўсталі праблемы, калі ласка скапіруйце гэтыя налады і звернецеся за падтрымкай. "
39
-
40
- #: wp-to-twitter-manager.php:63
41
- msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
- msgstr "Наладзіць Ваш лагін Twitter і сэрвіс скарачэння URL API каб выкарыстаць гэты убудова!"
43
-
44
- #: wp-to-twitter-manager.php:69
45
- msgid "Please add your Twitter password. "
46
- msgstr "Калі ласка дадайце Ваш пароль ад Twitter"
47
-
48
- #: wp-to-twitter-manager.php:75
49
- msgid "WP to Twitter Errors Cleared"
50
- msgstr "WP to Twitter памылкі ачышчаны"
51
-
52
- #: wp-to-twitter-manager.php:82
53
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
- msgstr "Выбачайце! Я не магу злучыцца з серверамі Twitter для адпраўкі Вашага новага"
55
-
56
- #: wp-to-twitter-manager.php:84
57
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
- msgstr "Выбачайце! Я не магу злучыцца з серверамі Twitter для адпраўкі Вашай <strong>новай спасылкі!</strong> Я баюся, што Вам прыйдзецца размясціць яе ўручную."
59
-
60
- #: wp-to-twitter-manager.php:149
61
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
- msgstr "Вы павінны дадаць свой Bit.ly лагін і API key для таго, каб скараціць URL выкарыстоўваючы Bit.ly."
63
-
64
- #: wp-to-twitter-manager.php:158
65
- msgid "WP to Twitter Options Updated"
66
- msgstr "WP to Twitter параметры абноўленыя"
67
-
68
- #: wp-to-twitter-manager.php:168
69
- msgid "Twitter login and password updated. "
70
- msgstr "Twitter лагін і пароль абноўлены."
71
-
72
- #: wp-to-twitter-manager.php:170
73
- msgid "You need to provide your twitter login and password! "
74
- msgstr "Вы павінны пазначыць свой лагін і пароль ад Twitter!"
75
-
76
- #: wp-to-twitter-manager.php:177
77
- msgid "Cligs API Key Updated"
78
- msgstr "Cligs API Key абноўлены"
79
-
80
- #: wp-to-twitter-manager.php:180
81
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
- msgstr "Cli.gs API Key выдалены. Cli.gs створаны для WP to Twitter, больш не будзе звязаны з Вашым акаунтам."
83
-
84
- #: wp-to-twitter-manager.php:182
85
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
- msgstr "Cli.gs API Key ня дададзены - <a href='http://cli.gs/user/api/'>атрымаць тут</a> ! "
87
-
88
- #: wp-to-twitter-manager.php:188
89
- msgid "Bit.ly API Key Updated."
90
- msgstr "Bit.ly API Key абноўлены."
91
-
92
- #: wp-to-twitter-manager.php:191
93
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
- msgstr "Bit.ly API Key выдалены. Вы не можаце выкарыстоўваць Bit.ly API без API key."
95
-
96
- #: wp-to-twitter-manager.php:193
97
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
- msgstr "Bit.ly API Key ня дададзены - <a href='http://bit.ly/account/'>атрымаць тут</a> ! API key павінен выкарыстоўваць сэрвіс скарачэння URL Bit.ly. "
99
-
100
- #: wp-to-twitter-manager.php:197
101
- msgid " Bit.ly User Login Updated."
102
- msgstr "Bit.ly лагін карыстальніка абноўлены."
103
-
104
- #: wp-to-twitter-manager.php:200
105
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
- msgstr "Bit.ly лагін карыстальніка выдалены. Вы не можаце выкарыстоўваць Bit.ly API без Вашага лагіна."
107
-
108
- #: wp-to-twitter-manager.php:202
109
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
- msgstr "Bit.ly лагін ня дададзены - <a href='http://bit.ly/account/'>атрымаць тут</a> ! "
111
-
112
- #: wp-to-twitter-manager.php:236
113
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
- msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy, але стварыць URL не ўдалося. </li> "
115
-
116
- #: wp-to-twitter-manager.php:238
117
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
- msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy, але памылка сервера Cli.gs перашкаджала таго, каб URL быў скарочаны. </li> "
119
-
120
- #: wp-to-twitter-manager.php:240
121
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy и создана сокращенная ссылка.</li>"
122
- msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy and created a shortened link. </li> "
123
-
124
- #: wp-to-twitter-manager.php:249
125
- #: wp-to-twitter-manager.php:274
126
- msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
- msgstr " <li> Устаноўлена злучэнне з Bit.ly API праз Snoopy. </li> "
128
-
129
- #: wp-to-twitter-manager.php:251
130
- #: wp-to-twitter-manager.php:276
131
- msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
- msgstr " <li> Не атрымоўваецца злучыцца з Bit.ly API праз Snoopy. </li> "
133
-
134
- #: wp-to-twitter-manager.php:254
135
- msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
- msgstr " <li> Не ўдаецца праверыць Bit.ly API, неабходны правільны ключ API. </li> "
137
-
138
- #: wp-to-twitter-manager.php:258
139
- msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
- msgstr " <li> Устаноўлена злучэнне з Twitter API праз Snoopy. </li> "
141
-
142
- #: wp-to-twitter-manager.php:260
143
- msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
- msgstr " <li> Не атрымоўваецца злучыцца з Twitter API праз Snoopy. </li> "
145
-
146
- #: wp-to-twitter-manager.php:266
147
- msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
- msgstr " <li> Устаноўлена злучэнне з Twitter API праз cURL. </li> "
149
-
150
- #: wp-to-twitter-manager.php:268
151
- msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
- msgstr " <li> Не атрымоўваецца злучыцца з Twitter API праз cURL. </li> "
153
-
154
- #: wp-to-twitter-manager.php:280
155
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
- msgstr " <li> Устаноўлена злучэнне з Cli.gs API праз Snoopy. </li> "
157
-
158
- #: wp-to-twitter-manager.php:283
159
- msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
- msgstr " <li> Не атрымоўваецца злучыцца з Cli.gs API праз Snoopy. </li> "
161
-
162
- #: wp-to-twitter-manager.php:288
163
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
- msgstr " <li> <strong>Ваш сервер дожнен паспяхова працаваць з WP to Twitter.</strong> </li> "
165
-
166
- #: wp-to-twitter-manager.php:293
167
- msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
- msgstr " <li> Ваш сервер не падтрымлівае <code>fputs</code> . </li> "
169
-
170
- #: wp-to-twitter-manager.php:297
171
- msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
- msgstr " <li> Ваш сервер не падтрымлівае <code>file_get_contents</code> або <code>cURL</code> функцыі. </li> "
173
-
174
- #: wp-to-twitter-manager.php:301
175
- msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
- msgstr " <li> Ваш сервер не падтрымлівае <code>Snoopy</code> . </li> "
177
-
178
- #: wp-to-twitter-manager.php:304
179
- msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
- msgstr " <li> <strong>Ваш сервер, здаецца, не падтрымлівае неабходныя PHP функцыі і класы для карэктнай працы ўбудовы WP to Twitter.</strong> Вы можаце паспрабаваць, але ў любым выпадку, гэтыя тэсты не ідэальныя і ніякіх гарантый не даюць. </li> "
181
-
182
- #: wp-to-twitter-manager.php:313
183
- msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
- msgstr "Гэты убудова можа не зусім карэктна працаваць у сервернай асяроддзі. Убудова не атрымоўваецца злучыцца з сэрвісам скарачэння URL API і сэрвісам Twitter API."
185
-
186
- #: wp-to-twitter-manager.php:328
187
- msgid "WP to Twitter Options"
188
- msgstr "WP to Twitter параметры"
189
-
190
- #: wp-to-twitter-manager.php:332
191
- #: wp-to-twitter.php:811
192
- msgid "Get Support"
193
- msgstr "Атрымаць падтрымку"
194
-
195
- #: wp-to-twitter-manager.php:333
196
- msgid "Export Settings"
197
- msgstr "Налады экспарту"
198
-
199
- #: wp-to-twitter-manager.php:347
200
- msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
- msgstr "Для абнаўлення любых паведамленняў, Вы можаце выкарыстоўваць коды <code>#title#</code> для загалоўка Вашага паведамленні ў блогу, <code>#blog#</code> для назвы Вашага блога, <code>#post#</code> для кароткага апісання паведамленні, <code>#category#</code> для выбару першай катэгорыі паведамленні, <code>#date#</code> для даты паведамленні, <code>#url#</code> для URL паведамленні (скарочанага або няма, у залежнасці ад вашых настроек.) Вы таксама можаце создатьпользовательские коды доступу да наладжвальным палях WordPress. Выкарыстоўвайце двайныя квадратныя дужкі навакольныя імя наладжвальнага поля для дадання значэння гэтага наладжвальнага поля да Вашага абноўленаму статуту. Прыклад: <code>[[custom_field]]</code> "
202
-
203
- #: wp-to-twitter-manager.php:353
204
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
- msgstr " <p> Не атрымалася перадаць інфармацыю аб абнаўленні статусу аднаго або некалькіх вашых паведамленняў у Twitter. Ваша паведамленне было захавана ў карыстацкіх палях Вашага паведамлення, і Вы можаце переотправить яго на вольным часе. </p> "
206
-
207
- #: wp-to-twitter-manager.php:356
208
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
- msgstr " <p> Запыт да сэрвісу скарачэння URL API не атрымаўся, і ваш URL не быў скарочаны. Поўны URL паведамлення быў прымацаваны да вашага паведамлення. Звяжыцеся са сваім сэрвісам скарачэння URL, каб даведацца, ці ёсць якія-небудзь вядомыя праблемы. [ <a href=\"http://blog.cli.gs\">Cli.gs Blog</a> ] [ <a href=\"http://blog.bit.ly\">Bit.ly Blog</a> ] </p> "
210
-
211
- #: wp-to-twitter-manager.php:363
212
- msgid "Clear 'WP to Twitter' Error Messages"
213
- msgstr "Ачысьціць 'WP to Twitter' паведамленні аб памылках"
214
-
215
- #: wp-to-twitter-manager.php:371
216
- msgid "Set what should be in a Tweet"
217
- msgstr "Усталяваць, што павінна быць у паведамленні"
218
-
219
- #: wp-to-twitter-manager.php:374
220
- msgid "Update when a post is published"
221
- msgstr "Абнавіць калі паведамленне будзе апублікавана"
222
-
223
- #: wp-to-twitter-manager.php:374
224
- msgid "Text for new post updates:"
225
- msgstr "Тэкст для абнаўлення новых паведамленняў:"
226
-
227
- #: wp-to-twitter-manager.php:379
228
- msgid "Update when a post is edited"
229
- msgstr "Абнавіць, калі паведамленне будзе Мовы"
230
-
231
- #: wp-to-twitter-manager.php:379
232
- msgid "Text for editing updates:"
233
- msgstr "Тэкст для рэдагавання абнаўленняў:"
234
-
235
- #: wp-to-twitter-manager.php:383
236
- msgid "Update Twitter when new Wordpress Pages are published"
237
- msgstr "Абнавіць Twitter, калі новыя старонкі Wordpress будуць апублікаваныя"
238
-
239
- #: wp-to-twitter-manager.php:383
240
- msgid "Text for new page updates:"
241
- msgstr "Тэкст абнаўлення для новай старонкі:"
242
-
243
- #: wp-to-twitter-manager.php:387
244
- msgid "Update Twitter when WordPress Pages are edited"
245
- msgstr "Абнавіць Твітэр, калі новыя Wordpress старонкі адрэдагаваныя"
246
-
247
- #: wp-to-twitter-manager.php:387
248
- msgid "Text for page edit updates:"
249
- msgstr "Тэкст абнаўлення для адрэдагаваныя старонак:"
250
-
251
- #: wp-to-twitter-manager.php:391
252
- msgid "Add tags as hashtags on Tweets"
253
- msgstr "Дадаць тэгі як hashtags ў паведамленне"
254
-
255
- #: wp-to-twitter-manager.php:391
256
- msgid "Spaces replaced with:"
257
- msgstr "Прабелы замяніць на:"
258
-
259
- #: wp-to-twitter-manager.php:392
260
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
261
- msgstr "Зададзеная па змаўчанні замена - знак падкрэслення ( <code>_</code> ). Выкарыстоўваць <code>[ ]</code> для выдалення прабелаў цалкам. "
262
-
263
- #: wp-to-twitter-manager.php:394
264
- msgid "Maximum number of tags to include:"
265
- msgstr "Максімальны лік тэгаў для ўключэння:"
266
-
267
- #: wp-to-twitter-manager.php:395
268
- msgid "Maximum length in characters for included tags:"
269
- msgstr "Максімальная даўжыня ў сімвалах для уключаных тэгаў:"
270
-
271
- #: wp-to-twitter-manager.php:396
272
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
- msgstr "Гэтыя параметры дазваляюць Вам абмежаваць даўжыню і колькасць тэгаў WordPress накіраваных у Twitter, як hashtags. Усталюйце <code>0</code> або пакіньце поле пустым, каб вырашыць любыя тэгі. "
274
-
275
- #: wp-to-twitter-manager.php:400
276
- msgid "Update Twitter when you post a Blogroll link"
277
- msgstr "Абнавіць Twitter, калі размесціце Blogroll спасылку"
278
-
279
- #: wp-to-twitter-manager.php:401
280
- msgid "Text for new link updates:"
281
- msgstr "Тэкст абнаўлення для новай спасылкі:"
282
-
283
- #: wp-to-twitter-manager.php:401
284
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
- msgstr "Даступныя коды: <code>#url#</code> , <code>#title#</code> , і <code>#description#</code> . "
286
-
287
- #: wp-to-twitter-manager.php:404
288
- msgid "Length of post excerpt (in characters):"
289
- msgstr "Даўжыня вытрымкі з паведамлення (у сімвалах):"
290
-
291
- #: wp-to-twitter-manager.php:404
292
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
- msgstr "Па змаўчанні, выняты непасрэдна з паведамлення. Калі Вы выкарыстоўваеце поле 'Вытрымка', гэта будзе выкарыстоўвацца замест яго."
294
-
295
- #: wp-to-twitter-manager.php:407
296
- msgid "WP to Twitter Date Formatting:"
297
- msgstr "WP to Twitter фарматаванне даты:"
298
-
299
- #: wp-to-twitter-manager.php:407
300
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
- msgstr "Па змаўчанні з агульных налад. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a> . "
302
-
303
- #: wp-to-twitter-manager.php:411
304
- msgid "Custom text before Tweets:"
305
- msgstr "Уласны тэкст перад паведамленнямі:"
306
-
307
- #: wp-to-twitter-manager.php:412
308
- msgid "Custom text after Tweets:"
309
- msgstr "Уласны тэкст пасля паведамленняў:"
310
-
311
- #: wp-to-twitter-manager.php:415
312
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
- msgstr "КАРЫСТАЛЬНІКА поле для альтэрнатыўных URL, каб скараціць і 'затвиттить':"
314
-
315
- #: wp-to-twitter-manager.php:416
316
- msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
- msgstr "Вы можаце выкарыстоўваць карыстацкае поле, каб адправіць Cli.gs і Twitter альтэрнатыўны URL з пастаяннай спасылкай WordPress. Значэнне - назва карыстацкага поля, якое Вы выкарыстоўваеце, каб дадаць знешні URL."
318
-
319
- #: wp-to-twitter-manager.php:420
320
- msgid "Special Cases when WordPress should send a Tweet"
321
- msgstr "Спецыяльныя выпадкі, калі WordPress павінен адправіць паведамленне"
322
-
323
- #: wp-to-twitter-manager.php:423
324
- msgid "Set default Tweet status to 'No.'"
325
- msgstr "Усталяваць па змаўчанні статус паведамленні на 'Не.'"
326
-
327
- #: wp-to-twitter-manager.php:424
328
- msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
- msgstr "Twitter абнаўлення могуць быць устаноўлены на кожнае паведамленне. Па змаўчанні, паведамленні БУДУЦЬ размешчаны на Twitter. Праверце гэта, каб змяніць значэнне па змаўчанні на НЯМА."
330
-
331
- #: wp-to-twitter-manager.php:428
332
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
- msgstr "Даслаць абнаўлення Twitter па выдаленай публікацыі (Паведамленне па email або XMLRPC кліент)"
334
-
335
- #: wp-to-twitter-manager.php:432
336
- msgid "Update Twitter when a post is published using QuickPress"
337
- msgstr "Абнавіць Twitter, калі пост апублікаваны з выкарыстаннем QuickPress"
338
-
339
- #: wp-to-twitter-manager.php:436
340
- msgid "Special Fields"
341
- msgstr "Спецыяльныя поля"
342
-
343
- #: wp-to-twitter-manager.php:439
344
- msgid "Use Google Analytics with WP-to-Twitter"
345
- msgstr "Выкарыстоўваць Google Analytics для WP-to-Twitter"
346
-
347
- #: wp-to-twitter-manager.php:440
348
- msgid "Campaign identifier for Google Analytics:"
349
- msgstr "Ідэнтыфікатар Google Analytics:"
350
-
351
- #: wp-to-twitter-manager.php:441
352
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
- msgstr "Вы можаце сачыць за адказамі ў Твітэры выкарыстоўваючы Google Analytics для вызначэння ідэнтыфікатара кампаніі тут."
354
-
355
- #: wp-to-twitter-manager.php:446
356
- msgid "Authors have individual Twitter accounts"
357
- msgstr "Аўтары маюць індывідуальныя Твітэр акаўнты"
358
-
359
- #: wp-to-twitter-manager.php:446
360
- msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
- msgstr "Кожны аўтар можа ўсталяваць сврое ўласнае Twitter імя і пароль у профілі карыстача. Іх паведамленні будуць адпраўлены ў свае ўласныя ўліковыя запісы Twitter."
362
-
363
- #: wp-to-twitter-manager.php:450
364
- msgid "Set your preferred URL Shortener"
365
- msgstr "Усталяваць упадабаны Вамі сэрвіс скарачэння URL"
366
-
367
- #: wp-to-twitter-manager.php:453
368
- msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
- msgstr "Выкарыстоўваць <strong>Cli.gs</strong> ў якасці майго сэрвісу скарачэння URL."
370
-
371
- #: wp-to-twitter-manager.php:454
372
- msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
- msgstr "Выкарыстоўваць <strong>Bit.ly</strong> ў якасці майго сэрвісу скарачэння URL."
374
-
375
- #: wp-to-twitter-manager.php:455
376
- msgid "Use <strong>WordPress</strong> as a URL shortener."
377
- msgstr "Выкарыстоўваць <strong>WordPress</strong> для скарачэння URL."
378
-
379
- #: wp-to-twitter-manager.php:456
380
- msgid "Don't shorten URLs."
381
- msgstr "Не скарачаць URL."
382
-
383
- #: wp-to-twitter-manager.php:457
384
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
- msgstr "Выкарыстанне WordPress ў якасці URL Shortener пашле URL-адрасоў, каб Twitterать ў фармаце URL па змаўчанні для WordPress: <code>http://domain.com/subdir/?p=123</code> . Google Analytics не даступны пры выкарыстанні WordPress скарочаны URL. "
386
-
387
- #: wp-to-twitter-manager.php:462
388
- msgid "Save WP->Twitter Options"
389
- msgstr "Захаваць WP-&gt; Twitter параметры"
390
-
391
- #: wp-to-twitter-manager.php:468
392
- msgid "Your Twitter account details"
393
- msgstr "Налады Вашай ўліковага запісу Twitter"
394
-
395
- #: wp-to-twitter-manager.php:475
396
- msgid "Your Twitter username:"
397
- msgstr "Імя Вашага ўліковага запісу ў Twitter:"
398
-
399
- #: wp-to-twitter-manager.php:479
400
- msgid "Your Twitter password:"
401
- msgstr "Пароль ад Вашага ўліковага запісу ў Twitter:"
402
-
403
- #: wp-to-twitter-manager.php:479
404
- msgid "(<em>Saved</em>)"
405
- msgstr "<em>(Захавана)</em>"
406
-
407
- #: wp-to-twitter-manager.php:483
408
- msgid "Save Twitter Login Info"
409
- msgstr "Захаваць інфармацыю для ўваходу ў Twitter"
410
-
411
- #: wp-to-twitter-manager.php:483
412
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
- msgstr "&raquo; <small>Не ўліковага запісу Twitter? <a href='http://www.twitter.com'>Атрымаеце яе бясплатна тут</a>"
414
-
415
- #: wp-to-twitter-manager.php:487
416
- msgid "Your Cli.gs account details"
417
- msgstr "Налады Вашай ўліковага запісу Cli.gs"
418
-
419
- #: wp-to-twitter-manager.php:494
420
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
- msgstr "Ваш Cli.gs <abbr title=\"application programming interface\">API</abbr> Key:"
422
-
423
- #: wp-to-twitter-manager.php:500
424
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
- msgstr "Няма ўліковага запісу на Cli.gs або Cligs API Key? <a href='http://cli.gs/user/api/'>Атрымаеце яе бясплатна тут</a> ! <br /> Вам неабходны API Key, для таго каб звязаць Cligs, створаныя з дапамогай Вашага ўліковага запісу Cligs. "
426
-
427
- #: wp-to-twitter-manager.php:505
428
- msgid "Your Bit.ly account details"
429
- msgstr "Налады Вашай ўліковага запісу Bit.ly"
430
-
431
- #: wp-to-twitter-manager.php:510
432
- msgid "Your Bit.ly username:"
433
- msgstr "Імя Вашага ўліковага запісу ў Bit.ly:"
434
-
435
- #: wp-to-twitter-manager.php:514
436
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
- msgstr "Ваш Bit.ly <abbr title=\"application programming interface\">API</abbr> Key:"
438
-
439
- #: wp-to-twitter-manager.php:521
440
- msgid "Save Bit.ly API Key"
441
- msgstr "Захаваць Bit.ly API Key"
442
-
443
- #: wp-to-twitter-manager.php:521
444
- msgid "Clear Bit.ly API Key"
445
- msgstr "Выдаліць Bit.ly API Key"
446
-
447
- #: wp-to-twitter-manager.php:521
448
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
- msgstr "Bit.ly API key і імя ўліковага запісу патрабуецца для скарачэння URL праз Bit.ly API і WP to Twitter."
450
-
451
- #: wp-to-twitter-manager.php:530
452
- msgid "Check Support"
453
- msgstr "Праверыць падтрымку"
454
-
455
- #: wp-to-twitter-manager.php:530
456
- msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
- msgstr "Праверце ці падтрымлівае Ваш сервер запыты WP to Twitter да Twitter і сэрвісаў скарачэння URL."
458
-
459
- #: wp-to-twitter-manager.php:538
460
- msgid "Need help?"
461
- msgstr "Патрэбна дапамога?"
462
-
463
- #: wp-to-twitter-manager.php:539
464
- msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
- msgstr "Посетите <a href='http://www.joedolson.com/articles/wp-to-twitter/'>страницу плагина WP to Twitter</a>."
466
-
467
- #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
- #. Plugin Name of an extension
469
- #: wp-to-twitter.php:761
470
- msgid "WP to Twitter"
471
- msgstr "WP to Twitter"
472
-
473
- #: wp-to-twitter.php:806
474
- msgid "Twitter Post"
475
- msgstr "Twitter паведамленне"
476
-
477
- #: wp-to-twitter.php:811
478
- msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
- msgstr "Сімвалы. <br /> Twitter паведамлення не павінны перавышаць 140 знакаў; Ваша Cli.gs спасылка дадаецца ў канец дакумента, Вам даступна 119 знакаў Вы можаце выкарыстоўваць <code>#url#</code> , <code>#title#</code> , <code>#post#</code> , <code>#category#</code> , <code>#date#</code> , або <code>#blog#</code> каб ўставіць скарочаны URL, назва паведамлення, першую выбраную катэгорыю, дату паведамленні, вытрымку з паведамленні або назва блога ў паведамленне. "
480
-
481
- #: wp-to-twitter.php:811
482
- msgid "Make a Donation"
483
- msgstr "Зрабіць ахвяраванне"
484
-
485
- #: wp-to-twitter.php:814
486
- msgid "Don't Tweet this post."
487
- msgstr "Не твіт гэтае паведамленне."
488
-
489
- #: wp-to-twitter.php:863
490
- msgid "WP to Twitter User Settings"
491
- msgstr "WP to Twitter налады карыстальніка"
492
-
493
- #: wp-to-twitter.php:867
494
- msgid "Use My Twitter Account"
495
- msgstr "Выкарыстоўваць маю ўліковы запіс Twitter"
496
-
497
- #: wp-to-twitter.php:868
498
- msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
- msgstr "Выберыце гэты параметр, калі хочаце каб Вашыя паведамленні былі адпраўленыя ў Ваш уліковы запіс Twitter без якіх-небудзь @ спасылак."
500
-
501
- #: wp-to-twitter.php:869
502
- msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
- msgstr "Пісаць мае паведамленні ў маю ўліковы запіс Twitter з @ спасылкай на асноўны сайт Twitter."
504
-
505
- #: wp-to-twitter.php:870
506
- msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
- msgstr "Писать мои сообщения на главной странице учетной записи Twitter со @ ссылкой на мое имя пользователя. (Для этого параметра пароль не требуется.)"
508
-
509
- #: wp-to-twitter.php:873
510
- msgid "Your Twitter Username"
511
- msgstr "Ваше имя пользователя Twitter "
512
-
513
- #: wp-to-twitter.php:874
514
- msgid "Enter your own Twitter username."
515
- msgstr "Введите свое имя пользователя Twitter."
516
-
517
- #: wp-to-twitter.php:877
518
- msgid "Your Twitter Password"
519
- msgstr "Ваш пароль от Twitter"
520
-
521
- #: wp-to-twitter.php:878
522
- msgid "Enter your own Twitter password."
523
- msgstr "Введите свой пароль от Twitter."
524
-
525
- #: wp-to-twitter.php:997
526
- msgid "<p>Couldn't locate the settings page.</p>"
527
- msgstr "<p>Невозможно найти страницу настроек.</p>"
528
-
529
- #: wp-to-twitter.php:1002
530
- msgid "Settings"
531
- msgstr "Настройки"
532
-
533
- #. Plugin URI of an extension
534
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
-
537
- #. Description of an extension
538
- msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
- msgstr "Обновить Twitter когда Вы напишите новое сообщение в блоге или добавите в Ваш блогролл использование Cli.gs. С помощью Cli.gs API key, создайте clig в Вашей Cli.gs учетной записи с названием Вашего сообщения в качестве заголовка."
540
-
541
- #. Author of an extension
542
- msgid "Joseph Dolson"
543
- msgstr "Joseph Dolson"
544
-
545
- #. Author URI of an extension
546
- msgid "http://www.joedolson.com/"
547
- msgstr "http://www.joedolson.com/"
548
-
1
+ # SOME DESCRIPTIVE TITLE.
2
+ # Copyright (C) YEAR Joseph Dolson
3
+ # This file is distributed under the same license as the PACKAGE package.
4
+ # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
+ #
6
+ msgid ""
7
+ msgstr ""
8
+ "Project-Id-Version: WP to Twitter\n"
9
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
+ "POT-Creation-Date: 2009-12-22 20:09+0300\n"
11
+ "PO-Revision-Date: 2011-08-10 18:25+0200\n"
12
+ "Last-Translator: \n"
13
+ "Language-Team: Alexandr Alexandrov <yuzver@gmx.com>\n"
14
+ "MIME-Version: 1.0\n"
15
+ "Content-Type: text/plain; charset=utf-8\n"
16
+ "Content-Transfer-Encoding: 8bit\n"
17
+ "X-Poedit-Language: Belarusian\n"
18
+ "X-Poedit-Country: BELARUS\n"
19
+
20
+ #: functions.php:127
21
+ msgid "Twitter Password Saved"
22
+ msgstr "Twitter пароль захаваны"
23
+
24
+ #: functions.php:129
25
+ msgid "Twitter Password Not Saved"
26
+ msgstr "Twitter пароль не захаваны"
27
+
28
+ #: functions.php:132
29
+ msgid "Bit.ly API Saved"
30
+ msgstr "Bit.ly API Key захаваны"
31
+
32
+ #: functions.php:134
33
+ msgid "Bit.ly API Not Saved"
34
+ msgstr "Bit.ly API Key не захаваны"
35
+
36
+ #: functions.php:140
37
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
+ msgstr "[ <a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>не паказваць</a> ] Калі ў Вас паўсталі праблемы, калі ласка скапіруйце гэтыя налады і звернецеся за падтрымкай. "
39
+
40
+ #: wp-to-twitter-manager.php:63
41
+ msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
+ msgstr "Наладзіць Ваш лагін Twitter і сэрвіс скарачэння URL API каб выкарыстаць гэты убудова!"
43
+
44
+ #: wp-to-twitter-manager.php:69
45
+ msgid "Please add your Twitter password. "
46
+ msgstr "Калі ласка дадайце Ваш пароль ад Twitter"
47
+
48
+ #: wp-to-twitter-manager.php:75
49
+ msgid "WP to Twitter Errors Cleared"
50
+ msgstr "WP to Twitter памылкі ачышчаны"
51
+
52
+ #: wp-to-twitter-manager.php:82
53
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
+ msgstr "Выбачайце! Я не магу злучыцца з серверамі Twitter для адпраўкі Вашага новага"
55
+
56
+ #: wp-to-twitter-manager.php:84
57
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
+ msgstr "Выбачайце! Я не магу злучыцца з серверамі Twitter для адпраўкі Вашай <strong>новай спасылкі!</strong> Я баюся, што Вам прыйдзецца размясціць яе ўручную."
59
+
60
+ #: wp-to-twitter-manager.php:149
61
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
+ msgstr "Вы павінны дадаць свой Bit.ly лагін і API key для таго, каб скараціць URL выкарыстоўваючы Bit.ly."
63
+
64
+ #: wp-to-twitter-manager.php:158
65
+ msgid "WP to Twitter Options Updated"
66
+ msgstr "WP to Twitter параметры абноўленыя"
67
+
68
+ #: wp-to-twitter-manager.php:168
69
+ msgid "Twitter login and password updated. "
70
+ msgstr "Twitter лагін і пароль абноўлены."
71
+
72
+ #: wp-to-twitter-manager.php:170
73
+ msgid "You need to provide your twitter login and password! "
74
+ msgstr "Вы павінны пазначыць свой лагін і пароль ад Twitter!"
75
+
76
+ #: wp-to-twitter-manager.php:177
77
+ msgid "Cligs API Key Updated"
78
+ msgstr "Cligs API Key абноўлены"
79
+
80
+ #: wp-to-twitter-manager.php:180
81
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
+ msgstr "Cli.gs API Key выдалены. Cli.gs створаны для WP to Twitter, больш не будзе звязаны з Вашым акаунтам."
83
+
84
+ #: wp-to-twitter-manager.php:182
85
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
+ msgstr "Cli.gs API Key ня дададзены - <a href='http://cli.gs/user/api/'>атрымаць тут</a> ! "
87
+
88
+ #: wp-to-twitter-manager.php:188
89
+ msgid "Bit.ly API Key Updated."
90
+ msgstr "Bit.ly API Key абноўлены."
91
+
92
+ #: wp-to-twitter-manager.php:191
93
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
+ msgstr "Bit.ly API Key выдалены. Вы не можаце выкарыстоўваць Bit.ly API без API key."
95
+
96
+ #: wp-to-twitter-manager.php:193
97
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
+ msgstr "Bit.ly API Key ня дададзены - <a href='http://bit.ly/account/'>атрымаць тут</a> ! API key павінен выкарыстоўваць сэрвіс скарачэння URL Bit.ly. "
99
+
100
+ #: wp-to-twitter-manager.php:197
101
+ msgid " Bit.ly User Login Updated."
102
+ msgstr "Bit.ly лагін карыстальніка абноўлены."
103
+
104
+ #: wp-to-twitter-manager.php:200
105
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
+ msgstr "Bit.ly лагін карыстальніка выдалены. Вы не можаце выкарыстоўваць Bit.ly API без Вашага лагіна."
107
+
108
+ #: wp-to-twitter-manager.php:202
109
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
+ msgstr "Bit.ly лагін ня дададзены - <a href='http://bit.ly/account/'>атрымаць тут</a> ! "
111
+
112
+ #: wp-to-twitter-manager.php:236
113
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
+ msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy, але стварыць URL не ўдалося. </li> "
115
+
116
+ #: wp-to-twitter-manager.php:238
117
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
+ msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy, але памылка сервера Cli.gs перашкаджала таго, каб URL быў скарочаны. </li> "
119
+
120
+ #: wp-to-twitter-manager.php:240
121
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy и создана сокращенная ссылка.</li>"
122
+ msgstr " <li> Устаноўлена злучэнне з API Cli.gs праз Snoopy and created a shortened link. </li> "
123
+
124
+ #: wp-to-twitter-manager.php:249
125
+ #: wp-to-twitter-manager.php:274
126
+ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
+ msgstr " <li> Устаноўлена злучэнне з Bit.ly API праз Snoopy. </li> "
128
+
129
+ #: wp-to-twitter-manager.php:251
130
+ #: wp-to-twitter-manager.php:276
131
+ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
+ msgstr " <li> Не атрымоўваецца злучыцца з Bit.ly API праз Snoopy. </li> "
133
+
134
+ #: wp-to-twitter-manager.php:254
135
+ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
+ msgstr " <li> Не ўдаецца праверыць Bit.ly API, неабходны правільны ключ API. </li> "
137
+
138
+ #: wp-to-twitter-manager.php:258
139
+ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
+ msgstr " <li> Устаноўлена злучэнне з Twitter API праз Snoopy. </li> "
141
+
142
+ #: wp-to-twitter-manager.php:260
143
+ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
+ msgstr " <li> Не атрымоўваецца злучыцца з Twitter API праз Snoopy. </li> "
145
+
146
+ #: wp-to-twitter-manager.php:266
147
+ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
+ msgstr " <li> Устаноўлена злучэнне з Twitter API праз cURL. </li> "
149
+
150
+ #: wp-to-twitter-manager.php:268
151
+ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
+ msgstr " <li> Не атрымоўваецца злучыцца з Twitter API праз cURL. </li> "
153
+
154
+ #: wp-to-twitter-manager.php:280
155
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
+ msgstr " <li> Устаноўлена злучэнне з Cli.gs API праз Snoopy. </li> "
157
+
158
+ #: wp-to-twitter-manager.php:283
159
+ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
+ msgstr " <li> Не атрымоўваецца злучыцца з Cli.gs API праз Snoopy. </li> "
161
+
162
+ #: wp-to-twitter-manager.php:288
163
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
+ msgstr " <li> <strong>Ваш сервер дожнен паспяхова працаваць з WP to Twitter.</strong> </li> "
165
+
166
+ #: wp-to-twitter-manager.php:293
167
+ msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
+ msgstr " <li> Ваш сервер не падтрымлівае <code>fputs</code> . </li> "
169
+
170
+ #: wp-to-twitter-manager.php:297
171
+ msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
+ msgstr " <li> Ваш сервер не падтрымлівае <code>file_get_contents</code> або <code>cURL</code> функцыі. </li> "
173
+
174
+ #: wp-to-twitter-manager.php:301
175
+ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
+ msgstr " <li> Ваш сервер не падтрымлівае <code>Snoopy</code> . </li> "
177
+
178
+ #: wp-to-twitter-manager.php:304
179
+ msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
+ msgstr " <li> <strong>Ваш сервер, здаецца, не падтрымлівае неабходныя PHP функцыі і класы для карэктнай працы ўбудовы WP to Twitter.</strong> Вы можаце паспрабаваць, але ў любым выпадку, гэтыя тэсты не ідэальныя і ніякіх гарантый не даюць. </li> "
181
+
182
+ #: wp-to-twitter-manager.php:313
183
+ msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
+ msgstr "Гэты убудова можа не зусім карэктна працаваць у сервернай асяроддзі. Убудова не атрымоўваецца злучыцца з сэрвісам скарачэння URL API і сэрвісам Twitter API."
185
+
186
+ #: wp-to-twitter-manager.php:328
187
+ msgid "WP to Twitter Options"
188
+ msgstr "WP to Twitter параметры"
189
+
190
+ #: wp-to-twitter-manager.php:332
191
+ #: wp-to-twitter.php:811
192
+ msgid "Get Support"
193
+ msgstr "Атрымаць падтрымку"
194
+
195
+ #: wp-to-twitter-manager.php:333
196
+ msgid "Export Settings"
197
+ msgstr "Налады экспарту"
198
+
199
+ #: wp-to-twitter-manager.php:347
200
+ msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
+ msgstr "Для абнаўлення любых паведамленняў, Вы можаце выкарыстоўваць коды <code>#title#</code> для загалоўка Вашага паведамленні ў блогу, <code>#blog#</code> для назвы Вашага блога, <code>#post#</code> для кароткага апісання паведамленні, <code>#category#</code> для выбару першай катэгорыі паведамленні, <code>#date#</code> для даты паведамленні, <code>#url#</code> для URL паведамленні (скарочанага або няма, у залежнасці ад вашых настроек.) Вы таксама можаце создатьпользовательские коды доступу да наладжвальным палях WordPress. Выкарыстоўвайце двайныя квадратныя дужкі навакольныя імя наладжвальнага поля для дадання значэння гэтага наладжвальнага поля да Вашага абноўленаму статуту. Прыклад: <code>[[custom_field]]</code> "
202
+
203
+ #: wp-to-twitter-manager.php:353
204
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
+ msgstr " <p> Не атрымалася перадаць інфармацыю аб абнаўленні статусу аднаго або некалькіх вашых паведамленняў у Twitter. Ваша паведамленне было захавана ў карыстацкіх палях Вашага паведамлення, і Вы можаце переотправить яго на вольным часе. </p> "
206
+
207
+ #: wp-to-twitter-manager.php:356
208
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
+ msgstr " <p> Запыт да сэрвісу скарачэння URL API не атрымаўся, і ваш URL не быў скарочаны. Поўны URL паведамлення быў прымацаваны да вашага паведамлення. Звяжыцеся са сваім сэрвісам скарачэння URL, каб даведацца, ці ёсць якія-небудзь вядомыя праблемы. [ <a href=\"http://blog.cli.gs\">Cli.gs Blog</a> ] [ <a href=\"http://blog.bit.ly\">Bit.ly Blog</a> ] </p> "
210
+
211
+ #: wp-to-twitter-manager.php:363
212
+ msgid "Clear 'WP to Twitter' Error Messages"
213
+ msgstr "Ачысьціць 'WP to Twitter' паведамленні аб памылках"
214
+
215
+ #: wp-to-twitter-manager.php:371
216
+ msgid "Set what should be in a Tweet"
217
+ msgstr "Усталяваць, што павінна быць у паведамленні"
218
+
219
+ #: wp-to-twitter-manager.php:374
220
+ msgid "Update when a post is published"
221
+ msgstr "Абнавіць калі паведамленне будзе апублікавана"
222
+
223
+ #: wp-to-twitter-manager.php:374
224
+ msgid "Text for new post updates:"
225
+ msgstr "Тэкст для абнаўлення новых паведамленняў:"
226
+
227
+ #: wp-to-twitter-manager.php:379
228
+ msgid "Update when a post is edited"
229
+ msgstr "Абнавіць, калі паведамленне будзе Мовы"
230
+
231
+ #: wp-to-twitter-manager.php:379
232
+ msgid "Text for editing updates:"
233
+ msgstr "Тэкст для рэдагавання абнаўленняў:"
234
+
235
+ #: wp-to-twitter-manager.php:383
236
+ msgid "Update Twitter when new Wordpress Pages are published"
237
+ msgstr "Абнавіць Twitter, калі новыя старонкі Wordpress будуць апублікаваныя"
238
+
239
+ #: wp-to-twitter-manager.php:383
240
+ msgid "Text for new page updates:"
241
+ msgstr "Тэкст абнаўлення для новай старонкі:"
242
+
243
+ #: wp-to-twitter-manager.php:387
244
+ msgid "Update Twitter when WordPress Pages are edited"
245
+ msgstr "Абнавіць Твітэр, калі новыя Wordpress старонкі адрэдагаваныя"
246
+
247
+ #: wp-to-twitter-manager.php:387
248
+ msgid "Text for page edit updates:"
249
+ msgstr "Тэкст абнаўлення для адрэдагаваныя старонак:"
250
+
251
+ #: wp-to-twitter-manager.php:391
252
+ msgid "Add tags as hashtags on Tweets"
253
+ msgstr "Дадаць тэгі як hashtags ў паведамленне"
254
+
255
+ #: wp-to-twitter-manager.php:391
256
+ msgid "Spaces replaced with:"
257
+ msgstr "Прабелы замяніць на:"
258
+
259
+ #: wp-to-twitter-manager.php:392
260
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
261
+ msgstr "Зададзеная па змаўчанні замена - знак падкрэслення ( <code>_</code> ). Выкарыстоўваць <code>[ ]</code> для выдалення прабелаў цалкам. "
262
+
263
+ #: wp-to-twitter-manager.php:394
264
+ msgid "Maximum number of tags to include:"
265
+ msgstr "Максімальны лік тэгаў для ўключэння:"
266
+
267
+ #: wp-to-twitter-manager.php:395
268
+ msgid "Maximum length in characters for included tags:"
269
+ msgstr "Максімальная даўжыня ў сімвалах для уключаных тэгаў:"
270
+
271
+ #: wp-to-twitter-manager.php:396
272
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
+ msgstr "Гэтыя параметры дазваляюць Вам абмежаваць даўжыню і колькасць тэгаў WordPress накіраваных у Twitter, як hashtags. Усталюйце <code>0</code> або пакіньце поле пустым, каб вырашыць любыя тэгі. "
274
+
275
+ #: wp-to-twitter-manager.php:400
276
+ msgid "Update Twitter when you post a Blogroll link"
277
+ msgstr "Абнавіць Twitter, калі размесціце Blogroll спасылку"
278
+
279
+ #: wp-to-twitter-manager.php:401
280
+ msgid "Text for new link updates:"
281
+ msgstr "Тэкст абнаўлення для новай спасылкі:"
282
+
283
+ #: wp-to-twitter-manager.php:401
284
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
+ msgstr "Даступныя коды: <code>#url#</code> , <code>#title#</code> , і <code>#description#</code> . "
286
+
287
+ #: wp-to-twitter-manager.php:404
288
+ msgid "Length of post excerpt (in characters):"
289
+ msgstr "Даўжыня вытрымкі з паведамлення (у сімвалах):"
290
+
291
+ #: wp-to-twitter-manager.php:404
292
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
+ msgstr "Па змаўчанні, выняты непасрэдна з паведамлення. Калі Вы выкарыстоўваеце поле 'Вытрымка', гэта будзе выкарыстоўвацца замест яго."
294
+
295
+ #: wp-to-twitter-manager.php:407
296
+ msgid "WP to Twitter Date Formatting:"
297
+ msgstr "WP to Twitter фарматаванне даты:"
298
+
299
+ #: wp-to-twitter-manager.php:407
300
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
+ msgstr "Па змаўчанні з агульных налад. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a> . "
302
+
303
+ #: wp-to-twitter-manager.php:411
304
+ msgid "Custom text before Tweets:"
305
+ msgstr "Уласны тэкст перад паведамленнямі:"
306
+
307
+ #: wp-to-twitter-manager.php:412
308
+ msgid "Custom text after Tweets:"
309
+ msgstr "Уласны тэкст пасля паведамленняў:"
310
+
311
+ #: wp-to-twitter-manager.php:415
312
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
+ msgstr "КАРЫСТАЛЬНІКА поле для альтэрнатыўных URL, каб скараціць і 'затвиттить':"
314
+
315
+ #: wp-to-twitter-manager.php:416
316
+ msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
+ msgstr "Вы можаце выкарыстоўваць карыстацкае поле, каб адправіць Cli.gs і Twitter альтэрнатыўны URL з пастаяннай спасылкай WordPress. Значэнне - назва карыстацкага поля, якое Вы выкарыстоўваеце, каб дадаць знешні URL."
318
+
319
+ #: wp-to-twitter-manager.php:420
320
+ msgid "Special Cases when WordPress should send a Tweet"
321
+ msgstr "Спецыяльныя выпадкі, калі WordPress павінен адправіць паведамленне"
322
+
323
+ #: wp-to-twitter-manager.php:423
324
+ msgid "Set default Tweet status to 'No.'"
325
+ msgstr "Усталяваць па змаўчанні статус паведамленні на 'Не.'"
326
+
327
+ #: wp-to-twitter-manager.php:424
328
+ msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
+ msgstr "Twitter абнаўлення могуць быць устаноўлены на кожнае паведамленне. Па змаўчанні, паведамленні БУДУЦЬ размешчаны на Twitter. Праверце гэта, каб змяніць значэнне па змаўчанні на НЯМА."
330
+
331
+ #: wp-to-twitter-manager.php:428
332
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
+ msgstr "Даслаць абнаўлення Twitter па выдаленай публікацыі (Паведамленне па email або XMLRPC кліент)"
334
+
335
+ #: wp-to-twitter-manager.php:432
336
+ msgid "Update Twitter when a post is published using QuickPress"
337
+ msgstr "Абнавіць Twitter, калі пост апублікаваны з выкарыстаннем QuickPress"
338
+
339
+ #: wp-to-twitter-manager.php:436
340
+ msgid "Special Fields"
341
+ msgstr "Спецыяльныя поля"
342
+
343
+ #: wp-to-twitter-manager.php:439
344
+ msgid "Use Google Analytics with WP-to-Twitter"
345
+ msgstr "Выкарыстоўваць Google Analytics для WP-to-Twitter"
346
+
347
+ #: wp-to-twitter-manager.php:440
348
+ msgid "Campaign identifier for Google Analytics:"
349
+ msgstr "Ідэнтыфікатар Google Analytics:"
350
+
351
+ #: wp-to-twitter-manager.php:441
352
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
+ msgstr "Вы можаце сачыць за адказамі ў Твітэры выкарыстоўваючы Google Analytics для вызначэння ідэнтыфікатара кампаніі тут."
354
+
355
+ #: wp-to-twitter-manager.php:446
356
+ msgid "Authors have individual Twitter accounts"
357
+ msgstr "Аўтары маюць індывідуальныя Твітэр акаўнты"
358
+
359
+ #: wp-to-twitter-manager.php:446
360
+ msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
+ msgstr "Кожны аўтар можа ўсталяваць сврое ўласнае Twitter імя і пароль у профілі карыстача. Іх паведамленні будуць адпраўлены ў свае ўласныя ўліковыя запісы Twitter."
362
+
363
+ #: wp-to-twitter-manager.php:450
364
+ msgid "Set your preferred URL Shortener"
365
+ msgstr "Усталяваць упадабаны Вамі сэрвіс скарачэння URL"
366
+
367
+ #: wp-to-twitter-manager.php:453
368
+ msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
+ msgstr "Выкарыстоўваць <strong>Cli.gs</strong> ў якасці майго сэрвісу скарачэння URL."
370
+
371
+ #: wp-to-twitter-manager.php:454
372
+ msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
+ msgstr "Выкарыстоўваць <strong>Bit.ly</strong> ў якасці майго сэрвісу скарачэння URL."
374
+
375
+ #: wp-to-twitter-manager.php:455
376
+ msgid "Use <strong>WordPress</strong> as a URL shortener."
377
+ msgstr "Выкарыстоўваць <strong>WordPress</strong> для скарачэння URL."
378
+
379
+ #: wp-to-twitter-manager.php:456
380
+ msgid "Don't shorten URLs."
381
+ msgstr "Не скарачаць URL."
382
+
383
+ #: wp-to-twitter-manager.php:457
384
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
+ msgstr "Выкарыстанне WordPress ў якасці URL Shortener пашле URL-адрасоў, каб Twitterать ў фармаце URL па змаўчанні для WordPress: <code>http://domain.com/subdir/?p=123</code> . Google Analytics не даступны пры выкарыстанні WordPress скарочаны URL. "
386
+
387
+ #: wp-to-twitter-manager.php:462
388
+ msgid "Save WP->Twitter Options"
389
+ msgstr "Захаваць WP-&gt; Twitter параметры"
390
+
391
+ #: wp-to-twitter-manager.php:468
392
+ msgid "Your Twitter account details"
393
+ msgstr "Налады Вашай ўліковага запісу Twitter"
394
+
395
+ #: wp-to-twitter-manager.php:475
396
+ msgid "Your Twitter username:"
397
+ msgstr "Імя Вашага ўліковага запісу ў Twitter:"
398
+
399
+ #: wp-to-twitter-manager.php:479
400
+ msgid "Your Twitter password:"
401
+ msgstr "Пароль ад Вашага ўліковага запісу ў Twitter:"
402
+
403
+ #: wp-to-twitter-manager.php:479
404
+ msgid "(<em>Saved</em>)"
405
+ msgstr "<em>(Захавана)</em>"
406
+
407
+ #: wp-to-twitter-manager.php:483
408
+ msgid "Save Twitter Login Info"
409
+ msgstr "Захаваць інфармацыю для ўваходу ў Twitter"
410
+
411
+ #: wp-to-twitter-manager.php:483
412
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
+ msgstr "&raquo; <small>Не ўліковага запісу Twitter? <a href='http://www.twitter.com'>Атрымаеце яе бясплатна тут</a>"
414
+
415
+ #: wp-to-twitter-manager.php:487
416
+ msgid "Your Cli.gs account details"
417
+ msgstr "Налады Вашай ўліковага запісу Cli.gs"
418
+
419
+ #: wp-to-twitter-manager.php:494
420
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
+ msgstr "Ваш Cli.gs <abbr title=\"application programming interface\">API</abbr> Key:"
422
+
423
+ #: wp-to-twitter-manager.php:500
424
+ msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
+ msgstr "Няма ўліковага запісу на Cli.gs або Cligs API Key? <a href='http://cli.gs/user/api/'>Атрымаеце яе бясплатна тут</a> ! <br /> Вам неабходны API Key, для таго каб звязаць Cligs, створаныя з дапамогай Вашага ўліковага запісу Cligs. "
426
+
427
+ #: wp-to-twitter-manager.php:505
428
+ msgid "Your Bit.ly account details"
429
+ msgstr "Налады Вашай ўліковага запісу Bit.ly"
430
+
431
+ #: wp-to-twitter-manager.php:510
432
+ msgid "Your Bit.ly username:"
433
+ msgstr "Імя Вашага ўліковага запісу ў Bit.ly:"
434
+
435
+ #: wp-to-twitter-manager.php:514
436
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
+ msgstr "Ваш Bit.ly <abbr title=\"application programming interface\">API</abbr> Key:"
438
+
439
+ #: wp-to-twitter-manager.php:521
440
+ msgid "Save Bit.ly API Key"
441
+ msgstr "Захаваць Bit.ly API Key"
442
+
443
+ #: wp-to-twitter-manager.php:521
444
+ msgid "Clear Bit.ly API Key"
445
+ msgstr "Выдаліць Bit.ly API Key"
446
+
447
+ #: wp-to-twitter-manager.php:521
448
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
+ msgstr "Bit.ly API key і імя ўліковага запісу патрабуецца для скарачэння URL праз Bit.ly API і WP to Twitter."
450
+
451
+ #: wp-to-twitter-manager.php:530
452
+ msgid "Check Support"
453
+ msgstr "Праверыць падтрымку"
454
+
455
+ #: wp-to-twitter-manager.php:530
456
+ msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
+ msgstr "Праверце ці падтрымлівае Ваш сервер запыты WP to Twitter да Twitter і сэрвісаў скарачэння URL."
458
+
459
+ #: wp-to-twitter-manager.php:538
460
+ msgid "Need help?"
461
+ msgstr "Патрэбна дапамога?"
462
+
463
+ #: wp-to-twitter-manager.php:539
464
+ msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
+ msgstr "Посетите <a href='http://www.joedolson.com/articles/wp-to-twitter/'>страницу плагина WP to Twitter</a>."
466
+
467
+ #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
+ #. Plugin Name of an extension
469
+ #: wp-to-twitter.php:761
470
+ msgid "WP to Twitter"
471
+ msgstr "WP to Twitter"
472
+
473
+ #: wp-to-twitter.php:806
474
+ msgid "Twitter Post"
475
+ msgstr "Twitter паведамленне"
476
+
477
+ #: wp-to-twitter.php:811
478
+ msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
+ msgstr "Сімвалы. <br /> Twitter паведамлення не павінны перавышаць 140 знакаў; Ваша Cli.gs спасылка дадаецца ў канец дакумента, Вам даступна 119 знакаў Вы можаце выкарыстоўваць <code>#url#</code> , <code>#title#</code> , <code>#post#</code> , <code>#category#</code> , <code>#date#</code> , або <code>#blog#</code> каб ўставіць скарочаны URL, назва паведамлення, першую выбраную катэгорыю, дату паведамленні, вытрымку з паведамленні або назва блога ў паведамленне. "
480
+
481
+ #: wp-to-twitter.php:811
482
+ msgid "Make a Donation"
483
+ msgstr "Зрабіць ахвяраванне"
484
+
485
+ #: wp-to-twitter.php:814
486
+ msgid "Don't Tweet this post."
487
+ msgstr "Не твіт гэтае паведамленне."
488
+
489
+ #: wp-to-twitter.php:863
490
+ msgid "WP to Twitter User Settings"
491
+ msgstr "WP to Twitter налады карыстальніка"
492
+
493
+ #: wp-to-twitter.php:867
494
+ msgid "Use My Twitter Account"
495
+ msgstr "Выкарыстоўваць маю ўліковы запіс Twitter"
496
+
497
+ #: wp-to-twitter.php:868
498
+ msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
+ msgstr "Выберыце гэты параметр, калі хочаце каб Вашыя паведамленні былі адпраўленыя ў Ваш уліковы запіс Twitter без якіх-небудзь @ спасылак."
500
+
501
+ #: wp-to-twitter.php:869
502
+ msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
+ msgstr "Пісаць мае паведамленні ў маю ўліковы запіс Twitter з @ спасылкай на асноўны сайт Twitter."
504
+
505
+ #: wp-to-twitter.php:870
506
+ msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
+ msgstr "Писать мои сообщения на главной странице учетной записи Twitter со @ ссылкой на мое имя пользователя. (Для этого параметра пароль не требуется.)"
508
+
509
+ #: wp-to-twitter.php:873
510
+ msgid "Your Twitter Username"
511
+ msgstr "Ваше имя пользователя Twitter "
512
+
513
+ #: wp-to-twitter.php:874
514
+ msgid "Enter your own Twitter username."
515
+ msgstr "Введите свое имя пользователя Twitter."
516
+
517
+ #: wp-to-twitter.php:877
518
+ msgid "Your Twitter Password"
519
+ msgstr "Ваш пароль от Twitter"
520
+
521
+ #: wp-to-twitter.php:878
522
+ msgid "Enter your own Twitter password."
523
+ msgstr "Введите свой пароль от Twitter."
524
+
525
+ #: wp-to-twitter.php:997
526
+ msgid "<p>Couldn't locate the settings page.</p>"
527
+ msgstr "<p>Невозможно найти страницу настроек.</p>"
528
+
529
+ #: wp-to-twitter.php:1002
530
+ msgid "Settings"
531
+ msgstr "Настройки"
532
+
533
+ #. Plugin URI of an extension
534
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
+
537
+ #. Description of an extension
538
+ msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
+ msgstr "Обновить Twitter когда Вы напишите новое сообщение в блоге или добавите в Ваш блогролл использование Cli.gs. С помощью Cli.gs API key, создайте clig в Вашей Cli.gs учетной записи с названием Вашего сообщения в качестве заголовка."
540
+
541
+ #. Author of an extension
542
+ msgid "Joseph Dolson"
543
+ msgstr "Joseph Dolson"
544
+
545
+ #. Author URI of an extension
546
+ msgid "http://www.joedolson.com/"
547
+ msgstr "http://www.joedolson.com/"
548
+
wp-to-twitter-da_DA.po CHANGED
@@ -1,816 +1,816 @@
1
- msgid ""
2
- msgstr ""
3
- "Project-Id-Version: wp-to-twitter\n"
4
- "Report-Msgid-Bugs-To: \n"
5
- "POT-Creation-Date: 2011-02-20 18:11+0100\n"
6
- "PO-Revision-Date: 2011-02-20 18:11+0100\n"
7
- "Last-Translator: Rasmus Himmelstrup <rh@iihnordic.com>\n"
8
- "Language-Team: \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-KeywordsList: __;gettext;gettext_noop;_e\n"
13
- "X-Poedit-Basepath: .\n"
14
- "X-Poedit-Language: Danish\n"
15
- "X-Poedit-Country: DENMARK\n"
16
- "X-Poedit-SearchPath-0: .\n"
17
-
18
- #: functions.php:210
19
- 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."
20
- 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."
21
-
22
- #: wp-to-twitter-manager.php:74
23
- msgid "WP to Twitter is now connected with Twitter."
24
- msgstr "WP to Twitter forbinder nu til Twitter"
25
-
26
- #: wp-to-twitter-manager.php:82
27
- msgid "OAuth Authentication Failed. Check your credentials and verify that <a href=\"http://www.twitter.com/\">Twitter</a> is running."
28
- msgstr "OAuth Autentikation mislykkedes. "
29
-
30
- #: wp-to-twitter-manager.php:89
31
- msgid "OAuth Authentication Data Cleared."
32
- msgstr "OAuth Authentication Data nulstillet."
33
-
34
- #: wp-to-twitter-manager.php:96
35
- msgid "OAuth Authentication response not understood."
36
- msgstr "OAuth Authentication svar blev ikke forstået"
37
-
38
- #: wp-to-twitter-manager.php:105
39
- msgid "WP to Twitter Errors Cleared"
40
- msgstr "WP to Twitter fejl er løst"
41
-
42
- #: wp-to-twitter-manager.php:112
43
- 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! "
44
- msgstr "Beklager! Jeg kunne ikke få fat i Twitters servere for at publicere dit nye blog indlæg. Dit tweet er blevet gemt i et felt i dit indlæg, så du kan sende til Twitter manuelt hvis du ønsker."
45
-
46
- #: wp-to-twitter-manager.php:114
47
- 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. "
48
- msgstr "Beklager! Jeg kunne ikke få fat i Twitters servere og publicere dit <strong>nye indlæg</strong>! Du bliver nød til publicere det manuelt desværre."
49
-
50
- #: wp-to-twitter-manager.php:149
51
- msgid "WP to Twitter Advanced Options Updated"
52
- msgstr "WP to Twitter udvidede muligheder er opdateret. "
53
-
54
- #: wp-to-twitter-manager.php:166
55
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
56
- msgstr "Du skal tilføje dit Bit.ly login og API key for at forkorte URLs med Bit.ly."
57
-
58
- #: wp-to-twitter-manager.php:170
59
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
60
- msgstr "Du skal tilføje dit YOURLS remote URL, login og password for at forkorte URLs med en fjern installation af YOURLS."
61
-
62
- #: wp-to-twitter-manager.php:174
63
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
64
- msgstr "Du skal tilføje din YOURLS server sti for at kunne forkorte URLs med en remote installation af YOURLS."
65
-
66
- #: wp-to-twitter-manager.php:178
67
- msgid "WP to Twitter Options Updated"
68
- msgstr "WP to Twitter indstillinger er opdateret"
69
-
70
- #: wp-to-twitter-manager.php:188
71
- msgid "Category limits updated."
72
- msgstr "Kategoribegrænsninger er opdateret"
73
-
74
- #: wp-to-twitter-manager.php:192
75
- msgid "Category limits unset."
76
- msgstr "Kategori begræsninger fjernet."
77
-
78
- #: wp-to-twitter-manager.php:200
79
- msgid "YOURLS password updated. "
80
- msgstr "YOURLS password opdateret. "
81
-
82
- #: wp-to-twitter-manager.php:203
83
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
84
- msgstr "YOURLS password slettet. Du kan ikke længere bruge din remote YOURLS konto til at udarbejde short URLS."
85
-
86
- #: wp-to-twitter-manager.php:205
87
- msgid "Failed to save your YOURLS password! "
88
- msgstr "Det mislykkedes at gemme dit YOURLS password! "
89
-
90
- #: wp-to-twitter-manager.php:209
91
- msgid "YOURLS username added. "
92
- msgstr "YOURLS brugernavn tilføjet"
93
-
94
- #: wp-to-twitter-manager.php:213
95
- msgid "YOURLS API url added. "
96
- msgstr "YOURLS API url tilføjet. "
97
-
98
- #: wp-to-twitter-manager.php:216
99
- msgid "YOURLS API url removed. "
100
- msgstr "YOURLS API url fjernet."
101
-
102
- #: wp-to-twitter-manager.php:221
103
- msgid "YOURLS local server path added. "
104
- msgstr "YOURLS local server sti tilføjet."
105
-
106
- #: wp-to-twitter-manager.php:223
107
- msgid "The path to your YOURLS installation is not correct. "
108
- msgstr "Stien til din YOURLS installation er ikke korrekt."
109
-
110
- #: wp-to-twitter-manager.php:227
111
- msgid "YOURLS local server path removed. "
112
- msgstr "YOURLS local server sti slettet. "
113
-
114
- #: wp-to-twitter-manager.php:231
115
- msgid "YOURLS will use Post ID for short URL slug."
116
- msgstr "YOURLS vil bruge Post ID som short URL adresse."
117
-
118
- #: wp-to-twitter-manager.php:234
119
- msgid "YOURLS will not use Post ID for the short URL slug."
120
- msgstr "YOURLS vil ikke bruge Post ID som short URL adresse."
121
-
122
- #: wp-to-twitter-manager.php:241
123
- msgid "Cligs API Key Updated"
124
- msgstr "Cli.gs API Key opdateret"
125
-
126
- #: wp-to-twitter-manager.php:244
127
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
128
- msgstr "Cli.gs API Key slettet. Cli.gs genereret af WP to Twitter vil ikke længere blive forbundet med din konto. "
129
-
130
- #: wp-to-twitter-manager.php:246
131
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
132
- msgstr "Cli.gs API Key ikke tilføjet - <a href='http://cli.gs/user/api/'>få en her</a>! "
133
-
134
- #: wp-to-twitter-manager.php:252
135
- msgid "Bit.ly API Key Updated."
136
- msgstr "Bit.ly API Key opdateret"
137
-
138
- #: wp-to-twitter-manager.php:255
139
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
140
- msgstr "Bit.ly API Key slettet. Du kan ikke bruge Bit.ly API uden en API key."
141
-
142
- #: wp-to-twitter-manager.php:257
143
- 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."
144
- 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 forkorter service."
145
-
146
- #: wp-to-twitter-manager.php:261
147
- msgid " Bit.ly User Login Updated."
148
- msgstr "Bit.ly brugernavn er opdateret"
149
-
150
- #: wp-to-twitter-manager.php:264
151
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
152
- msgstr "Bit.ly bruger login slettet. Du kan ikke benytte Bit.ly API uden at have et brugernavn."
153
-
154
- #: wp-to-twitter-manager.php:266
155
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
156
- msgstr "Bit.ly Login ikke tilføjet - <a href='http://bit.ly/account/'>få et her</a>! "
157
-
158
- #: wp-to-twitter-manager.php:295
159
- msgid "No error information is available for your shortener."
160
- msgstr "Der er ingen fejlinformation tilgængelig for din url forkorter."
161
-
162
- #: wp-to-twitter-manager.php:297
163
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
164
- msgstr "<li class=\"error\"><strong>WP to Twitter kunne ikke komme i kontakt med din valgte URL shortening service.</strong></li>"
165
-
166
- #: wp-to-twitter-manager.php:300
167
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
168
- msgstr "<li><strong>WP to Twitter kontaktede din valgte URL shortening service.</strong> Det følgende link bør pege på din blog homepage:successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
169
-
170
- #: wp-to-twitter-manager.php:309
171
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
172
- msgstr "<li><strong>WP to Twitter sendte succesfuldt en status opdatering til Twitter.</strong></li>"
173
-
174
- #: wp-to-twitter-manager.php:311
175
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
176
- msgstr "<li class=\"error\"><strong>Det lykkedes ikke at sende en opdatering til Twitter med WP to Twitter.</strong></li>"
177
-
178
- #: wp-to-twitter-manager.php:314
179
- msgid "You have not connected WordPress to Twitter."
180
- msgstr "Du har ikke forbundet Wordpress til Twitter"
181
-
182
- #: wp-to-twitter-manager.php:318
183
- 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>"
184
- 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>"
185
-
186
- #: wp-to-twitter-manager.php:322
187
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
188
- msgstr "<li><strong>Din server skulle køre WP to Twitter optimalt.</strong></li>"
189
-
190
- #: wp-to-twitter-manager.php:339
191
- msgid "WP to Twitter Options"
192
- msgstr "WP to Twitter indstillinger"
193
-
194
- #: wp-to-twitter-manager.php:349
195
- #: wp-to-twitter.php:780
196
- msgid "Get Support"
197
- msgstr "Få support"
198
-
199
- #: wp-to-twitter-manager.php:350
200
- msgid "Export Settings"
201
- msgstr "Eksportér Indstillinger"
202
-
203
- #: wp-to-twitter-manager.php:351
204
- #: wp-to-twitter.php:780
205
- msgid "Make a Donation"
206
- msgstr "Donér"
207
-
208
- #: wp-to-twitter-manager.php:366
209
- msgid "Shortcodes available in post update templates:"
210
- msgstr "Shortcodes er tilgængelige i indlæggets opdaterings templates:"
211
-
212
- #: wp-to-twitter-manager.php:368
213
- msgid "<code>#title#</code>: the title of your blog post"
214
- msgstr "<code>#title#</code>: titlen på dit indlæg"
215
-
216
- #: wp-to-twitter-manager.php:369
217
- msgid "<code>#blog#</code>: the title of your blog"
218
- msgstr "<code>#blog#</code>: titlen på din blog"
219
-
220
- #: wp-to-twitter-manager.php:370
221
- msgid "<code>#post#</code>: a short excerpt of the post content"
222
- msgstr "<code>#post#</code>: en kort beskrivelse af indlæggets indhold"
223
-
224
- #: wp-to-twitter-manager.php:371
225
- msgid "<code>#category#</code>: the first selected category for the post"
226
- msgstr "<code>#category#</code>: den første valgte kategori for indlægget"
227
-
228
- #: wp-to-twitter-manager.php:372
229
- msgid "<code>#date#</code>: the post date"
230
- msgstr "<code>#date#</code>: dato for indlæg"
231
-
232
- #: wp-to-twitter-manager.php:373
233
- msgid "<code>#url#</code>: the post URL"
234
- msgstr "<code>#url#</code>: Indlæg URL"
235
-
236
- #: wp-to-twitter-manager.php:374
237
- msgid "<code>#author#</code>: the post author"
238
- msgstr "<code>#author#</code>: indlæggets forfatter"
239
-
240
- #: wp-to-twitter-manager.php:375
241
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
242
- msgstr "<code>#account#</code>: Twitter @reference for kontoen (eller forfatteren, hvis forfatterindstillinger er aktiveret og indsat.)"
243
-
244
- #: wp-to-twitter-manager.php:377
245
- 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>"
246
- msgstr "Du kan også generere specielle shortcodes for at få adgang til WordPress custom felter. Brug firkantede klammer omkring navnet på dit custom felt for at tilføje navnet til din status opdatering. Eksempel: <code>[[custom_field]]</code></p>"
247
-
248
- #: wp-to-twitter-manager.php:382
249
- 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>"
250
- msgstr "<p>En eller flere of dine sidste indlæg sendte ikke status opdateringer til Twitter. Dit Tweet er gemt i custom feltet på indlægget, du kan re-Tweete når du vil.</p>"
251
-
252
- #: wp-to-twitter-manager.php:386
253
- 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>"
254
- msgstr "<p>Forespørgslen til URL shortener API mislykkedes, og din URL blev ikke forkortet. Den fulde URL blev tilføjet til dit Tweet. Tjek med din URL shortening udbyder for at se om der er nogle kendte problemer. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
255
-
256
- #: wp-to-twitter-manager.php:393
257
- msgid "Clear 'WP to Twitter' Error Messages"
258
- msgstr "Nulstil 'WP to Twitter' fejlbeskeder"
259
-
260
- #: wp-to-twitter-manager.php:409
261
- msgid "Basic Settings"
262
- msgstr "Normale indstillinger"
263
-
264
- #: wp-to-twitter-manager.php:415
265
- msgid "Tweet Templates"
266
- msgstr "Tweet Temaer"
267
-
268
- #: wp-to-twitter-manager.php:418
269
- msgid "Update when a post is published"
270
- msgstr "Opdatér når et indlæg er publiceret"
271
-
272
- #: wp-to-twitter-manager.php:418
273
- msgid "Text for new post updates:"
274
- msgstr "Tekst for nye indlæg:"
275
-
276
- #: wp-to-twitter-manager.php:424
277
- #: wp-to-twitter-manager.php:427
278
- msgid "Update when a post is edited"
279
- msgstr "Opdatér når et indlæg er ændret"
280
-
281
- #: wp-to-twitter-manager.php:424
282
- #: wp-to-twitter-manager.php:427
283
- msgid "Text for editing updates:"
284
- msgstr "Tekst ved opdateringer:"
285
-
286
- #: wp-to-twitter-manager.php:428
287
- msgid "You can not disable updates on edits when using Postie or similar plugins."
288
- msgstr "Du kan ikke deaktivere opdateringer ved ændringer når du benytter Postie eller lignende plugins."
289
-
290
- #: wp-to-twitter-manager.php:432
291
- msgid "Update Twitter when new Wordpress Pages are published"
292
- msgstr "Opdatér Twitter når Wordpress Sider er publiceret"
293
-
294
- #: wp-to-twitter-manager.php:432
295
- msgid "Text for new page updates:"
296
- msgstr "Tekst til nye side opdateringer:"
297
-
298
- #: wp-to-twitter-manager.php:436
299
- msgid "Update Twitter when WordPress Pages are edited"
300
- msgstr "Opdatér Twitter når Wordpress sider er ændret"
301
-
302
- #: wp-to-twitter-manager.php:436
303
- msgid "Text for page edit updates:"
304
- msgstr "Tekst ved opdateringer på sider:"
305
-
306
- #: wp-to-twitter-manager.php:440
307
- msgid "Update Twitter when you post a Blogroll link"
308
- msgstr "Opdatér Twitter når du poster et Blogroll link"
309
-
310
- #: wp-to-twitter-manager.php:441
311
- msgid "Text for new link updates:"
312
- msgstr "Tekst for nye link opdateringer:"
313
-
314
- #: wp-to-twitter-manager.php:441
315
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
316
- msgstr "Mulige shortcodes: <code>#url#</code>, <code>#title#</code>, og <code>#description#</code>."
317
-
318
- #: wp-to-twitter-manager.php:445
319
- msgid "Choose your short URL service (account settings below)"
320
- msgstr "Vælg din kort URL service (kontoindstillinger nedenfor)"
321
-
322
- #: wp-to-twitter-manager.php:448
323
- msgid "Use Cli.gs for my URL shortener."
324
- msgstr "Brug Cli.gs som URL forkerter"
325
-
326
- #: wp-to-twitter-manager.php:449
327
- msgid "Use Bit.ly for my URL shortener."
328
- msgstr "Brug Bit.ly som min URL forkorter"
329
-
330
- #: wp-to-twitter-manager.php:450
331
- msgid "YOURLS (installed on this server)"
332
- msgstr "YOURLS (installeret på denne server)"
333
-
334
- #: wp-to-twitter-manager.php:451
335
- msgid "YOURLS (installed on a remote server)"
336
- msgstr "YOURLS (installeret på en remote server)"
337
-
338
- #: wp-to-twitter-manager.php:452
339
- msgid "Use WordPress as a URL shortener."
340
- msgstr "Brug Wordpress som en URL forkorter"
341
-
342
- #: wp-to-twitter-manager.php:453
343
- msgid "Don't shorten URLs."
344
- msgstr "Forkort ikke URLs"
345
-
346
- #: wp-to-twitter-manager.php:455
347
- 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."
348
- msgstr "Ved at bruge WordPress som en URL shortener vil WordPress sende URLs til Twitter i default format: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics kan ikke benyttes når du benytter WordPress forkortede URLs."
349
-
350
- #: wp-to-twitter-manager.php:461
351
- msgid "Save WP->Twitter Options"
352
- msgstr "Gem WP->Twitter indstillinger"
353
-
354
- #: wp-to-twitter-manager.php:473
355
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
356
- msgstr "<abbr title=\"Uniform Resource Locator\">URL</abbr> forkorter Kontoindstillinger"
357
-
358
- #: wp-to-twitter-manager.php:477
359
- msgid "Your Cli.gs account details"
360
- msgstr "Din Cli.gs konto informationer"
361
-
362
- #: wp-to-twitter-manager.php:482
363
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
364
- msgstr "Din Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
365
-
366
- #: wp-to-twitter-manager.php:488
367
- 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."
368
- msgstr "Har du ikke en Cli.gs konto eller Cligs API key? <a href='http://cli.gs/user/api/'>Få en gratis her</a>!<br /> Du skal bruge en API key for at associere dine Cligs du med din Cligs konto. "
369
-
370
- #: wp-to-twitter-manager.php:494
371
- msgid "Your Bit.ly account details"
372
- msgstr "Din Bit.ly konto indstillinger"
373
-
374
- #: wp-to-twitter-manager.php:499
375
- msgid "Your Bit.ly username:"
376
- msgstr "Dit Bit.ly brugernavn"
377
-
378
- #: wp-to-twitter-manager.php:503
379
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
380
- msgstr "Din Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
381
-
382
- #: wp-to-twitter-manager.php:510
383
- msgid "Save Bit.ly API Key"
384
- msgstr "Gem Bit.ly API Key"
385
-
386
- #: wp-to-twitter-manager.php:510
387
- msgid "Clear Bit.ly API Key"
388
- msgstr "Nustil Bit.ly API Key"
389
-
390
- #: wp-to-twitter-manager.php:510
391
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
392
- msgstr "En Bit.ly API ey og brugernavn er nødvendigt for at forkorte URLs via Bit.ly API og WP to Twitter."
393
-
394
- #: wp-to-twitter-manager.php:515
395
- msgid "Your YOURLS account details"
396
- msgstr "Din YOURLS kontodetaljer"
397
-
398
- #: wp-to-twitter-manager.php:519
399
- msgid "Path to the YOURLS config file (Local installations)"
400
- msgstr "Sti til YOURLS konfigurationsfil (Lokale installationer)"
401
-
402
- #: wp-to-twitter-manager.php:520
403
- #: wp-to-twitter-manager.php:524
404
- msgid "Example:"
405
- msgstr "Eksempel:"
406
-
407
- #: wp-to-twitter-manager.php:523
408
- msgid "URI to the YOURLS API (Remote installations)"
409
- msgstr "URI til YOURLS API (Remote installationer)"
410
-
411
- #: wp-to-twitter-manager.php:527
412
- msgid "Your YOURLS username:"
413
- msgstr "Dit YOURLS brugernavn:"
414
-
415
- #: wp-to-twitter-manager.php:531
416
- msgid "Your YOURLS password:"
417
- msgstr "Dit YOURLS password:"
418
-
419
- #: wp-to-twitter-manager.php:531
420
- msgid "<em>Saved</em>"
421
- msgstr "<em>Gemt</em>"
422
-
423
- #: wp-to-twitter-manager.php:535
424
- msgid "Use Post ID for YOURLS url slug."
425
- msgstr "Brug Post ID for YOURLS url adresse."
426
-
427
- #: wp-to-twitter-manager.php:540
428
- msgid "Save YOURLS Account Info"
429
- msgstr "Gem YOURLS konto info"
430
-
431
- #: wp-to-twitter-manager.php:540
432
- msgid "Clear YOURLS password"
433
- msgstr "Nulstil YOURLS password"
434
-
435
- #: wp-to-twitter-manager.php:540
436
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
437
- msgstr "Et YOURLS password og brugernavn er nødvendigt for at forkorte URLs via remote YOURLS API og WP to Twitter."
438
-
439
- #: wp-to-twitter-manager.php:557
440
- msgid "Advanced Settings"
441
- msgstr "Avancerede indstillinger"
442
-
443
- #: wp-to-twitter-manager.php:564
444
- msgid "Advanced Tweet settings"
445
- msgstr "Avancerede Tweet indstillinger"
446
-
447
- #: wp-to-twitter-manager.php:567
448
- msgid "Add tags as hashtags on Tweets"
449
- msgstr "Tilføj tags som hastags til Tweets"
450
-
451
- #: wp-to-twitter-manager.php:568
452
- msgid "Spaces replaced with:"
453
- msgstr "Mellemrum erstattet af:"
454
-
455
- #: wp-to-twitter-manager.php:569
456
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
457
- msgstr "Default måde at erstatte er underscore (<code>_</code>). Brug <code>[ ]</code> for at fjerne mellemrum helt."
458
-
459
- #: wp-to-twitter-manager.php:572
460
- msgid "Maximum number of tags to include:"
461
- msgstr "Maksimum antal tags der skal inkluderes"
462
-
463
- #: wp-to-twitter-manager.php:573
464
- msgid "Maximum length in characters for included tags:"
465
- msgstr "Maksimum længde i karakterer for inkluderede tags:"
466
-
467
- #: wp-to-twitter-manager.php:574
468
- 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."
469
- msgstr "Disse muligheder gør det muligt at begrænse længden og antal af Wordpress tags sendt til Twitter som hastags. "
470
-
471
- #: wp-to-twitter-manager.php:577
472
- msgid "Length of post excerpt (in characters):"
473
- msgstr "Længde af uddrag (i bogstaver)"
474
-
475
- #: wp-to-twitter-manager.php:577
476
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
477
- msgstr "Per default, trukket fra indlægget. Hvis du bruger 'Uddrags' feltet vil det blive brugt i stedet."
478
-
479
- #: wp-to-twitter-manager.php:580
480
- msgid "WP to Twitter Date Formatting:"
481
- msgstr "WP to Twitter Dato formattering:"
482
-
483
- #: wp-to-twitter-manager.php:581
484
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
485
- msgstr "Default er fra dine generelle indstillinger. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Dokumentation for Dato formattering</a>."
486
-
487
- #: wp-to-twitter-manager.php:585
488
- msgid "Custom text before all Tweets:"
489
- msgstr "Brugerdefineret tekst før alle Tweets:"
490
-
491
- #: wp-to-twitter-manager.php:586
492
- msgid "Custom text after all Tweets:"
493
- msgstr "Brugerdefineret tekst efter alle Tweets:"
494
-
495
- #: wp-to-twitter-manager.php:589
496
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
497
- msgstr "Brugerdefineret felt for at en alternativ URL kan blive forkortet og Tweeted:"
498
-
499
- #: wp-to-twitter-manager.php:590
500
- 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."
501
- 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."
502
-
503
- #: wp-to-twitter-manager.php:594
504
- msgid "Special Cases when WordPress should send a Tweet"
505
- msgstr "Specielle tilfælde hvor Wordpress skal sende et Tweet"
506
-
507
- #: wp-to-twitter-manager.php:597
508
- msgid "Do not post status updates by default"
509
- msgstr "Undgå at sende statusopdateringer per default"
510
-
511
- #: wp-to-twitter-manager.php:598
512
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
513
- msgstr "Per default, alle indlæg der opfylder andre betingelser vil blive sendt via Twitter. Tjek det for at ændre dine indstillinger."
514
-
515
- #: wp-to-twitter-manager.php:602
516
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
517
- msgstr "Send Twitter opdateringer via remote publikation (Send indlæg via mail eller XMLRPC klient)"
518
-
519
- #: wp-to-twitter-manager.php:604
520
- msgid "I'm using a plugin to post by email, such as Postie. Only check this if your updates do not work."
521
- msgstr "Jeg bruger et plugin, som Postie, til at poste via mail. Tjek kun dette hvis dine opdateringer ikke virker."
522
-
523
- #: wp-to-twitter-manager.php:608
524
- msgid "Update Twitter when a post is published using QuickPress"
525
- msgstr "Opdatér Twitter når et indlæg bliver publiceret ved hjælp af QuickPress"
526
-
527
- #: wp-to-twitter-manager.php:612
528
- msgid "Google Analytics Settings"
529
- msgstr "Google Analytics Indstillinger"
530
-
531
- #: wp-to-twitter-manager.php:613
532
- 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."
533
- msgstr "Du kan måle antallet af hits fra Twitter ved at bruge Google Analytics og definere en kampagne identifikator 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 til det specifikke indlæg. Dynamiske identifikatorer vil give dig mulighed for nedbryde din statistik med en ekstra variabel."
534
-
535
- #: wp-to-twitter-manager.php:617
536
- msgid "Use a Static Identifier with WP-to-Twitter"
537
- msgstr "Brug en statisk identifikator med WP-to-Twitter"
538
-
539
- #: wp-to-twitter-manager.php:618
540
- msgid "Static Campaign identifier for Google Analytics:"
541
- msgstr "Statisk kampagne identifikator for Google Analytics"
542
-
543
- #: wp-to-twitter-manager.php:622
544
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
545
- msgstr "Brug en dynamisk identifikator med Google Analytics og WP-to-Twitter"
546
-
547
- #: wp-to-twitter-manager.php:623
548
- msgid "What dynamic identifier would you like to use?"
549
- msgstr "Hvilken dynamisk identifikator vil du benytte?"
550
-
551
- #: wp-to-twitter-manager.php:625
552
- msgid "Category"
553
- msgstr "Kategori"
554
-
555
- #: wp-to-twitter-manager.php:626
556
- msgid "Post ID"
557
- msgstr "Indlæg ID"
558
-
559
- #: wp-to-twitter-manager.php:627
560
- msgid "Post Title"
561
- msgstr "Indlæg titel"
562
-
563
- #: wp-to-twitter-manager.php:628
564
- msgid "Author"
565
- msgstr "Forfatter"
566
-
567
- #: wp-to-twitter-manager.php:633
568
- msgid "Individual Authors"
569
- msgstr "Individuelle Forfattere"
570
-
571
- #: wp-to-twitter-manager.php:636
572
- msgid "Authors have individual Twitter accounts"
573
- msgstr "Forfattere har individuelle Twitter konti"
574
-
575
- #: wp-to-twitter-manager.php:636
576
- 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.)"
577
- msgstr "Forfattere kan skrive deres brugernavn i deres brugerprofil. Den feature tillader efter version 2.2.0 ikke forfattere at poste til deres egen Twitter konto. Den kan kun tilføje en @reference til forfatteren. Den @reference er placeret ved hjælp af <code>#konto#</code> shortcode. (Den vil benytte hovedkontoen hvis brugerkonto ikke er aktiveret.)"
578
-
579
- #: wp-to-twitter-manager.php:640
580
- msgid "Disable Error Messages"
581
- msgstr "Deaktiver fejlmeddelelser"
582
-
583
- #: wp-to-twitter-manager.php:643
584
- msgid "Disable global URL shortener error messages."
585
- msgstr "Deaktiver globale URL shortener fejlmeddelelser"
586
-
587
- #: wp-to-twitter-manager.php:647
588
- msgid "Disable global Twitter API error messages."
589
- msgstr "Deaktiver globale Twitter API fejlmeddelelser"
590
-
591
- #: wp-to-twitter-manager.php:651
592
- msgid "Disable notification to implement OAuth"
593
- msgstr "Deaktiver note om at implementere OAuth"
594
-
595
- #: wp-to-twitter-manager.php:655
596
- msgid "Get Debugging Data for OAuth Connection"
597
- msgstr "Få debug data fra OAuth forbindelse"
598
-
599
- #: wp-to-twitter-manager.php:661
600
- msgid "Save Advanced WP->Twitter Options"
601
- msgstr "Gem Avancerede WP-> Twitter indstillinger"
602
-
603
- #: wp-to-twitter-manager.php:675
604
- msgid "Limit Updating Categories"
605
- msgstr "Begræsning på opdatering af Kategorier"
606
-
607
- #: wp-to-twitter-manager.php:679
608
- msgid "Select which blog categories will be Tweeted. "
609
- msgstr "Vælg hvilke blog kategorier der skal Tweetes. "
610
-
611
- #: wp-to-twitter-manager.php:682
612
- msgid "<em>Category limits are disabled.</em>"
613
- msgstr "<em>Kategoribegrænsninger er fjernet.</em>"
614
-
615
- #: wp-to-twitter-manager.php:696
616
- msgid "Check Support"
617
- msgstr "Tjek Support"
618
-
619
- #: wp-to-twitter-manager.php:696
620
- 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."
621
- 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. Testen her vil sende en status opdatering til Twitter og forkorte en URL ved at benytte de valgte metoder."
622
-
623
- #: wp-to-twitter-oauth.php:105
624
- #: wp-to-twitter-oauth.php:143
625
- msgid "Connect to Twitter"
626
- msgstr "Forbind til Twitter."
627
-
628
- #: wp-to-twitter-oauth.php:108
629
- 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."
630
- msgstr "Processen for at sætte OAuth autorisation op for dit website er unødigt besværlig. Det er også svært at forstå. Men det er den eneste metode Twitter stiller til rådighed på nuværende tidspunkt. Vær opmærksom på at du ikke - på noget tidspunkt - indtaster dit Twitter brugernavn og password i WP to Twitter; De benyttes ikke i OAuth autorisation."
631
-
632
- #: wp-to-twitter-oauth.php:111
633
- msgid "1. Register this site as an application on "
634
- msgstr "1. Registrér dette site som en application på"
635
-
636
- #: wp-to-twitter-oauth.php:111
637
- msgid "Twitter's application registration page"
638
- msgstr "Twitter's application registreringsside"
639
-
640
- #: wp-to-twitter-oauth.php:113
641
- msgid "If you're not currently logged in, use the Twitter username and password which you want associated with this site"
642
- msgstr "Hvis du ikke er logget ind, brug det Twitter brugernavn og password du vil have associeret med dette site"
643
-
644
- #: wp-to-twitter-oauth.php:114
645
- 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."
646
- msgstr "Din Applications navn vil være det der vises efter \"via\" i din Twitter strøm; tidligere, \"WP to Twitter.\" Din application kan ikke indeholde ordet \"Twitter.\" Jeg foreslår at du benytter navnet på dit website."
647
-
648
- #: wp-to-twitter-oauth.php:115
649
- msgid "Your Application Description can be whatever you want."
650
- msgstr "Din Application beskrivelse kan være lige hvad du ønsker."
651
-
652
- #: wp-to-twitter-oauth.php:116
653
- msgid "Application Type should be set on "
654
- msgstr "Adgangstype skal sættes til"
655
-
656
- #: wp-to-twitter-oauth.php:116
657
- msgid "Browser"
658
- msgstr "Browser"
659
-
660
- #: wp-to-twitter-oauth.php:117
661
- msgid "The Callback URL should be "
662
- msgstr "Callback URL skal være"
663
-
664
- #: wp-to-twitter-oauth.php:118
665
- msgid "Default Access type must be set to "
666
- msgstr "Default adgangstype skal sættes til"
667
-
668
- #: wp-to-twitter-oauth.php:118
669
- msgid "Read &amp; Write"
670
- msgstr "Læs &amp; Skriv"
671
-
672
- #: wp-to-twitter-oauth.php:118
673
- msgid "(this is NOT the default)"
674
- msgstr "(Dette er ikke default)"
675
-
676
- #: wp-to-twitter-oauth.php:120
677
- msgid "Once you have registered your site as an application, you will be provided with a consumer key and a consumer secret."
678
- msgstr "Når du har registreret dit site som en application, vil du blive tildelt en consumer key og en consumer secret."
679
-
680
- #: wp-to-twitter-oauth.php:121
681
- msgid "2. Copy and paste your consumer key and consumer secret into the fields below"
682
- msgstr "2. Kopiér og indtast din consumer key og consumer secret i feltet nedenfor"
683
-
684
- #: wp-to-twitter-oauth.php:124
685
- msgid "Twitter Consumer Key"
686
- msgstr "Twitter Consumer Key"
687
-
688
- #: wp-to-twitter-oauth.php:128
689
- msgid "Twitter Consumer Secret"
690
- msgstr "Twitter Consumer Secret"
691
-
692
- #: wp-to-twitter-oauth.php:131
693
- msgid "3. Copy and paste your Access Token and Access Token Secret into the fields below"
694
- msgstr "3. Kopiér og indsæt din Access Token og Access Token Secret ind i feltet herunder"
695
-
696
- #: wp-to-twitter-oauth.php:132
697
- msgid "On the right hand side of your new application page at Twitter, click on 'My Access Token'."
698
- msgstr "I højre side af din nye ansøgningsside på Twitter, klik på 'My Access Token'."
699
-
700
- #: wp-to-twitter-oauth.php:134
701
- msgid "Access Token"
702
- msgstr "Access Token"
703
-
704
- #: wp-to-twitter-oauth.php:138
705
- msgid "Access Token Secret"
706
- msgstr "Access Token Secret"
707
-
708
- #: wp-to-twitter-oauth.php:153
709
- msgid "Disconnect from Twitter"
710
- msgstr "Deaktiver Twitter"
711
-
712
- #: wp-to-twitter-oauth.php:160
713
- msgid "Twitter Username "
714
- msgstr "Twitter brugernavn"
715
-
716
- #: wp-to-twitter-oauth.php:161
717
- msgid "Consumer Key "
718
- msgstr "Consumer Key "
719
-
720
- #: wp-to-twitter-oauth.php:162
721
- msgid "Consumer Secret "
722
- msgstr "Consumer Secret "
723
-
724
- #: wp-to-twitter-oauth.php:163
725
- msgid "Access Token "
726
- msgstr "Access Token "
727
-
728
- #: wp-to-twitter-oauth.php:164
729
- msgid "Access Token Secret "
730
- msgstr "Access Token Secret "
731
-
732
- #: wp-to-twitter-oauth.php:167
733
- msgid "Disconnect Your WordPress and Twitter Account"
734
- msgstr "Frakobl din Wordpress og Twitter konto"
735
-
736
- #: wp-to-twitter.php:52
737
- #, php-format
738
- 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."
739
- msgstr "Twitter kræver nu autorisation af OAuth. Du skal opdatere dine <a href=\"%s\">indstillinger</a> for at kunne blive ved med at bruge WP to Twitter."
740
-
741
- #: wp-to-twitter.php:108
742
- msgid "200 OK: Success!"
743
- msgstr "200 OK: Succes!"
744
-
745
- #: wp-to-twitter.php:111
746
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
747
- msgstr "400 Forkert forespørgsel: Forespørgslen var ikke korrekt. Det er status koden der returneres i løbet af hastighedsbegræsning."
748
-
749
- #: wp-to-twitter.php:114
750
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
751
- msgstr "401 Ikke godkent: Login detaljer manglede eller var ikke korrekte."
752
-
753
- #: wp-to-twitter.php:117
754
- 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."
755
- msgstr "403 Forbudt: Forespørgslen er forstået, men er blevet afvist. Denne kode benyttes når forespørgelser bliver afvist på grund af karakterbegrænsninger på status opdateringer."
756
-
757
- #: wp-to-twitter.php:119
758
- msgid "500 Internal Server Error: Something is broken at Twitter."
759
- msgstr "500 Intern Serverfejl: Twitter melder fejl."
760
-
761
- #: wp-to-twitter.php:122
762
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests Please try again later."
763
- msgstr "503 Tjenesten er ikke tilgængelig: Twitters servere kører, men er overbelastede pga. mange forespørgelser. Prøv igen senere."
764
-
765
- #: wp-to-twitter.php:125
766
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
767
- msgstr "502 Forkert Gateway: Twitter er nede eller bliver opdateret"
768
-
769
- #: wp-to-twitter.php:707
770
- msgid "WP to Twitter"
771
- msgstr "WP to Twitter"
772
-
773
- #: wp-to-twitter.php:783
774
- msgid "Don't Tweet this post."
775
- msgstr "Tweet ikke dette indlæg."
776
-
777
- #: wp-to-twitter.php:793
778
- msgid "This URL is direct and has not been shortened: "
779
- msgstr "Denne URL er direkte og er ikke blevet forkortet"
780
-
781
- #: wp-to-twitter.php:849
782
- msgid "WP to Twitter User Settings"
783
- msgstr "WP to Twitter brugerindstillinger"
784
-
785
- #: wp-to-twitter.php:853
786
- msgid "Use My Twitter Username"
787
- msgstr "Brug mit Twitter brugernavn"
788
-
789
- #: wp-to-twitter.php:854
790
- msgid "Tweet my posts with an @ reference to my username."
791
- msgstr "Tweet mit indlæg med en @ reference til mit brugernavn."
792
-
793
- #: wp-to-twitter.php:855
794
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
795
- msgstr "Tweet mit indlæg med en @ reference til både mit brugernavn og til hovedsitets brugernavn."
796
-
797
- #: wp-to-twitter.php:860
798
- msgid "Enter your own Twitter username."
799
- msgstr "Indtast dit Twitter brugernavn."
800
-
801
- #: wp-to-twitter.php:896
802
- msgid "Check the categories you want to tweet:"
803
- msgstr "Tjeck de kategorier du vil tweete:"
804
-
805
- #: wp-to-twitter.php:913
806
- msgid "Set Categories"
807
- msgstr "Sæt Kategorier"
808
-
809
- #: wp-to-twitter.php:987
810
- msgid "<p>Couldn't locate the settings page.</p>"
811
- msgstr "<p>Kunne ikke finde siden med indstillinger.</p>"
812
-
813
- #: wp-to-twitter.php:992
814
- msgid "Settings"
815
- msgstr "Indstillinger"
816
-
1
+ msgid ""
2
+ msgstr ""
3
+ "Project-Id-Version: wp-to-twitter\n"
4
+ "Report-Msgid-Bugs-To: \n"
5
+ "POT-Creation-Date: 2011-02-20 18:11+0100\n"
6
+ "PO-Revision-Date: 2011-02-20 18:11+0100\n"
7
+ "Last-Translator: Rasmus Himmelstrup <rh@iihnordic.com>\n"
8
+ "Language-Team: \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-KeywordsList: __;gettext;gettext_noop;_e\n"
13
+ "X-Poedit-Basepath: .\n"
14
+ "X-Poedit-Language: Danish\n"
15
+ "X-Poedit-Country: DENMARK\n"
16
+ "X-Poedit-SearchPath-0: .\n"
17
+
18
+ #: functions.php:210
19
+ 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."
20
+ 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."
21
+
22
+ #: wp-to-twitter-manager.php:74
23
+ msgid "WP to Twitter is now connected with Twitter."
24
+ msgstr "WP to Twitter forbinder nu til Twitter"
25
+
26
+ #: wp-to-twitter-manager.php:82
27
+ msgid "OAuth Authentication Failed. Check your credentials and verify that <a href=\"http://www.twitter.com/\">Twitter</a> is running."
28
+ msgstr "OAuth Autentikation mislykkedes. "
29
+
30
+ #: wp-to-twitter-manager.php:89
31
+ msgid "OAuth Authentication Data Cleared."
32
+ msgstr "OAuth Authentication Data nulstillet."
33
+
34
+ #: wp-to-twitter-manager.php:96
35
+ msgid "OAuth Authentication response not understood."
36
+ msgstr "OAuth Authentication svar blev ikke forstået"
37
+
38
+ #: wp-to-twitter-manager.php:105
39
+ msgid "WP to Twitter Errors Cleared"
40
+ msgstr "WP to Twitter fejl er løst"
41
+
42
+ #: wp-to-twitter-manager.php:112
43
+ 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! "
44
+ msgstr "Beklager! Jeg kunne ikke få fat i Twitters servere for at publicere dit nye blog indlæg. Dit tweet er blevet gemt i et felt i dit indlæg, så du kan sende til Twitter manuelt hvis du ønsker."
45
+
46
+ #: wp-to-twitter-manager.php:114
47
+ 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. "
48
+ msgstr "Beklager! Jeg kunne ikke få fat i Twitters servere og publicere dit <strong>nye indlæg</strong>! Du bliver nød til publicere det manuelt desværre."
49
+
50
+ #: wp-to-twitter-manager.php:149
51
+ msgid "WP to Twitter Advanced Options Updated"
52
+ msgstr "WP to Twitter udvidede muligheder er opdateret. "
53
+
54
+ #: wp-to-twitter-manager.php:166
55
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
56
+ msgstr "Du skal tilføje dit Bit.ly login og API key for at forkorte URLs med Bit.ly."
57
+
58
+ #: wp-to-twitter-manager.php:170
59
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
60
+ msgstr "Du skal tilføje dit YOURLS remote URL, login og password for at forkorte URLs med en fjern installation af YOURLS."
61
+
62
+ #: wp-to-twitter-manager.php:174
63
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
64
+ msgstr "Du skal tilføje din YOURLS server sti for at kunne forkorte URLs med en remote installation af YOURLS."
65
+
66
+ #: wp-to-twitter-manager.php:178
67
+ msgid "WP to Twitter Options Updated"
68
+ msgstr "WP to Twitter indstillinger er opdateret"
69
+
70
+ #: wp-to-twitter-manager.php:188
71
+ msgid "Category limits updated."
72
+ msgstr "Kategoribegrænsninger er opdateret"
73
+
74
+ #: wp-to-twitter-manager.php:192
75
+ msgid "Category limits unset."
76
+ msgstr "Kategori begræsninger fjernet."
77
+
78
+ #: wp-to-twitter-manager.php:200
79
+ msgid "YOURLS password updated. "
80
+ msgstr "YOURLS password opdateret. "
81
+
82
+ #: wp-to-twitter-manager.php:203
83
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
84
+ msgstr "YOURLS password slettet. Du kan ikke længere bruge din remote YOURLS konto til at udarbejde short URLS."
85
+
86
+ #: wp-to-twitter-manager.php:205
87
+ msgid "Failed to save your YOURLS password! "
88
+ msgstr "Det mislykkedes at gemme dit YOURLS password! "
89
+
90
+ #: wp-to-twitter-manager.php:209
91
+ msgid "YOURLS username added. "
92
+ msgstr "YOURLS brugernavn tilføjet"
93
+
94
+ #: wp-to-twitter-manager.php:213
95
+ msgid "YOURLS API url added. "
96
+ msgstr "YOURLS API url tilføjet. "
97
+
98
+ #: wp-to-twitter-manager.php:216
99
+ msgid "YOURLS API url removed. "
100
+ msgstr "YOURLS API url fjernet."
101
+
102
+ #: wp-to-twitter-manager.php:221
103
+ msgid "YOURLS local server path added. "
104
+ msgstr "YOURLS local server sti tilføjet."
105
+
106
+ #: wp-to-twitter-manager.php:223
107
+ msgid "The path to your YOURLS installation is not correct. "
108
+ msgstr "Stien til din YOURLS installation er ikke korrekt."
109
+
110
+ #: wp-to-twitter-manager.php:227
111
+ msgid "YOURLS local server path removed. "
112
+ msgstr "YOURLS local server sti slettet. "
113
+
114
+ #: wp-to-twitter-manager.php:231
115
+ msgid "YOURLS will use Post ID for short URL slug."
116
+ msgstr "YOURLS vil bruge Post ID som short URL adresse."
117
+
118
+ #: wp-to-twitter-manager.php:234
119
+ msgid "YOURLS will not use Post ID for the short URL slug."
120
+ msgstr "YOURLS vil ikke bruge Post ID som short URL adresse."
121
+
122
+ #: wp-to-twitter-manager.php:241
123
+ msgid "Cligs API Key Updated"
124
+ msgstr "Cli.gs API Key opdateret"
125
+
126
+ #: wp-to-twitter-manager.php:244
127
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
128
+ msgstr "Cli.gs API Key slettet. Cli.gs genereret af WP to Twitter vil ikke længere blive forbundet med din konto. "
129
+
130
+ #: wp-to-twitter-manager.php:246
131
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
132
+ msgstr "Cli.gs API Key ikke tilføjet - <a href='http://cli.gs/user/api/'>få en her</a>! "
133
+
134
+ #: wp-to-twitter-manager.php:252
135
+ msgid "Bit.ly API Key Updated."
136
+ msgstr "Bit.ly API Key opdateret"
137
+
138
+ #: wp-to-twitter-manager.php:255
139
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
140
+ msgstr "Bit.ly API Key slettet. Du kan ikke bruge Bit.ly API uden en API key."
141
+
142
+ #: wp-to-twitter-manager.php:257
143
+ 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."
144
+ 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 forkorter service."
145
+
146
+ #: wp-to-twitter-manager.php:261
147
+ msgid " Bit.ly User Login Updated."
148
+ msgstr "Bit.ly brugernavn er opdateret"
149
+
150
+ #: wp-to-twitter-manager.php:264
151
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
152
+ msgstr "Bit.ly bruger login slettet. Du kan ikke benytte Bit.ly API uden at have et brugernavn."
153
+
154
+ #: wp-to-twitter-manager.php:266
155
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
156
+ msgstr "Bit.ly Login ikke tilføjet - <a href='http://bit.ly/account/'>få et her</a>! "
157
+
158
+ #: wp-to-twitter-manager.php:295
159
+ msgid "No error information is available for your shortener."
160
+ msgstr "Der er ingen fejlinformation tilgængelig for din url forkorter."
161
+
162
+ #: wp-to-twitter-manager.php:297
163
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
164
+ msgstr "<li class=\"error\"><strong>WP to Twitter kunne ikke komme i kontakt med din valgte URL shortening service.</strong></li>"
165
+
166
+ #: wp-to-twitter-manager.php:300
167
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
168
+ msgstr "<li><strong>WP to Twitter kontaktede din valgte URL shortening service.</strong> Det følgende link bør pege på din blog homepage:successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
169
+
170
+ #: wp-to-twitter-manager.php:309
171
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
172
+ msgstr "<li><strong>WP to Twitter sendte succesfuldt en status opdatering til Twitter.</strong></li>"
173
+
174
+ #: wp-to-twitter-manager.php:311
175
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
176
+ msgstr "<li class=\"error\"><strong>Det lykkedes ikke at sende en opdatering til Twitter med WP to Twitter.</strong></li>"
177
+
178
+ #: wp-to-twitter-manager.php:314
179
+ msgid "You have not connected WordPress to Twitter."
180
+ msgstr "Du har ikke forbundet Wordpress til Twitter"
181
+
182
+ #: wp-to-twitter-manager.php:318
183
+ 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>"
184
+ 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>"
185
+
186
+ #: wp-to-twitter-manager.php:322
187
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
188
+ msgstr "<li><strong>Din server skulle køre WP to Twitter optimalt.</strong></li>"
189
+
190
+ #: wp-to-twitter-manager.php:339
191
+ msgid "WP to Twitter Options"
192
+ msgstr "WP to Twitter indstillinger"
193
+
194
+ #: wp-to-twitter-manager.php:349
195
+ #: wp-to-twitter.php:780
196
+ msgid "Get Support"
197
+ msgstr "Få support"
198
+
199
+ #: wp-to-twitter-manager.php:350
200
+ msgid "Export Settings"
201
+ msgstr "Eksportér Indstillinger"
202
+
203
+ #: wp-to-twitter-manager.php:351
204
+ #: wp-to-twitter.php:780
205
+ msgid "Make a Donation"
206
+ msgstr "Donér"
207
+
208
+ #: wp-to-twitter-manager.php:366
209
+ msgid "Shortcodes available in post update templates:"
210
+ msgstr "Shortcodes er tilgængelige i indlæggets opdaterings templates:"
211
+
212
+ #: wp-to-twitter-manager.php:368
213
+ msgid "<code>#title#</code>: the title of your blog post"
214
+ msgstr "<code>#title#</code>: titlen på dit indlæg"
215
+
216
+ #: wp-to-twitter-manager.php:369
217
+ msgid "<code>#blog#</code>: the title of your blog"
218
+ msgstr "<code>#blog#</code>: titlen på din blog"
219
+
220
+ #: wp-to-twitter-manager.php:370
221
+ msgid "<code>#post#</code>: a short excerpt of the post content"
222
+ msgstr "<code>#post#</code>: en kort beskrivelse af indlæggets indhold"
223
+
224
+ #: wp-to-twitter-manager.php:371
225
+ msgid "<code>#category#</code>: the first selected category for the post"
226
+ msgstr "<code>#category#</code>: den første valgte kategori for indlægget"
227
+
228
+ #: wp-to-twitter-manager.php:372
229
+ msgid "<code>#date#</code>: the post date"
230
+ msgstr "<code>#date#</code>: dato for indlæg"
231
+
232
+ #: wp-to-twitter-manager.php:373
233
+ msgid "<code>#url#</code>: the post URL"
234
+ msgstr "<code>#url#</code>: Indlæg URL"
235
+
236
+ #: wp-to-twitter-manager.php:374
237
+ msgid "<code>#author#</code>: the post author"
238
+ msgstr "<code>#author#</code>: indlæggets forfatter"
239
+
240
+ #: wp-to-twitter-manager.php:375
241
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
242
+ msgstr "<code>#account#</code>: Twitter @reference for kontoen (eller forfatteren, hvis forfatterindstillinger er aktiveret og indsat.)"
243
+
244
+ #: wp-to-twitter-manager.php:377
245
+ 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>"
246
+ msgstr "Du kan også generere specielle shortcodes for at få adgang til WordPress custom felter. Brug firkantede klammer omkring navnet på dit custom felt for at tilføje navnet til din status opdatering. Eksempel: <code>[[custom_field]]</code></p>"
247
+
248
+ #: wp-to-twitter-manager.php:382
249
+ 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>"
250
+ msgstr "<p>En eller flere of dine sidste indlæg sendte ikke status opdateringer til Twitter. Dit Tweet er gemt i custom feltet på indlægget, du kan re-Tweete når du vil.</p>"
251
+
252
+ #: wp-to-twitter-manager.php:386
253
+ 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>"
254
+ msgstr "<p>Forespørgslen til URL shortener API mislykkedes, og din URL blev ikke forkortet. Den fulde URL blev tilføjet til dit Tweet. Tjek med din URL shortening udbyder for at se om der er nogle kendte problemer. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
255
+
256
+ #: wp-to-twitter-manager.php:393
257
+ msgid "Clear 'WP to Twitter' Error Messages"
258
+ msgstr "Nulstil 'WP to Twitter' fejlbeskeder"
259
+
260
+ #: wp-to-twitter-manager.php:409
261
+ msgid "Basic Settings"
262
+ msgstr "Normale indstillinger"
263
+
264
+ #: wp-to-twitter-manager.php:415
265
+ msgid "Tweet Templates"
266
+ msgstr "Tweet Temaer"
267
+
268
+ #: wp-to-twitter-manager.php:418
269
+ msgid "Update when a post is published"
270
+ msgstr "Opdatér når et indlæg er publiceret"
271
+
272
+ #: wp-to-twitter-manager.php:418
273
+ msgid "Text for new post updates:"
274
+ msgstr "Tekst for nye indlæg:"
275
+
276
+ #: wp-to-twitter-manager.php:424
277
+ #: wp-to-twitter-manager.php:427
278
+ msgid "Update when a post is edited"
279
+ msgstr "Opdatér når et indlæg er ændret"
280
+
281
+ #: wp-to-twitter-manager.php:424
282
+ #: wp-to-twitter-manager.php:427
283
+ msgid "Text for editing updates:"
284
+ msgstr "Tekst ved opdateringer:"
285
+
286
+ #: wp-to-twitter-manager.php:428
287
+ msgid "You can not disable updates on edits when using Postie or similar plugins."
288
+ msgstr "Du kan ikke deaktivere opdateringer ved ændringer når du benytter Postie eller lignende plugins."
289
+
290
+ #: wp-to-twitter-manager.php:432
291
+ msgid "Update Twitter when new Wordpress Pages are published"
292
+ msgstr "Opdatér Twitter når Wordpress Sider er publiceret"
293
+
294
+ #: wp-to-twitter-manager.php:432
295
+ msgid "Text for new page updates:"
296
+ msgstr "Tekst til nye side opdateringer:"
297
+
298
+ #: wp-to-twitter-manager.php:436
299
+ msgid "Update Twitter when WordPress Pages are edited"
300
+ msgstr "Opdatér Twitter når Wordpress sider er ændret"
301
+
302
+ #: wp-to-twitter-manager.php:436
303
+ msgid "Text for page edit updates:"
304
+ msgstr "Tekst ved opdateringer på sider:"
305
+
306
+ #: wp-to-twitter-manager.php:440
307
+ msgid "Update Twitter when you post a Blogroll link"
308
+ msgstr "Opdatér Twitter når du poster et Blogroll link"
309
+
310
+ #: wp-to-twitter-manager.php:441
311
+ msgid "Text for new link updates:"
312
+ msgstr "Tekst for nye link opdateringer:"
313
+
314
+ #: wp-to-twitter-manager.php:441
315
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
316
+ msgstr "Mulige shortcodes: <code>#url#</code>, <code>#title#</code>, og <code>#description#</code>."
317
+
318
+ #: wp-to-twitter-manager.php:445
319
+ msgid "Choose your short URL service (account settings below)"
320
+ msgstr "Vælg din kort URL service (kontoindstillinger nedenfor)"
321
+
322
+ #: wp-to-twitter-manager.php:448
323
+ msgid "Use Cli.gs for my URL shortener."
324
+ msgstr "Brug Cli.gs som URL forkerter"
325
+
326
+ #: wp-to-twitter-manager.php:449
327
+ msgid "Use Bit.ly for my URL shortener."
328
+ msgstr "Brug Bit.ly som min URL forkorter"
329
+
330
+ #: wp-to-twitter-manager.php:450
331
+ msgid "YOURLS (installed on this server)"
332
+ msgstr "YOURLS (installeret på denne server)"
333
+
334
+ #: wp-to-twitter-manager.php:451
335
+ msgid "YOURLS (installed on a remote server)"
336
+ msgstr "YOURLS (installeret på en remote server)"
337
+
338
+ #: wp-to-twitter-manager.php:452
339
+ msgid "Use WordPress as a URL shortener."
340
+ msgstr "Brug Wordpress som en URL forkorter"
341
+
342
+ #: wp-to-twitter-manager.php:453
343
+ msgid "Don't shorten URLs."
344
+ msgstr "Forkort ikke URLs"
345
+
346
+ #: wp-to-twitter-manager.php:455
347
+ 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."
348
+ msgstr "Ved at bruge WordPress som en URL shortener vil WordPress sende URLs til Twitter i default format: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics kan ikke benyttes når du benytter WordPress forkortede URLs."
349
+
350
+ #: wp-to-twitter-manager.php:461
351
+ msgid "Save WP->Twitter Options"
352
+ msgstr "Gem WP->Twitter indstillinger"
353
+
354
+ #: wp-to-twitter-manager.php:473
355
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
356
+ msgstr "<abbr title=\"Uniform Resource Locator\">URL</abbr> forkorter Kontoindstillinger"
357
+
358
+ #: wp-to-twitter-manager.php:477
359
+ msgid "Your Cli.gs account details"
360
+ msgstr "Din Cli.gs konto informationer"
361
+
362
+ #: wp-to-twitter-manager.php:482
363
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
364
+ msgstr "Din Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
365
+
366
+ #: wp-to-twitter-manager.php:488
367
+ 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."
368
+ msgstr "Har du ikke en Cli.gs konto eller Cligs API key? <a href='http://cli.gs/user/api/'>Få en gratis her</a>!<br /> Du skal bruge en API key for at associere dine Cligs du med din Cligs konto. "
369
+
370
+ #: wp-to-twitter-manager.php:494
371
+ msgid "Your Bit.ly account details"
372
+ msgstr "Din Bit.ly konto indstillinger"
373
+
374
+ #: wp-to-twitter-manager.php:499
375
+ msgid "Your Bit.ly username:"
376
+ msgstr "Dit Bit.ly brugernavn"
377
+
378
+ #: wp-to-twitter-manager.php:503
379
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
380
+ msgstr "Din Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
381
+
382
+ #: wp-to-twitter-manager.php:510
383
+ msgid "Save Bit.ly API Key"
384
+ msgstr "Gem Bit.ly API Key"
385
+
386
+ #: wp-to-twitter-manager.php:510
387
+ msgid "Clear Bit.ly API Key"
388
+ msgstr "Nustil Bit.ly API Key"
389
+
390
+ #: wp-to-twitter-manager.php:510
391
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
392
+ msgstr "En Bit.ly API ey og brugernavn er nødvendigt for at forkorte URLs via Bit.ly API og WP to Twitter."
393
+
394
+ #: wp-to-twitter-manager.php:515
395
+ msgid "Your YOURLS account details"
396
+ msgstr "Din YOURLS kontodetaljer"
397
+
398
+ #: wp-to-twitter-manager.php:519
399
+ msgid "Path to the YOURLS config file (Local installations)"
400
+ msgstr "Sti til YOURLS konfigurationsfil (Lokale installationer)"
401
+
402
+ #: wp-to-twitter-manager.php:520
403
+ #: wp-to-twitter-manager.php:524
404
+ msgid "Example:"
405
+ msgstr "Eksempel:"
406
+
407
+ #: wp-to-twitter-manager.php:523
408
+ msgid "URI to the YOURLS API (Remote installations)"
409
+ msgstr "URI til YOURLS API (Remote installationer)"
410
+
411
+ #: wp-to-twitter-manager.php:527
412
+ msgid "Your YOURLS username:"
413
+ msgstr "Dit YOURLS brugernavn:"
414
+
415
+ #: wp-to-twitter-manager.php:531
416
+ msgid "Your YOURLS password:"
417
+ msgstr "Dit YOURLS password:"
418
+
419
+ #: wp-to-twitter-manager.php:531
420
+ msgid "<em>Saved</em>"
421
+ msgstr "<em>Gemt</em>"
422
+
423
+ #: wp-to-twitter-manager.php:535
424
+ msgid "Use Post ID for YOURLS url slug."
425
+ msgstr "Brug Post ID for YOURLS url adresse."
426
+
427
+ #: wp-to-twitter-manager.php:540
428
+ msgid "Save YOURLS Account Info"
429
+ msgstr "Gem YOURLS konto info"
430
+
431
+ #: wp-to-twitter-manager.php:540
432
+ msgid "Clear YOURLS password"
433
+ msgstr "Nulstil YOURLS password"
434
+
435
+ #: wp-to-twitter-manager.php:540
436
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
437
+ msgstr "Et YOURLS password og brugernavn er nødvendigt for at forkorte URLs via remote YOURLS API og WP to Twitter."
438
+
439
+ #: wp-to-twitter-manager.php:557
440
+ msgid "Advanced Settings"
441
+ msgstr "Avancerede indstillinger"
442
+
443
+ #: wp-to-twitter-manager.php:564
444
+ msgid "Advanced Tweet settings"
445
+ msgstr "Avancerede Tweet indstillinger"
446
+
447
+ #: wp-to-twitter-manager.php:567
448
+ msgid "Add tags as hashtags on Tweets"
449
+ msgstr "Tilføj tags som hastags til Tweets"
450
+
451
+ #: wp-to-twitter-manager.php:568
452
+ msgid "Spaces replaced with:"
453
+ msgstr "Mellemrum erstattet af:"
454
+
455
+ #: wp-to-twitter-manager.php:569
456
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
457
+ msgstr "Default måde at erstatte er underscore (<code>_</code>). Brug <code>[ ]</code> for at fjerne mellemrum helt."
458
+
459
+ #: wp-to-twitter-manager.php:572
460
+ msgid "Maximum number of tags to include:"
461
+ msgstr "Maksimum antal tags der skal inkluderes"
462
+
463
+ #: wp-to-twitter-manager.php:573
464
+ msgid "Maximum length in characters for included tags:"
465
+ msgstr "Maksimum længde i karakterer for inkluderede tags:"
466
+
467
+ #: wp-to-twitter-manager.php:574
468
+ 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."
469
+ msgstr "Disse muligheder gør det muligt at begrænse længden og antal af Wordpress tags sendt til Twitter som hastags. "
470
+
471
+ #: wp-to-twitter-manager.php:577
472
+ msgid "Length of post excerpt (in characters):"
473
+ msgstr "Længde af uddrag (i bogstaver)"
474
+
475
+ #: wp-to-twitter-manager.php:577
476
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
477
+ msgstr "Per default, trukket fra indlægget. Hvis du bruger 'Uddrags' feltet vil det blive brugt i stedet."
478
+
479
+ #: wp-to-twitter-manager.php:580
480
+ msgid "WP to Twitter Date Formatting:"
481
+ msgstr "WP to Twitter Dato formattering:"
482
+
483
+ #: wp-to-twitter-manager.php:581
484
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
485
+ msgstr "Default er fra dine generelle indstillinger. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Dokumentation for Dato formattering</a>."
486
+
487
+ #: wp-to-twitter-manager.php:585
488
+ msgid "Custom text before all Tweets:"
489
+ msgstr "Brugerdefineret tekst før alle Tweets:"
490
+
491
+ #: wp-to-twitter-manager.php:586
492
+ msgid "Custom text after all Tweets:"
493
+ msgstr "Brugerdefineret tekst efter alle Tweets:"
494
+
495
+ #: wp-to-twitter-manager.php:589
496
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
497
+ msgstr "Brugerdefineret felt for at en alternativ URL kan blive forkortet og Tweeted:"
498
+
499
+ #: wp-to-twitter-manager.php:590
500
+ 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."
501
+ 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."
502
+
503
+ #: wp-to-twitter-manager.php:594
504
+ msgid "Special Cases when WordPress should send a Tweet"
505
+ msgstr "Specielle tilfælde hvor Wordpress skal sende et Tweet"
506
+
507
+ #: wp-to-twitter-manager.php:597
508
+ msgid "Do not post status updates by default"
509
+ msgstr "Undgå at sende statusopdateringer per default"
510
+
511
+ #: wp-to-twitter-manager.php:598
512
+ msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
513
+ msgstr "Per default, alle indlæg der opfylder andre betingelser vil blive sendt via Twitter. Tjek det for at ændre dine indstillinger."
514
+
515
+ #: wp-to-twitter-manager.php:602
516
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
517
+ msgstr "Send Twitter opdateringer via remote publikation (Send indlæg via mail eller XMLRPC klient)"
518
+
519
+ #: wp-to-twitter-manager.php:604
520
+ msgid "I'm using a plugin to post by email, such as Postie. Only check this if your updates do not work."
521
+ msgstr "Jeg bruger et plugin, som Postie, til at poste via mail. Tjek kun dette hvis dine opdateringer ikke virker."
522
+
523
+ #: wp-to-twitter-manager.php:608
524
+ msgid "Update Twitter when a post is published using QuickPress"
525
+ msgstr "Opdatér Twitter når et indlæg bliver publiceret ved hjælp af QuickPress"
526
+
527
+ #: wp-to-twitter-manager.php:612
528
+ msgid "Google Analytics Settings"
529
+ msgstr "Google Analytics Indstillinger"
530
+
531
+ #: wp-to-twitter-manager.php:613
532
+ 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."
533
+ msgstr "Du kan måle antallet af hits fra Twitter ved at bruge Google Analytics og definere en kampagne identifikator 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 til det specifikke indlæg. Dynamiske identifikatorer vil give dig mulighed for nedbryde din statistik med en ekstra variabel."
534
+
535
+ #: wp-to-twitter-manager.php:617
536
+ msgid "Use a Static Identifier with WP-to-Twitter"
537
+ msgstr "Brug en statisk identifikator med WP-to-Twitter"
538
+
539
+ #: wp-to-twitter-manager.php:618
540
+ msgid "Static Campaign identifier for Google Analytics:"
541
+ msgstr "Statisk kampagne identifikator for Google Analytics"
542
+
543
+ #: wp-to-twitter-manager.php:622
544
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
545
+ msgstr "Brug en dynamisk identifikator med Google Analytics og WP-to-Twitter"
546
+
547
+ #: wp-to-twitter-manager.php:623
548
+ msgid "What dynamic identifier would you like to use?"
549
+ msgstr "Hvilken dynamisk identifikator vil du benytte?"
550
+
551
+ #: wp-to-twitter-manager.php:625
552
+ msgid "Category"
553
+ msgstr "Kategori"
554
+
555
+ #: wp-to-twitter-manager.php:626
556
+ msgid "Post ID"
557
+ msgstr "Indlæg ID"
558
+
559
+ #: wp-to-twitter-manager.php:627
560
+ msgid "Post Title"
561
+ msgstr "Indlæg titel"
562
+
563
+ #: wp-to-twitter-manager.php:628
564
+ msgid "Author"
565
+ msgstr "Forfatter"
566
+
567
+ #: wp-to-twitter-manager.php:633
568
+ msgid "Individual Authors"
569
+ msgstr "Individuelle Forfattere"
570
+
571
+ #: wp-to-twitter-manager.php:636
572
+ msgid "Authors have individual Twitter accounts"
573
+ msgstr "Forfattere har individuelle Twitter konti"
574
+
575
+ #: wp-to-twitter-manager.php:636
576
+ 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.)"
577
+ msgstr "Forfattere kan skrive deres brugernavn i deres brugerprofil. Den feature tillader efter version 2.2.0 ikke forfattere at poste til deres egen Twitter konto. Den kan kun tilføje en @reference til forfatteren. Den @reference er placeret ved hjælp af <code>#konto#</code> shortcode. (Den vil benytte hovedkontoen hvis brugerkonto ikke er aktiveret.)"
578
+
579
+ #: wp-to-twitter-manager.php:640
580
+ msgid "Disable Error Messages"
581
+ msgstr "Deaktiver fejlmeddelelser"
582
+
583
+ #: wp-to-twitter-manager.php:643
584
+ msgid "Disable global URL shortener error messages."
585
+ msgstr "Deaktiver globale URL shortener fejlmeddelelser"
586
+
587
+ #: wp-to-twitter-manager.php:647
588
+ msgid "Disable global Twitter API error messages."
589
+ msgstr "Deaktiver globale Twitter API fejlmeddelelser"
590
+
591
+ #: wp-to-twitter-manager.php:651
592
+ msgid "Disable notification to implement OAuth"
593
+ msgstr "Deaktiver note om at implementere OAuth"
594
+
595
+ #: wp-to-twitter-manager.php:655
596
+ msgid "Get Debugging Data for OAuth Connection"
597
+ msgstr "Få debug data fra OAuth forbindelse"
598
+
599
+ #: wp-to-twitter-manager.php:661
600
+ msgid "Save Advanced WP->Twitter Options"
601
+ msgstr "Gem Avancerede WP-> Twitter indstillinger"
602
+
603
+ #: wp-to-twitter-manager.php:675
604
+ msgid "Limit Updating Categories"
605
+ msgstr "Begræsning på opdatering af Kategorier"
606
+
607
+ #: wp-to-twitter-manager.php:679
608
+ msgid "Select which blog categories will be Tweeted. "
609
+ msgstr "Vælg hvilke blog kategorier der skal Tweetes. "
610
+
611
+ #: wp-to-twitter-manager.php:682
612
+ msgid "<em>Category limits are disabled.</em>"
613
+ msgstr "<em>Kategoribegrænsninger er fjernet.</em>"
614
+
615
+ #: wp-to-twitter-manager.php:696
616
+ msgid "Check Support"
617
+ msgstr "Tjek Support"
618
+
619
+ #: wp-to-twitter-manager.php:696
620
+ 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."
621
+ 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. Testen her vil sende en status opdatering til Twitter og forkorte en URL ved at benytte de valgte metoder."
622
+
623
+ #: wp-to-twitter-oauth.php:105
624
+ #: wp-to-twitter-oauth.php:143
625
+ msgid "Connect to Twitter"
626
+ msgstr "Forbind til Twitter."
627
+
628
+ #: wp-to-twitter-oauth.php:108
629
+ 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."
630
+ msgstr "Processen for at sætte OAuth autorisation op for dit website er unødigt besværlig. Det er også svært at forstå. Men det er den eneste metode Twitter stiller til rådighed på nuværende tidspunkt. Vær opmærksom på at du ikke - på noget tidspunkt - indtaster dit Twitter brugernavn og password i WP to Twitter; De benyttes ikke i OAuth autorisation."
631
+
632
+ #: wp-to-twitter-oauth.php:111
633
+ msgid "1. Register this site as an application on "
634
+ msgstr "1. Registrér dette site som en application på"
635
+
636
+ #: wp-to-twitter-oauth.php:111
637
+ msgid "Twitter's application registration page"
638
+ msgstr "Twitter's application registreringsside"
639
+
640
+ #: wp-to-twitter-oauth.php:113
641
+ msgid "If you're not currently logged in, use the Twitter username and password which you want associated with this site"
642
+ msgstr "Hvis du ikke er logget ind, brug det Twitter brugernavn og password du vil have associeret med dette site"
643
+
644
+ #: wp-to-twitter-oauth.php:114
645
+ 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."
646
+ msgstr "Din Applications navn vil være det der vises efter \"via\" i din Twitter strøm; tidligere, \"WP to Twitter.\" Din application kan ikke indeholde ordet \"Twitter.\" Jeg foreslår at du benytter navnet på dit website."
647
+
648
+ #: wp-to-twitter-oauth.php:115
649
+ msgid "Your Application Description can be whatever you want."
650
+ msgstr "Din Application beskrivelse kan være lige hvad du ønsker."
651
+
652
+ #: wp-to-twitter-oauth.php:116
653
+ msgid "Application Type should be set on "
654
+ msgstr "Adgangstype skal sættes til"
655
+
656
+ #: wp-to-twitter-oauth.php:116
657
+ msgid "Browser"
658
+ msgstr "Browser"
659
+
660
+ #: wp-to-twitter-oauth.php:117
661
+ msgid "The Callback URL should be "
662
+ msgstr "Callback URL skal være"
663
+
664
+ #: wp-to-twitter-oauth.php:118
665
+ msgid "Default Access type must be set to "
666
+ msgstr "Default adgangstype skal sættes til"
667
+
668
+ #: wp-to-twitter-oauth.php:118
669
+ msgid "Read &amp; Write"
670
+ msgstr "Læs &amp; Skriv"
671
+
672
+ #: wp-to-twitter-oauth.php:118
673
+ msgid "(this is NOT the default)"
674
+ msgstr "(Dette er ikke default)"
675
+
676
+ #: wp-to-twitter-oauth.php:120
677
+ msgid "Once you have registered your site as an application, you will be provided with a consumer key and a consumer secret."
678
+ msgstr "Når du har registreret dit site som en application, vil du blive tildelt en consumer key og en consumer secret."
679
+
680
+ #: wp-to-twitter-oauth.php:121
681
+ msgid "2. Copy and paste your consumer key and consumer secret into the fields below"
682
+ msgstr "2. Kopiér og indtast din consumer key og consumer secret i feltet nedenfor"
683
+
684
+ #: wp-to-twitter-oauth.php:124
685
+ msgid "Twitter Consumer Key"
686
+ msgstr "Twitter Consumer Key"
687
+
688
+ #: wp-to-twitter-oauth.php:128
689
+ msgid "Twitter Consumer Secret"
690
+ msgstr "Twitter Consumer Secret"
691
+
692
+ #: wp-to-twitter-oauth.php:131
693
+ msgid "3. Copy and paste your Access Token and Access Token Secret into the fields below"
694
+ msgstr "3. Kopiér og indsæt din Access Token og Access Token Secret ind i feltet herunder"
695
+
696
+ #: wp-to-twitter-oauth.php:132
697
+ msgid "On the right hand side of your new application page at Twitter, click on 'My Access Token'."
698
+ msgstr "I højre side af din nye ansøgningsside på Twitter, klik på 'My Access Token'."
699
+
700
+ #: wp-to-twitter-oauth.php:134
701
+ msgid "Access Token"
702
+ msgstr "Access Token"
703
+
704
+ #: wp-to-twitter-oauth.php:138
705
+ msgid "Access Token Secret"
706
+ msgstr "Access Token Secret"
707
+
708
+ #: wp-to-twitter-oauth.php:153
709
+ msgid "Disconnect from Twitter"
710
+ msgstr "Deaktiver Twitter"
711
+
712
+ #: wp-to-twitter-oauth.php:160
713
+ msgid "Twitter Username "
714
+ msgstr "Twitter brugernavn"
715
+
716
+ #: wp-to-twitter-oauth.php:161
717
+ msgid "Consumer Key "
718
+ msgstr "Consumer Key "
719
+
720
+ #: wp-to-twitter-oauth.php:162
721
+ msgid "Consumer Secret "
722
+ msgstr "Consumer Secret "
723
+
724
+ #: wp-to-twitter-oauth.php:163
725
+ msgid "Access Token "
726
+ msgstr "Access Token "
727
+
728
+ #: wp-to-twitter-oauth.php:164
729
+ msgid "Access Token Secret "
730
+ msgstr "Access Token Secret "
731
+
732
+ #: wp-to-twitter-oauth.php:167
733
+ msgid "Disconnect Your WordPress and Twitter Account"
734
+ msgstr "Frakobl din Wordpress og Twitter konto"
735
+
736
+ #: wp-to-twitter.php:52
737
+ #, php-format
738
+ 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."
739
+ msgstr "Twitter kræver nu autorisation af OAuth. Du skal opdatere dine <a href=\"%s\">indstillinger</a> for at kunne blive ved med at bruge WP to Twitter."
740
+
741
+ #: wp-to-twitter.php:108
742
+ msgid "200 OK: Success!"
743
+ msgstr "200 OK: Succes!"
744
+
745
+ #: wp-to-twitter.php:111
746
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
747
+ msgstr "400 Forkert forespørgsel: Forespørgslen var ikke korrekt. Det er status koden der returneres i løbet af hastighedsbegræsning."
748
+
749
+ #: wp-to-twitter.php:114
750
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
751
+ msgstr "401 Ikke godkent: Login detaljer manglede eller var ikke korrekte."
752
+
753
+ #: wp-to-twitter.php:117
754
+ 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."
755
+ msgstr "403 Forbudt: Forespørgslen er forstået, men er blevet afvist. Denne kode benyttes når forespørgelser bliver afvist på grund af karakterbegrænsninger på status opdateringer."
756
+
757
+ #: wp-to-twitter.php:119
758
+ msgid "500 Internal Server Error: Something is broken at Twitter."
759
+ msgstr "500 Intern Serverfejl: Twitter melder fejl."
760
+
761
+ #: wp-to-twitter.php:122
762
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests Please try again later."
763
+ msgstr "503 Tjenesten er ikke tilgængelig: Twitters servere kører, men er overbelastede pga. mange forespørgelser. Prøv igen senere."
764
+
765
+ #: wp-to-twitter.php:125
766
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
767
+ msgstr "502 Forkert Gateway: Twitter er nede eller bliver opdateret"
768
+
769
+ #: wp-to-twitter.php:707
770
+ msgid "WP to Twitter"
771
+ msgstr "WP to Twitter"
772
+
773
+ #: wp-to-twitter.php:783
774
+ msgid "Don't Tweet this post."
775
+ msgstr "Tweet ikke dette indlæg."
776
+
777
+ #: wp-to-twitter.php:793
778
+ msgid "This URL is direct and has not been shortened: "
779
+ msgstr "Denne URL er direkte og er ikke blevet forkortet"
780
+
781
+ #: wp-to-twitter.php:849
782
+ msgid "WP to Twitter User Settings"
783
+ msgstr "WP to Twitter brugerindstillinger"
784
+
785
+ #: wp-to-twitter.php:853
786
+ msgid "Use My Twitter Username"
787
+ msgstr "Brug mit Twitter brugernavn"
788
+
789
+ #: wp-to-twitter.php:854
790
+ msgid "Tweet my posts with an @ reference to my username."
791
+ msgstr "Tweet mit indlæg med en @ reference til mit brugernavn."
792
+
793
+ #: wp-to-twitter.php:855
794
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
795
+ msgstr "Tweet mit indlæg med en @ reference til både mit brugernavn og til hovedsitets brugernavn."
796
+
797
+ #: wp-to-twitter.php:860
798
+ msgid "Enter your own Twitter username."
799
+ msgstr "Indtast dit Twitter brugernavn."
800
+
801
+ #: wp-to-twitter.php:896
802
+ msgid "Check the categories you want to tweet:"
803
+ msgstr "Tjeck de kategorier du vil tweete:"
804
+
805
+ #: wp-to-twitter.php:913
806
+ msgid "Set Categories"
807
+ msgstr "Sæt Kategorier"
808
+
809
+ #: wp-to-twitter.php:987
810
+ msgid "<p>Couldn't locate the settings page.</p>"
811
+ msgstr "<p>Kunne ikke finde siden med indstillinger.</p>"
812
+
813
+ #: wp-to-twitter.php:992
814
+ msgid "Settings"
815
+ msgstr "Indstillinger"
816
+
wp-to-twitter-de_DE.po CHANGED
@@ -1,578 +1,578 @@
1
- msgid ""
2
- msgstr ""
3
- "Project-Id-Version: WP to Twitter\n"
4
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
5
- "POT-Creation-Date: 2009-12-22 20:09+0000\n"
6
- "PO-Revision-Date: \n"
7
- "Last-Translator: Joseph Dolson <design@joedolson.com>\n"
8
- "Language-Team: Thomas Boehm <t.boehm@mac.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: German\n"
13
- "X-Poedit-Country: GERMANY\n"
14
-
15
- #: functions.php:127
16
- msgid "Twitter Password Saved"
17
- msgstr "Twitter Passwort gespeichert"
18
-
19
- #: functions.php:129
20
- msgid "Twitter Password Not Saved"
21
- msgstr "Twitter Passwort nicht gespeichert"
22
-
23
- #: functions.php:132
24
- msgid "Bit.ly API Saved"
25
- msgstr "Bit.ly API Key gespeichert."
26
-
27
- #: functions.php:134
28
- msgid "Bit.ly API Not Saved"
29
- msgstr "Bit.ly API Key nicht gespeichert."
30
-
31
- #: functions.php:140
32
- 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."
33
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] Falls Du Probleme hast, kopiere bitte deine Einstellungen in die Supportanfrage."
34
-
35
- #: wp-to-twitter-manager.php:63
36
- msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
37
- msgstr "Twitter Login Informationen und URL Kürzer API Informationen eingeben um das Plugin zu verwenden!"
38
-
39
- #: wp-to-twitter-manager.php:69
40
- msgid "Please add your Twitter password. "
41
- msgstr "Bitte das Twitter Passwort eingeben."
42
-
43
- #: wp-to-twitter-manager.php:75
44
- msgid "WP to Twitter Errors Cleared"
45
- msgstr "WP to Twitter Fehlermeldung gelöscht."
46
-
47
- #: wp-to-twitter-manager.php:82
48
- 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! "
49
- msgstr "Sorry! Ich konnte den Twitter Server nicht erreichten, um einen Tweet über deinen neuen Blog Eintrag zu veröffentlichen. Der Tweet wurde in einem Feld am Ende des Eintrags gespeichert, damit du ihn manuell veröffentlichen kannst!"
50
-
51
- #: wp-to-twitter-manager.php:84
52
- 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. "
53
- 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."
54
-
55
- #: wp-to-twitter-manager.php:149
56
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
57
- msgstr "Du musst deinen Bit.ly Login und API Key eingeben um die URLs mit Bit.ly zu kürzen."
58
-
59
- #: wp-to-twitter-manager.php:158
60
- msgid "WP to Twitter Options Updated"
61
- msgstr "WP to Twitter Einstellungen Aktualisiert"
62
-
63
- #: wp-to-twitter-manager.php:168
64
- msgid "Twitter login and password updated. "
65
- msgstr "Twitter Login und Passwort aktualisiert."
66
-
67
- #: wp-to-twitter-manager.php:170
68
- msgid "You need to provide your twitter login and password! "
69
- msgstr "Du musst deinen Twitter Login und dein Passwort eingeben!"
70
-
71
- #: wp-to-twitter-manager.php:177
72
- msgid "Cligs API Key Updated"
73
- msgstr "Cli.gs API Key aktualisiert."
74
-
75
- #: wp-to-twitter-manager.php:180
76
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
77
- msgstr "Cli.gs API Key gelöscht. Cli.gs, welche mit WP to Twitter erstellt werden, werden nicht mehr in deinem Account erstellt."
78
-
79
- #: wp-to-twitter-manager.php:182
80
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
81
- msgstr "Cli.gs API Key nicht hinzugefügt - <a href='http://cli.gs/user/api/'>HIER</a> klicken zum Anlegen!"
82
-
83
- #: wp-to-twitter-manager.php:188
84
- msgid "Bit.ly API Key Updated."
85
- msgstr "Bit.ly API Key aktualisiert."
86
-
87
- #: wp-to-twitter-manager.php:191
88
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
89
- msgstr "Bit.ly API Key gelöscht. Du kannst die Bit.ly API nicht ohne API Key verwenden."
90
-
91
- #: wp-to-twitter-manager.php:193
92
- 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."
93
- 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."
94
-
95
- #: wp-to-twitter-manager.php:197
96
- msgid " Bit.ly User Login Updated."
97
- msgstr "Bit.ly Benutzer Login aktualisiert."
98
-
99
- #: wp-to-twitter-manager.php:200
100
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
101
- msgstr "Bit.ly Benutzer Login gelöscht. Du kannst die Bit.ly API nicht ohne Benutzernamen verwenden."
102
-
103
- #: wp-to-twitter-manager.php:202
104
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
105
- msgstr "Bit.ly Login nicht hinzugefügt - <a href='http://bit.ly/account/'>HIER</a> klicken zum Anlegen!"
106
-
107
- #: wp-to-twitter-manager.php:236
108
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
109
- msgstr "<li>Cli.gs API via Snoopy erfolgreich kontaktiert. Die URL Erstellung schlug fehl.</li>"
110
-
111
- #: wp-to-twitter-manager.php:238
112
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
113
- msgstr "<li>Cli.gs API via Snoopy erfolgreich kontaktiert. Ein Cli.gs Server Error verhinderte das URL Kürzen.</li>"
114
-
115
- #: wp-to-twitter-manager.php:240
116
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy and created a shortened link.</li>"
117
- msgstr "<li>Cli.gs API via Snoopy erfolgreich kontaktiert und Kurz URL erstellt.</li>"
118
-
119
- #: wp-to-twitter-manager.php:249
120
- #: wp-to-twitter-manager.php:274
121
- msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
122
- msgstr "<li>Bit.ly API erfolgreich via Snoopy kontaktiert.</li>"
123
-
124
- #: wp-to-twitter-manager.php:251
125
- #: wp-to-twitter-manager.php:276
126
- msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
127
- msgstr "<li>Bit.ly API Verbindung via Snoopy fehlgeschlagen.</li>"
128
-
129
- #: wp-to-twitter-manager.php:254
130
- msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
131
- msgstr "<li>Die Bit.ly API kann nicht ohne gültigen API key getestet werden.</li>"
132
-
133
- #: wp-to-twitter-manager.php:258
134
- msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
135
- msgstr "<li>Twitter API via Snoopy erfolgreich kontaktiert.</li>"
136
-
137
- #: wp-to-twitter-manager.php:260
138
- msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
139
- msgstr "<li>Twitter API Verbindung via Snoopy fehlgeschlagen.</li>"
140
-
141
- #: wp-to-twitter-manager.php:266
142
- msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
143
- msgstr "<li>Twitter API erfolgreich via cURL kontaktiert.</li>"
144
-
145
- #: wp-to-twitter-manager.php:268
146
- msgid "<li>Failed to contact the Twitter API via cURL.</li>"
147
- msgstr "<li>Twitter API Verbindung via cURL fehlgeschlagen.</li>"
148
-
149
- #: wp-to-twitter-manager.php:280
150
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
151
- msgstr "<li>Cli.gs API via Snoopy erfolgreich kontaktiert.</li>"
152
-
153
- #: wp-to-twitter-manager.php:283
154
- msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
155
- msgstr "<li>Cli.gs API Verbindung via Snoopy fehlgeschlagen.</li>"
156
-
157
- #: wp-to-twitter-manager.php:288
158
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
159
- msgstr "<li><strong>Dein Server sollte WP to Twitter problemlos ausführen.</strong></li>"
160
-
161
- #: wp-to-twitter-manager.php:293
162
- msgid "<li>Your server does not support <code>fputs</code>.</li>"
163
- msgstr "<li>Dein Server unterstützt nicht <code>fputs</code>.</li>"
164
-
165
- #: wp-to-twitter-manager.php:297
166
- msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
167
- msgstr "<li>Dein Server unterstützt nicht <code>file_get_contents</code> oder <code>cURL</code> Funktionen.</li>"
168
-
169
- #: wp-to-twitter-manager.php:301
170
- msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
171
- msgstr "<li>Dein Server unterstützt nicht <code>Snoopy</code>.</li>"
172
-
173
- #: wp-to-twitter-manager.php:304
174
- 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>"
175
- msgstr "<li><strong>Es scheint als würde dein Server NICHT die benötigten PHP Funktion und Klassen für WP to Twitter bereitstellen.</strong> Du kannst es trotzdem versuchen - da der Test nicht perfekt ist - aber ohne Garantie.</li>"
176
-
177
- #: wp-to-twitter-manager.php:313
178
- 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."
179
- msgstr "Dieses Plugin funktioniert vielleicht nicht in deiner Serverumgebung. Das Plugin konnte weder die URL Kürzer API noch die Twitter API erreichen."
180
-
181
- #: wp-to-twitter-manager.php:328
182
- msgid "WP to Twitter Options"
183
- msgstr "WP to Twitter Einstellungen"
184
-
185
- #: wp-to-twitter-manager.php:332
186
- #: wp-to-twitter.php:811
187
- msgid "Get Support"
188
- msgstr "Hilfe anfordern"
189
-
190
- #: wp-to-twitter-manager.php:333
191
- msgid "Export Settings"
192
- msgstr "Export Einstellungen"
193
-
194
- #: wp-to-twitter-manager.php:347
195
- 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>"
196
- msgstr "Für jede Aktualisierung kannst du die Codes <code>#title#</code> für den Name des Blogeintrags, <code>#blog#</code> für den Blogname, <code>#post#</code> für einen Auszug des Blogeintrags, <code>#category#</code> für die erste Kategorie des Blogeintrags, <code>#date#</code> für das Veröffentlichungsdatum oder <code>#url#</code> für die URL verwenden (gekürzt oder nicht, je nach deinen Einstellungen)! Man kann eigene Codes im WordPress Benutzerfeld anlegen. Benutze doppelt eckige Klammern um den Namen deines Benutzerfeld um den Wert des Benutzerfeld in deinem Tweet zu verwenden. Beispiel: <code>[[Benutzerfeld]]</code>"
197
-
198
- #: wp-to-twitter-manager.php:353
199
- 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>"
200
- msgstr "<p>Einer oder mehrere deiner letzten Einträge konnte nicht über Twitter veröffentlicht werden. Die Tweets wurden am Ende der Einträge gespeichert, damit du sie manuell veröffentlichen kannst.</p>"
201
-
202
- #: wp-to-twitter-manager.php:356
203
- 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>"
204
- msgstr "<p>Anfrage an den URL Kürzer fehlgeschlagen! Wir konnten die URL nicht kürzen und haben deshalb die normale URL in den Tweet eingefügt. Überprüfe beim Anbieter ob Probleme bekannt sind. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
205
-
206
- #: wp-to-twitter-manager.php:363
207
- msgid "Clear 'WP to Twitter' Error Messages"
208
- msgstr "'WP to Twitter' Fehlermeldung löschen"
209
-
210
- #: wp-to-twitter-manager.php:371
211
- msgid "Set what should be in a Tweet"
212
- msgstr "Was soll in den Tweet"
213
-
214
- #: wp-to-twitter-manager.php:374
215
- msgid "Update when a post is published"
216
- msgstr "Aktualisieren wenn ein neuer Eintrag veröffentlicht wird"
217
-
218
- #: wp-to-twitter-manager.php:374
219
- msgid "Text for new post updates:"
220
- msgstr "Text für neuen Eintrag: "
221
-
222
- #: wp-to-twitter-manager.php:379
223
- msgid "Update when a post is edited"
224
- msgstr "Aktualisieren wenn ein neuer Eintrag aktualisiert wird"
225
-
226
- #: wp-to-twitter-manager.php:379
227
- msgid "Text for editing updates:"
228
- msgstr "Text für aktualisierte Einträge:"
229
-
230
- #: wp-to-twitter-manager.php:383
231
- msgid "Update Twitter when new Wordpress Pages are published"
232
- msgstr "Aktualisiere Twitter wenn eine neue WordPress Seite veröffentlicht wird"
233
-
234
- #: wp-to-twitter-manager.php:383
235
- msgid "Text for new page updates:"
236
- msgstr "Text für neue Seite: "
237
-
238
- #: wp-to-twitter-manager.php:387
239
- msgid "Update Twitter when WordPress Pages are edited"
240
- msgstr "Aktualisiere Twitter wenn eine WordPress Seite aktualisiert wird"
241
-
242
- #: wp-to-twitter-manager.php:387
243
- msgid "Text for page edit updates:"
244
- msgstr "Text für aktualisierte Seiten:"
245
-
246
- #: wp-to-twitter-manager.php:391
247
- msgid "Add tags as hashtags on Tweets"
248
- msgstr "Verwende Tags als Hashtags in Tweets"
249
-
250
- #: wp-to-twitter-manager.php:391
251
- msgid "Spaces replaced with:"
252
- msgstr "Leerzeichen ersetzen durch:"
253
-
254
- #: wp-to-twitter-manager.php:392
255
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
256
- msgstr "Standardmäßig wird es mit einem Unterstrich ersetzt (<code>_</code>). Verwende <code>[ ]</code> um das Leerzeichen komplett zu entfernen."
257
-
258
- #: wp-to-twitter-manager.php:394
259
- msgid "Maximum number of tags to include:"
260
- msgstr "Maximale Anzahl von Tags pro Tweet:"
261
-
262
- #: wp-to-twitter-manager.php:395
263
- msgid "Maximum length in characters for included tags:"
264
- msgstr "Maximale Länge von Zeichen inklusive Tags:"
265
-
266
- #: wp-to-twitter-manager.php:396
267
- 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."
268
- msgstr "Diese Option erlaubt Dir die Länge und Anzahl von WordPress Tags, die als Twitter Hashtags erscheinen festzulegen. Mit <code>0</code> oder ohne Wert werden alle Tags übernommen."
269
-
270
- #: wp-to-twitter-manager.php:400
271
- msgid "Update Twitter when you post a Blogroll link"
272
- msgstr "Aktualisiere Twitter wenn du einen neuen Blogroll Link veröffentlichst."
273
-
274
- #: wp-to-twitter-manager.php:401
275
- msgid "Text for new link updates:"
276
- msgstr "Text für neue Link Aktualisierung: "
277
-
278
- #: wp-to-twitter-manager.php:401
279
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
280
- msgstr "Vorhandene Codes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
281
-
282
- #: wp-to-twitter-manager.php:404
283
- msgid "Length of post excerpt (in characters):"
284
- msgstr "Länge des Blogeintrag Auszugs (in Zeichen):"
285
-
286
- #: wp-to-twitter-manager.php:404
287
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
288
- msgstr "Standardmäßig, Auszug aus dem Blogeintrag selbst. Wenn du das 'Auszug' Feld verwendest, wird dieser Text verwendet."
289
-
290
- #: wp-to-twitter-manager.php:407
291
- msgid "WP to Twitter Date Formatting:"
292
- msgstr "WP to Twitter Datums Format:"
293
-
294
- #: wp-to-twitter-manager.php:407
295
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
296
- msgstr "Der Standard ist aus den Allgemeinen Einstellungne. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Datumsformat Dokumentation</a>."
297
-
298
- #: wp-to-twitter-manager.php:411
299
- msgid "Custom text before Tweets:"
300
- msgstr "Eigener Text vor den Tweets:"
301
-
302
- #: wp-to-twitter-manager.php:412
303
- msgid "Custom text after Tweets:"
304
- msgstr "Eigener Text nach den Tweets:"
305
-
306
- #: wp-to-twitter-manager.php:415
307
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
308
- msgstr "Benutzerfeld für eine alternative URL zum Verkürzen und Tweeten:"
309
-
310
- #: wp-to-twitter-manager.php:416
311
- 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."
312
- msgstr "Du kannst das Benutzerfeld verwenden um Cli.gs und Twitter eine andere URL als den Permalink von WordPress zu verwenden. Der Wert ist der Name des Benutzerfeldes, welches du für eine externe URL verwenden kannst."
313
-
314
- #: wp-to-twitter-manager.php:420
315
- msgid "Special Cases when WordPress should send a Tweet"
316
- msgstr "Spezialfälle wenn WordPress einen Tweet senden soll"
317
-
318
- #: wp-to-twitter-manager.php:423
319
- msgid "Set default Tweet status to 'No.'"
320
- msgstr "Setze Tweet veröffentlichen auf 'Nein' als Standard."
321
-
322
- #: wp-to-twitter-manager.php:424
323
- 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."
324
- msgstr "Twitter Aktualisierungen können auch für jeden Eintrag einzeln freigeschaltet werden. Standardmäßig wird JEDER Eintrag auf Twitter veröffentlich. Hier kann diese Funktion deaktiviert werden."
325
-
326
- #: wp-to-twitter-manager.php:428
327
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
328
- msgstr "Twitter Aktualisierungen bei Remote Veröffentlichungen (Einträge per Email oder XMLRPC Client)"
329
-
330
- #: wp-to-twitter-manager.php:432
331
- msgid "Update Twitter when a post is published using QuickPress"
332
- msgstr "Aktualisiere Twitter wenn ein Eintrag über QuickPress veröffentlicht wird"
333
-
334
- #: wp-to-twitter-manager.php:436
335
- msgid "Special Fields"
336
- msgstr "Spezial Felder"
337
-
338
- #: wp-to-twitter-manager.php:439
339
- msgid "Use Google Analytics with WP-to-Twitter"
340
- msgstr "Verwende Google Analytics mit WP-to-Twitter"
341
-
342
- #: wp-to-twitter-manager.php:440
343
- msgid "Campaign identifier for Google Analytics:"
344
- msgstr "Campaign Identifier für Google Analytics:"
345
-
346
- #: wp-to-twitter-manager.php:441
347
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
348
- msgstr "Du kannst die Antworten von Twitter mit Google Analytics aufzeichnen, wenn du einen Campaign Identifier angibst."
349
-
350
- #: wp-to-twitter-manager.php:446
351
- msgid "Authors have individual Twitter accounts"
352
- msgstr "Autoren haben individuelle Twitter Accounts"
353
-
354
- #: wp-to-twitter-manager.php:446
355
- 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."
356
- msgstr "Jeder Autor kann seinen Twitter Benutzernamen und Passwort in seinem Profil festlegen. Die Einträge werden unter dem jeweiligen Twitter Account veröffentlicht."
357
-
358
- #: wp-to-twitter-manager.php:450
359
- msgid "Set your preferred URL Shortener"
360
- msgstr "Wähle deinen bevorzugten URL Kürzer"
361
-
362
- #: wp-to-twitter-manager.php:453
363
- msgid "Use <strong>Cli.gs</strong> for my URL shortener."
364
- msgstr "Verwende <strong>Cli.gs</strong> als URL Kürzer."
365
-
366
- #: wp-to-twitter-manager.php:454
367
- msgid "Use <strong>Bit.ly</strong> for my URL shortener."
368
- msgstr "Verwende <strong>Bit.ly</strong> als URL Kürzer."
369
-
370
- #: wp-to-twitter-manager.php:455
371
- msgid "Use <strong>WordPress</strong> as a URL shortener."
372
- msgstr "Verwende <strong>WordPress</strong> als URL Kürzer."
373
-
374
- #: wp-to-twitter-manager.php:456
375
- msgid "Don't shorten URLs."
376
- msgstr "URLs nicht kürzen."
377
-
378
- #: wp-to-twitter-manager.php:457
379
- 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."
380
- msgstr "Bei Verwendung von WordPress als URL Kürzer werden die URLs im WordPress URL Format verwendet: <code>http://domain.com/subdir/?p=123</code>. Google Analytics steht nicht zur Verfügung, wenn der WordPress URL Kürzer verwendet wird."
381
-
382
- #: wp-to-twitter-manager.php:462
383
- msgid "Save WP->Twitter Options"
384
- msgstr "WP->Twitter Einstellungen sichern"
385
-
386
- #: wp-to-twitter-manager.php:468
387
- msgid "Your Twitter account details"
388
- msgstr "Deine Twitter Account Informationen"
389
-
390
- #: wp-to-twitter-manager.php:475
391
- msgid "Your Twitter username:"
392
- msgstr "Dein Twitter Benutzername:"
393
-
394
- #: wp-to-twitter-manager.php:479
395
- msgid "Your Twitter password:"
396
- msgstr "Dein Twitter Passwort:"
397
-
398
- #: wp-to-twitter-manager.php:479
399
- msgid "(<em>Saved</em>)"
400
- msgstr "(<em>Gespeichert</em>)"
401
-
402
- #: wp-to-twitter-manager.php:483
403
- msgid "Save Twitter Login Info"
404
- msgstr "Twitter Login speichern"
405
-
406
- #: wp-to-twitter-manager.php:483
407
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
408
- msgstr "&raquo; <small>Du hast keinen Twitter Account? <a href='http://www.twitter.com'>HIER</a> klicken zum Anlegen!"
409
-
410
- #: wp-to-twitter-manager.php:487
411
- msgid "Your Cli.gs account details"
412
- msgstr "Deine Cli.gs Account Informationen"
413
-
414
- #: wp-to-twitter-manager.php:494
415
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
416
- msgstr "Dein Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
417
-
418
- #: wp-to-twitter-manager.php:500
419
- 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."
420
- msgstr "Keinen Cli.gs Account oder Cligs API Key? <a href='http://cli.gs/user/api/'>HIER</a> klicken zum Anlegen!!<br />Du benötigst einen API Key um cligs einem Cli.gs Account zuzuordnen."
421
-
422
- #: wp-to-twitter-manager.php:505
423
- msgid "Your Bit.ly account details"
424
- msgstr "Deine Bit.ly Account Informationen"
425
-
426
- #: wp-to-twitter-manager.php:510
427
- msgid "Your Bit.ly username:"
428
- msgstr "Dein Bit.ly Benutzername:"
429
-
430
- #: wp-to-twitter-manager.php:514
431
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
432
- msgstr "Dein Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
433
-
434
- #: wp-to-twitter-manager.php:521
435
- msgid "Save Bit.ly API Key"
436
- msgstr "Bit.ly API Key gespeichert"
437
-
438
- #: wp-to-twitter-manager.php:521
439
- msgid "Clear Bit.ly API Key"
440
- msgstr "Bit.ly API Key entfernen"
441
-
442
- #: wp-to-twitter-manager.php:521
443
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
444
- 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."
445
-
446
- #: wp-to-twitter-manager.php:530
447
- msgid "Check Support"
448
- msgstr "Hilfe Ansehen"
449
-
450
- #: wp-to-twitter-manager.php:530
451
- msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
452
- msgstr "Überprüfe ob dein Server WP to Twitter Anfrage an die Twitter und die URL Kürzer API unterstützt."
453
-
454
- #: wp-to-twitter-manager.php:538
455
- msgid "Need help?"
456
- msgstr "Du benötigst Hilfe?"
457
-
458
- #: wp-to-twitter-manager.php:539
459
- msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
460
- msgstr "Besuche die <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter Plugin Seite</a>."
461
-
462
- #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
463
- #. Plugin Name of an extension
464
- #: wp-to-twitter.php:761
465
- msgid "WP to Twitter"
466
- msgstr "WP to Twitter"
467
-
468
- #: wp-to-twitter.php:806
469
- msgid "Twitter Post"
470
- msgstr "Twitter Nachricht"
471
-
472
- #: wp-to-twitter.php:811
473
- 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."
474
- msgstr " Zeichen.<br />Twitter Nachrichten können maximal 140 Zeichen haben; wenn du eine Cli.gs URL in deinen Tweets verwendest, hast du noch 119 Zeichen zur Verfügung. Du kannst <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#date#</code> oder <code>#blog#</code> verwenden um die gekürzte URL, Name des Blogeintrags, ein Auszug des Blogeintrags oder Blogname im Tweet zu verwenden."
475
-
476
- #: wp-to-twitter.php:811
477
- msgid "Make a Donation"
478
- msgstr "Spenden"
479
-
480
- #: wp-to-twitter.php:814
481
- msgid "Don't Tweet this post."
482
- msgstr "Diesen Eintrag nicht twittern."
483
-
484
- #: wp-to-twitter.php:863
485
- msgid "WP to Twitter User Settings"
486
- msgstr "WP to Twitter Benutzer Einstellungen"
487
-
488
- #: wp-to-twitter.php:867
489
- msgid "Use My Twitter Account"
490
- msgstr "Verwende meinen Twitter Account"
491
-
492
- #: wp-to-twitter.php:868
493
- msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
494
- msgstr "Wähle diese Option wenn du möchtest, dass dein Eintrag in deinem Twitter Account ohne @ Referenz veröffentlicht wird."
495
-
496
- #: wp-to-twitter.php:869
497
- msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
498
- msgstr "Tweete meinen Eintrag in meinem Twitter Account mit einer @ Referenz zum Haupt Twitter Account der Seite."
499
-
500
- #: wp-to-twitter.php:870
501
- msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
502
- msgstr "Tweete meinen Eintrag im Haupt Twitter Account mit einer @ Referenz zu meinem Benutzernamen. (Für diese Option wird kein Passwort benötigt.)"
503
-
504
- #: wp-to-twitter.php:873
505
- msgid "Your Twitter Username"
506
- msgstr "Dein Twitter Benutzername"
507
-
508
- #: wp-to-twitter.php:874
509
- msgid "Enter your own Twitter username."
510
- msgstr "Gib deinen Twitter Benutzernamen ein."
511
-
512
- #: wp-to-twitter.php:877
513
- msgid "Your Twitter Password"
514
- msgstr "Dein Twitter Passwort"
515
-
516
- #: wp-to-twitter.php:878
517
- msgid "Enter your own Twitter password."
518
- msgstr "Gib dein Twitter Passwort ein."
519
-
520
- #: wp-to-twitter.php:997
521
- msgid "<p>Couldn't locate the settings page.</p>"
522
- msgstr "<p>Einstellungsseite nicht gefunden.</p>"
523
-
524
- #: wp-to-twitter.php:1002
525
- msgid "Settings"
526
- msgstr "Einstellungen"
527
-
528
- #. Plugin URI of an extension
529
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
530
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
531
-
532
- #. Description of an extension
533
- 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."
534
- msgstr "Aktualisiert Twitter wenn du einen neuen Blog Eintrag oder einen neuen Blogroll hinzufügst unter Verwendung von Cli.gs. Mit einem Cli.gs API Key wird ein neuer clig mit dem Namen deines Eintrags erstellen lassen."
535
-
536
- #. Author of an extension
537
- msgid "Joseph Dolson"
538
- msgstr "Joseph Dolson"
539
-
540
- #. Author URI of an extension
541
- msgid "http://www.joedolson.com/"
542
- msgstr "http://www.joedolson.com/"
543
-
544
- #~ msgid ""
545
- #~ "The query to the URL shortener API failed, and your URL was not shrunk. "
546
- #~ "The full post URL was attached to your Tweet."
547
- #~ msgstr ""
548
- #~ "Die Verbindung zum URL Kürzer API schlug fehl und deine URL wurde nicht "
549
- #~ "verkürzt. Es wurde die normale URL wurde im Tweet veröffentlicht."
550
- #~ msgid "Add_new_tag"
551
- #~ msgstr "Tag_hinzufügen"
552
- #~ msgid "This plugin may not work in your server environment."
553
- #~ msgstr ""
554
- #~ "Dieses Plugin funktioniert vielleicht nicht in deiner Server Umgebung."
555
- #~ msgid "Wordpress to Twitter Publishing Options"
556
- #~ msgstr "Wordpress to Twitter Veröffentlichungs-Optionen"
557
- #~ msgid "Provide link to blog?"
558
- #~ msgstr "Link zum Blog hinzufügen?"
559
- #~ msgid "Use <strong>link title</strong> for Twitter updates"
560
- #~ msgstr ""
561
- #~ "Verwende den <strong>Link Namen</strong> für Twitter Aktualisierungen"
562
- #~ msgid "Use <strong>link description</strong> for Twitter updates"
563
- #~ msgstr ""
564
- #~ "Verwende die <strong>Link Beschreibung</strong> für Twitter "
565
- #~ "Aktualisierungen"
566
- #~ msgid ""
567
- #~ "Text for new link updates (used if title/description isn't available.):"
568
- #~ msgstr ""
569
- #~ "Text für neuen Link (wenn kein Namen oder Beschreibung vorhanden sind.):"
570
- #~ msgid "Custom text prepended to Tweets:"
571
- #~ msgstr "Eigener Text zu Beginn des Tweets:"
572
- #~ msgid ""
573
- #~ "Your server appears to support the required PHP functions and classes for "
574
- #~ "WP to Twitter to function."
575
- #~ msgstr ""
576
- #~ "Es scheint als würde dein Server die benötigten PHP Funktion und Klassen "
577
- #~ "für WP to Twitter bereitstellen."
578
-
1
+ msgid ""
2
+ msgstr ""
3
+ "Project-Id-Version: WP to Twitter\n"
4
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
5
+ "POT-Creation-Date: 2009-12-22 20:09+0000\n"
6
+ "PO-Revision-Date: \n"
7
+ "Last-Translator: Joseph Dolson <design@joedolson.com>\n"
8
+ "Language-Team: Thomas Boehm <t.boehm@mac.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: German\n"
13
+ "X-Poedit-Country: GERMANY\n"
14
+
15
+ #: functions.php:127
16
+ msgid "Twitter Password Saved"
17
+ msgstr "Twitter Passwort gespeichert"
18
+
19
+ #: functions.php:129
20
+ msgid "Twitter Password Not Saved"
21
+ msgstr "Twitter Passwort nicht gespeichert"
22
+
23
+ #: functions.php:132
24
+ msgid "Bit.ly API Saved"
25
+ msgstr "Bit.ly API Key gespeichert."
26
+
27
+ #: functions.php:134
28
+ msgid "Bit.ly API Not Saved"
29
+ msgstr "Bit.ly API Key nicht gespeichert."
30
+
31
+ #: functions.php:140
32
+ 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."
33
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] Falls Du Probleme hast, kopiere bitte deine Einstellungen in die Supportanfrage."
34
+
35
+ #: wp-to-twitter-manager.php:63
36
+ msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
37
+ msgstr "Twitter Login Informationen und URL Kürzer API Informationen eingeben um das Plugin zu verwenden!"
38
+
39
+ #: wp-to-twitter-manager.php:69
40
+ msgid "Please add your Twitter password. "
41
+ msgstr "Bitte das Twitter Passwort eingeben."
42
+
43
+ #: wp-to-twitter-manager.php:75
44
+ msgid "WP to Twitter Errors Cleared"
45
+ msgstr "WP to Twitter Fehlermeldung gelöscht."
46
+
47
+ #: wp-to-twitter-manager.php:82
48
+ 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! "
49
+ msgstr "Sorry! Ich konnte den Twitter Server nicht erreichten, um einen Tweet über deinen neuen Blog Eintrag zu veröffentlichen. Der Tweet wurde in einem Feld am Ende des Eintrags gespeichert, damit du ihn manuell veröffentlichen kannst!"
50
+
51
+ #: wp-to-twitter-manager.php:84
52
+ 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. "
53
+ 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."
54
+
55
+ #: wp-to-twitter-manager.php:149
56
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
57
+ msgstr "Du musst deinen Bit.ly Login und API Key eingeben um die URLs mit Bit.ly zu kürzen."
58
+
59
+ #: wp-to-twitter-manager.php:158
60
+ msgid "WP to Twitter Options Updated"
61
+ msgstr "WP to Twitter Einstellungen Aktualisiert"
62
+
63
+ #: wp-to-twitter-manager.php:168
64
+ msgid "Twitter login and password updated. "
65
+ msgstr "Twitter Login und Passwort aktualisiert."
66
+
67
+ #: wp-to-twitter-manager.php:170
68
+ msgid "You need to provide your twitter login and password! "
69
+ msgstr "Du musst deinen Twitter Login und dein Passwort eingeben!"
70
+
71
+ #: wp-to-twitter-manager.php:177
72
+ msgid "Cligs API Key Updated"
73
+ msgstr "Cli.gs API Key aktualisiert."
74
+
75
+ #: wp-to-twitter-manager.php:180
76
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
77
+ msgstr "Cli.gs API Key gelöscht. Cli.gs, welche mit WP to Twitter erstellt werden, werden nicht mehr in deinem Account erstellt."
78
+
79
+ #: wp-to-twitter-manager.php:182
80
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
81
+ msgstr "Cli.gs API Key nicht hinzugefügt - <a href='http://cli.gs/user/api/'>HIER</a> klicken zum Anlegen!"
82
+
83
+ #: wp-to-twitter-manager.php:188
84
+ msgid "Bit.ly API Key Updated."
85
+ msgstr "Bit.ly API Key aktualisiert."
86
+
87
+ #: wp-to-twitter-manager.php:191
88
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
89
+ msgstr "Bit.ly API Key gelöscht. Du kannst die Bit.ly API nicht ohne API Key verwenden."
90
+
91
+ #: wp-to-twitter-manager.php:193
92
+ 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."
93
+ 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."
94
+
95
+ #: wp-to-twitter-manager.php:197
96
+ msgid " Bit.ly User Login Updated."
97
+ msgstr "Bit.ly Benutzer Login aktualisiert."
98
+
99
+ #: wp-to-twitter-manager.php:200
100
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
101
+ msgstr "Bit.ly Benutzer Login gelöscht. Du kannst die Bit.ly API nicht ohne Benutzernamen verwenden."
102
+
103
+ #: wp-to-twitter-manager.php:202
104
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
105
+ msgstr "Bit.ly Login nicht hinzugefügt - <a href='http://bit.ly/account/'>HIER</a> klicken zum Anlegen!"
106
+
107
+ #: wp-to-twitter-manager.php:236
108
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
109
+ msgstr "<li>Cli.gs API via Snoopy erfolgreich kontaktiert. Die URL Erstellung schlug fehl.</li>"
110
+
111
+ #: wp-to-twitter-manager.php:238
112
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
113
+ msgstr "<li>Cli.gs API via Snoopy erfolgreich kontaktiert. Ein Cli.gs Server Error verhinderte das URL Kürzen.</li>"
114
+
115
+ #: wp-to-twitter-manager.php:240
116
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy and created a shortened link.</li>"
117
+ msgstr "<li>Cli.gs API via Snoopy erfolgreich kontaktiert und Kurz URL erstellt.</li>"
118
+
119
+ #: wp-to-twitter-manager.php:249
120
+ #: wp-to-twitter-manager.php:274
121
+ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
122
+ msgstr "<li>Bit.ly API erfolgreich via Snoopy kontaktiert.</li>"
123
+
124
+ #: wp-to-twitter-manager.php:251
125
+ #: wp-to-twitter-manager.php:276
126
+ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
127
+ msgstr "<li>Bit.ly API Verbindung via Snoopy fehlgeschlagen.</li>"
128
+
129
+ #: wp-to-twitter-manager.php:254
130
+ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
131
+ msgstr "<li>Die Bit.ly API kann nicht ohne gültigen API key getestet werden.</li>"
132
+
133
+ #: wp-to-twitter-manager.php:258
134
+ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
135
+ msgstr "<li>Twitter API via Snoopy erfolgreich kontaktiert.</li>"
136
+
137
+ #: wp-to-twitter-manager.php:260
138
+ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
139
+ msgstr "<li>Twitter API Verbindung via Snoopy fehlgeschlagen.</li>"
140
+
141
+ #: wp-to-twitter-manager.php:266
142
+ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
143
+ msgstr "<li>Twitter API erfolgreich via cURL kontaktiert.</li>"
144
+
145
+ #: wp-to-twitter-manager.php:268
146
+ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
147
+ msgstr "<li>Twitter API Verbindung via cURL fehlgeschlagen.</li>"
148
+
149
+ #: wp-to-twitter-manager.php:280
150
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
151
+ msgstr "<li>Cli.gs API via Snoopy erfolgreich kontaktiert.</li>"
152
+
153
+ #: wp-to-twitter-manager.php:283
154
+ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
155
+ msgstr "<li>Cli.gs API Verbindung via Snoopy fehlgeschlagen.</li>"
156
+
157
+ #: wp-to-twitter-manager.php:288
158
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
159
+ msgstr "<li><strong>Dein Server sollte WP to Twitter problemlos ausführen.</strong></li>"
160
+
161
+ #: wp-to-twitter-manager.php:293
162
+ msgid "<li>Your server does not support <code>fputs</code>.</li>"
163
+ msgstr "<li>Dein Server unterstützt nicht <code>fputs</code>.</li>"
164
+
165
+ #: wp-to-twitter-manager.php:297
166
+ msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
167
+ msgstr "<li>Dein Server unterstützt nicht <code>file_get_contents</code> oder <code>cURL</code> Funktionen.</li>"
168
+
169
+ #: wp-to-twitter-manager.php:301
170
+ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
171
+ msgstr "<li>Dein Server unterstützt nicht <code>Snoopy</code>.</li>"
172
+
173
+ #: wp-to-twitter-manager.php:304
174
+ 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>"
175
+ msgstr "<li><strong>Es scheint als würde dein Server NICHT die benötigten PHP Funktion und Klassen für WP to Twitter bereitstellen.</strong> Du kannst es trotzdem versuchen - da der Test nicht perfekt ist - aber ohne Garantie.</li>"
176
+
177
+ #: wp-to-twitter-manager.php:313
178
+ 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."
179
+ msgstr "Dieses Plugin funktioniert vielleicht nicht in deiner Serverumgebung. Das Plugin konnte weder die URL Kürzer API noch die Twitter API erreichen."
180
+
181
+ #: wp-to-twitter-manager.php:328
182
+ msgid "WP to Twitter Options"
183
+ msgstr "WP to Twitter Einstellungen"
184
+
185
+ #: wp-to-twitter-manager.php:332
186
+ #: wp-to-twitter.php:811
187
+ msgid "Get Support"
188
+ msgstr "Hilfe anfordern"
189
+
190
+ #: wp-to-twitter-manager.php:333
191
+ msgid "Export Settings"
192
+ msgstr "Export Einstellungen"
193
+
194
+ #: wp-to-twitter-manager.php:347
195
+ 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>"
196
+ msgstr "Für jede Aktualisierung kannst du die Codes <code>#title#</code> für den Name des Blogeintrags, <code>#blog#</code> für den Blogname, <code>#post#</code> für einen Auszug des Blogeintrags, <code>#category#</code> für die erste Kategorie des Blogeintrags, <code>#date#</code> für das Veröffentlichungsdatum oder <code>#url#</code> für die URL verwenden (gekürzt oder nicht, je nach deinen Einstellungen)! Man kann eigene Codes im WordPress Benutzerfeld anlegen. Benutze doppelt eckige Klammern um den Namen deines Benutzerfeld um den Wert des Benutzerfeld in deinem Tweet zu verwenden. Beispiel: <code>[[Benutzerfeld]]</code>"
197
+
198
+ #: wp-to-twitter-manager.php:353
199
+ 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>"
200
+ msgstr "<p>Einer oder mehrere deiner letzten Einträge konnte nicht über Twitter veröffentlicht werden. Die Tweets wurden am Ende der Einträge gespeichert, damit du sie manuell veröffentlichen kannst.</p>"
201
+
202
+ #: wp-to-twitter-manager.php:356
203
+ 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>"
204
+ msgstr "<p>Anfrage an den URL Kürzer fehlgeschlagen! Wir konnten die URL nicht kürzen und haben deshalb die normale URL in den Tweet eingefügt. Überprüfe beim Anbieter ob Probleme bekannt sind. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
205
+
206
+ #: wp-to-twitter-manager.php:363
207
+ msgid "Clear 'WP to Twitter' Error Messages"
208
+ msgstr "'WP to Twitter' Fehlermeldung löschen"
209
+
210
+ #: wp-to-twitter-manager.php:371
211
+ msgid "Set what should be in a Tweet"
212
+ msgstr "Was soll in den Tweet"
213
+
214
+ #: wp-to-twitter-manager.php:374
215
+ msgid "Update when a post is published"
216
+ msgstr "Aktualisieren wenn ein neuer Eintrag veröffentlicht wird"
217
+
218
+ #: wp-to-twitter-manager.php:374
219
+ msgid "Text for new post updates:"
220
+ msgstr "Text für neuen Eintrag: "
221
+
222
+ #: wp-to-twitter-manager.php:379
223
+ msgid "Update when a post is edited"
224
+ msgstr "Aktualisieren wenn ein neuer Eintrag aktualisiert wird"
225
+
226
+ #: wp-to-twitter-manager.php:379
227
+ msgid "Text for editing updates:"
228
+ msgstr "Text für aktualisierte Einträge:"
229
+
230
+ #: wp-to-twitter-manager.php:383
231
+ msgid "Update Twitter when new Wordpress Pages are published"
232
+ msgstr "Aktualisiere Twitter wenn eine neue WordPress Seite veröffentlicht wird"
233
+
234
+ #: wp-to-twitter-manager.php:383
235
+ msgid "Text for new page updates:"
236
+ msgstr "Text für neue Seite: "
237
+
238
+ #: wp-to-twitter-manager.php:387
239
+ msgid "Update Twitter when WordPress Pages are edited"
240
+ msgstr "Aktualisiere Twitter wenn eine WordPress Seite aktualisiert wird"
241
+
242
+ #: wp-to-twitter-manager.php:387
243
+ msgid "Text for page edit updates:"
244
+ msgstr "Text für aktualisierte Seiten:"
245
+
246
+ #: wp-to-twitter-manager.php:391
247
+ msgid "Add tags as hashtags on Tweets"
248
+ msgstr "Verwende Tags als Hashtags in Tweets"
249
+
250
+ #: wp-to-twitter-manager.php:391
251
+ msgid "Spaces replaced with:"
252
+ msgstr "Leerzeichen ersetzen durch:"
253
+
254
+ #: wp-to-twitter-manager.php:392
255
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
256
+ msgstr "Standardmäßig wird es mit einem Unterstrich ersetzt (<code>_</code>). Verwende <code>[ ]</code> um das Leerzeichen komplett zu entfernen."
257
+
258
+ #: wp-to-twitter-manager.php:394
259
+ msgid "Maximum number of tags to include:"
260
+ msgstr "Maximale Anzahl von Tags pro Tweet:"
261
+
262
+ #: wp-to-twitter-manager.php:395
263
+ msgid "Maximum length in characters for included tags:"
264
+ msgstr "Maximale Länge von Zeichen inklusive Tags:"
265
+
266
+ #: wp-to-twitter-manager.php:396
267
+ 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."
268
+ msgstr "Diese Option erlaubt Dir die Länge und Anzahl von WordPress Tags, die als Twitter Hashtags erscheinen festzulegen. Mit <code>0</code> oder ohne Wert werden alle Tags übernommen."
269
+
270
+ #: wp-to-twitter-manager.php:400
271
+ msgid "Update Twitter when you post a Blogroll link"
272
+ msgstr "Aktualisiere Twitter wenn du einen neuen Blogroll Link veröffentlichst."
273
+
274
+ #: wp-to-twitter-manager.php:401
275
+ msgid "Text for new link updates:"
276
+ msgstr "Text für neue Link Aktualisierung: "
277
+
278
+ #: wp-to-twitter-manager.php:401
279
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
280
+ msgstr "Vorhandene Codes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
281
+
282
+ #: wp-to-twitter-manager.php:404
283
+ msgid "Length of post excerpt (in characters):"
284
+ msgstr "Länge des Blogeintrag Auszugs (in Zeichen):"
285
+
286
+ #: wp-to-twitter-manager.php:404
287
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
288
+ msgstr "Standardmäßig, Auszug aus dem Blogeintrag selbst. Wenn du das 'Auszug' Feld verwendest, wird dieser Text verwendet."
289
+
290
+ #: wp-to-twitter-manager.php:407
291
+ msgid "WP to Twitter Date Formatting:"
292
+ msgstr "WP to Twitter Datums Format:"
293
+
294
+ #: wp-to-twitter-manager.php:407
295
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
296
+ msgstr "Der Standard ist aus den Allgemeinen Einstellungne. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Datumsformat Dokumentation</a>."
297
+
298
+ #: wp-to-twitter-manager.php:411
299
+ msgid "Custom text before Tweets:"
300
+ msgstr "Eigener Text vor den Tweets:"
301
+
302
+ #: wp-to-twitter-manager.php:412
303
+ msgid "Custom text after Tweets:"
304
+ msgstr "Eigener Text nach den Tweets:"
305
+
306
+ #: wp-to-twitter-manager.php:415
307
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
308
+ msgstr "Benutzerfeld für eine alternative URL zum Verkürzen und Tweeten:"
309
+
310
+ #: wp-to-twitter-manager.php:416
311
+ 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."
312
+ msgstr "Du kannst das Benutzerfeld verwenden um Cli.gs und Twitter eine andere URL als den Permalink von WordPress zu verwenden. Der Wert ist der Name des Benutzerfeldes, welches du für eine externe URL verwenden kannst."
313
+
314
+ #: wp-to-twitter-manager.php:420
315
+ msgid "Special Cases when WordPress should send a Tweet"
316
+ msgstr "Spezialfälle wenn WordPress einen Tweet senden soll"
317
+
318
+ #: wp-to-twitter-manager.php:423
319
+ msgid "Set default Tweet status to 'No.'"
320
+ msgstr "Setze Tweet veröffentlichen auf 'Nein' als Standard."
321
+
322
+ #: wp-to-twitter-manager.php:424
323
+ 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."
324
+ msgstr "Twitter Aktualisierungen können auch für jeden Eintrag einzeln freigeschaltet werden. Standardmäßig wird JEDER Eintrag auf Twitter veröffentlich. Hier kann diese Funktion deaktiviert werden."
325
+
326
+ #: wp-to-twitter-manager.php:428
327
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
328
+ msgstr "Twitter Aktualisierungen bei Remote Veröffentlichungen (Einträge per Email oder XMLRPC Client)"
329
+
330
+ #: wp-to-twitter-manager.php:432
331
+ msgid "Update Twitter when a post is published using QuickPress"
332
+ msgstr "Aktualisiere Twitter wenn ein Eintrag über QuickPress veröffentlicht wird"
333
+
334
+ #: wp-to-twitter-manager.php:436
335
+ msgid "Special Fields"
336
+ msgstr "Spezial Felder"
337
+
338
+ #: wp-to-twitter-manager.php:439
339
+ msgid "Use Google Analytics with WP-to-Twitter"
340
+ msgstr "Verwende Google Analytics mit WP-to-Twitter"
341
+
342
+ #: wp-to-twitter-manager.php:440
343
+ msgid "Campaign identifier for Google Analytics:"
344
+ msgstr "Campaign Identifier für Google Analytics:"
345
+
346
+ #: wp-to-twitter-manager.php:441
347
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
348
+ msgstr "Du kannst die Antworten von Twitter mit Google Analytics aufzeichnen, wenn du einen Campaign Identifier angibst."
349
+
350
+ #: wp-to-twitter-manager.php:446
351
+ msgid "Authors have individual Twitter accounts"
352
+ msgstr "Autoren haben individuelle Twitter Accounts"
353
+
354
+ #: wp-to-twitter-manager.php:446
355
+ 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."
356
+ msgstr "Jeder Autor kann seinen Twitter Benutzernamen und Passwort in seinem Profil festlegen. Die Einträge werden unter dem jeweiligen Twitter Account veröffentlicht."
357
+
358
+ #: wp-to-twitter-manager.php:450
359
+ msgid "Set your preferred URL Shortener"
360
+ msgstr "Wähle deinen bevorzugten URL Kürzer"
361
+
362
+ #: wp-to-twitter-manager.php:453
363
+ msgid "Use <strong>Cli.gs</strong> for my URL shortener."
364
+ msgstr "Verwende <strong>Cli.gs</strong> als URL Kürzer."
365
+
366
+ #: wp-to-twitter-manager.php:454
367
+ msgid "Use <strong>Bit.ly</strong> for my URL shortener."
368
+ msgstr "Verwende <strong>Bit.ly</strong> als URL Kürzer."
369
+
370
+ #: wp-to-twitter-manager.php:455
371
+ msgid "Use <strong>WordPress</strong> as a URL shortener."
372
+ msgstr "Verwende <strong>WordPress</strong> als URL Kürzer."
373
+
374
+ #: wp-to-twitter-manager.php:456
375
+ msgid "Don't shorten URLs."
376
+ msgstr "URLs nicht kürzen."
377
+
378
+ #: wp-to-twitter-manager.php:457
379
+ 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."
380
+ msgstr "Bei Verwendung von WordPress als URL Kürzer werden die URLs im WordPress URL Format verwendet: <code>http://domain.com/subdir/?p=123</code>. Google Analytics steht nicht zur Verfügung, wenn der WordPress URL Kürzer verwendet wird."
381
+
382
+ #: wp-to-twitter-manager.php:462
383
+ msgid "Save WP->Twitter Options"
384
+ msgstr "WP->Twitter Einstellungen sichern"
385
+
386
+ #: wp-to-twitter-manager.php:468
387
+ msgid "Your Twitter account details"
388
+ msgstr "Deine Twitter Account Informationen"
389
+
390
+ #: wp-to-twitter-manager.php:475
391
+ msgid "Your Twitter username:"
392
+ msgstr "Dein Twitter Benutzername:"
393
+
394
+ #: wp-to-twitter-manager.php:479
395
+ msgid "Your Twitter password:"
396
+ msgstr "Dein Twitter Passwort:"
397
+
398
+ #: wp-to-twitter-manager.php:479
399
+ msgid "(<em>Saved</em>)"
400
+ msgstr "(<em>Gespeichert</em>)"
401
+
402
+ #: wp-to-twitter-manager.php:483
403
+ msgid "Save Twitter Login Info"
404
+ msgstr "Twitter Login speichern"
405
+
406
+ #: wp-to-twitter-manager.php:483
407
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
408
+ msgstr "&raquo; <small>Du hast keinen Twitter Account? <a href='http://www.twitter.com'>HIER</a> klicken zum Anlegen!"
409
+
410
+ #: wp-to-twitter-manager.php:487
411
+ msgid "Your Cli.gs account details"
412
+ msgstr "Deine Cli.gs Account Informationen"
413
+
414
+ #: wp-to-twitter-manager.php:494
415
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
416
+ msgstr "Dein Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
417
+
418
+ #: wp-to-twitter-manager.php:500
419
+ 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."
420
+ msgstr "Keinen Cli.gs Account oder Cligs API Key? <a href='http://cli.gs/user/api/'>HIER</a> klicken zum Anlegen!!<br />Du benötigst einen API Key um cligs einem Cli.gs Account zuzuordnen."
421
+
422
+ #: wp-to-twitter-manager.php:505
423
+ msgid "Your Bit.ly account details"
424
+ msgstr "Deine Bit.ly Account Informationen"
425
+
426
+ #: wp-to-twitter-manager.php:510
427
+ msgid "Your Bit.ly username:"
428
+ msgstr "Dein Bit.ly Benutzername:"
429
+
430
+ #: wp-to-twitter-manager.php:514
431
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
432
+ msgstr "Dein Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
433
+
434
+ #: wp-to-twitter-manager.php:521
435
+ msgid "Save Bit.ly API Key"
436
+ msgstr "Bit.ly API Key gespeichert"
437
+
438
+ #: wp-to-twitter-manager.php:521
439
+ msgid "Clear Bit.ly API Key"
440
+ msgstr "Bit.ly API Key entfernen"
441
+
442
+ #: wp-to-twitter-manager.php:521
443
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
444
+ 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."
445
+
446
+ #: wp-to-twitter-manager.php:530
447
+ msgid "Check Support"
448
+ msgstr "Hilfe Ansehen"
449
+
450
+ #: wp-to-twitter-manager.php:530
451
+ msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
452
+ msgstr "Überprüfe ob dein Server WP to Twitter Anfrage an die Twitter und die URL Kürzer API unterstützt."
453
+
454
+ #: wp-to-twitter-manager.php:538
455
+ msgid "Need help?"
456
+ msgstr "Du benötigst Hilfe?"
457
+
458
+ #: wp-to-twitter-manager.php:539
459
+ msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
460
+ msgstr "Besuche die <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter Plugin Seite</a>."
461
+
462
+ #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
463
+ #. Plugin Name of an extension
464
+ #: wp-to-twitter.php:761
465
+ msgid "WP to Twitter"
466
+ msgstr "WP to Twitter"
467
+
468
+ #: wp-to-twitter.php:806
469
+ msgid "Twitter Post"
470
+ msgstr "Twitter Nachricht"
471
+
472
+ #: wp-to-twitter.php:811
473
+ 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."
474
+ msgstr " Zeichen.<br />Twitter Nachrichten können maximal 140 Zeichen haben; wenn du eine Cli.gs URL in deinen Tweets verwendest, hast du noch 119 Zeichen zur Verfügung. Du kannst <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#date#</code> oder <code>#blog#</code> verwenden um die gekürzte URL, Name des Blogeintrags, ein Auszug des Blogeintrags oder Blogname im Tweet zu verwenden."
475
+
476
+ #: wp-to-twitter.php:811
477
+ msgid "Make a Donation"
478
+ msgstr "Spenden"
479
+
480
+ #: wp-to-twitter.php:814
481
+ msgid "Don't Tweet this post."
482
+ msgstr "Diesen Eintrag nicht twittern."
483
+
484
+ #: wp-to-twitter.php:863
485
+ msgid "WP to Twitter User Settings"
486
+ msgstr "WP to Twitter Benutzer Einstellungen"
487
+
488
+ #: wp-to-twitter.php:867
489
+ msgid "Use My Twitter Account"
490
+ msgstr "Verwende meinen Twitter Account"
491
+
492
+ #: wp-to-twitter.php:868
493
+ msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
494
+ msgstr "Wähle diese Option wenn du möchtest, dass dein Eintrag in deinem Twitter Account ohne @ Referenz veröffentlicht wird."
495
+
496
+ #: wp-to-twitter.php:869
497
+ msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
498
+ msgstr "Tweete meinen Eintrag in meinem Twitter Account mit einer @ Referenz zum Haupt Twitter Account der Seite."
499
+
500
+ #: wp-to-twitter.php:870
501
+ msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
502
+ msgstr "Tweete meinen Eintrag im Haupt Twitter Account mit einer @ Referenz zu meinem Benutzernamen. (Für diese Option wird kein Passwort benötigt.)"
503
+
504
+ #: wp-to-twitter.php:873
505
+ msgid "Your Twitter Username"
506
+ msgstr "Dein Twitter Benutzername"
507
+
508
+ #: wp-to-twitter.php:874
509
+ msgid "Enter your own Twitter username."
510
+ msgstr "Gib deinen Twitter Benutzernamen ein."
511
+
512
+ #: wp-to-twitter.php:877
513
+ msgid "Your Twitter Password"
514
+ msgstr "Dein Twitter Passwort"
515
+
516
+ #: wp-to-twitter.php:878
517
+ msgid "Enter your own Twitter password."
518
+ msgstr "Gib dein Twitter Passwort ein."
519
+
520
+ #: wp-to-twitter.php:997
521
+ msgid "<p>Couldn't locate the settings page.</p>"
522
+ msgstr "<p>Einstellungsseite nicht gefunden.</p>"
523
+
524
+ #: wp-to-twitter.php:1002
525
+ msgid "Settings"
526
+ msgstr "Einstellungen"
527
+
528
+ #. Plugin URI of an extension
529
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
530
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
531
+
532
+ #. Description of an extension
533
+ 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."
534
+ msgstr "Aktualisiert Twitter wenn du einen neuen Blog Eintrag oder einen neuen Blogroll hinzufügst unter Verwendung von Cli.gs. Mit einem Cli.gs API Key wird ein neuer clig mit dem Namen deines Eintrags erstellen lassen."
535
+
536
+ #. Author of an extension
537
+ msgid "Joseph Dolson"
538
+ msgstr "Joseph Dolson"
539
+
540
+ #. Author URI of an extension
541
+ msgid "http://www.joedolson.com/"
542
+ msgstr "http://www.joedolson.com/"
543
+
544
+ #~ msgid ""
545
+ #~ "The query to the URL shortener API failed, and your URL was not shrunk. "
546
+ #~ "The full post URL was attached to your Tweet."
547
+ #~ msgstr ""
548
+ #~ "Die Verbindung zum URL Kürzer API schlug fehl und deine URL wurde nicht "
549
+ #~ "verkürzt. Es wurde die normale URL wurde im Tweet veröffentlicht."
550
+ #~ msgid "Add_new_tag"
551
+ #~ msgstr "Tag_hinzufügen"
552
+ #~ msgid "This plugin may not work in your server environment."
553
+ #~ msgstr ""
554
+ #~ "Dieses Plugin funktioniert vielleicht nicht in deiner Server Umgebung."
555
+ #~ msgid "Wordpress to Twitter Publishing Options"
556
+ #~ msgstr "Wordpress to Twitter Veröffentlichungs-Optionen"
557
+ #~ msgid "Provide link to blog?"
558
+ #~ msgstr "Link zum Blog hinzufügen?"
559
+ #~ msgid "Use <strong>link title</strong> for Twitter updates"
560
+ #~ msgstr ""
561
+ #~ "Verwende den <strong>Link Namen</strong> für Twitter Aktualisierungen"
562
+ #~ msgid "Use <strong>link description</strong> for Twitter updates"
563
+ #~ msgstr ""
564
+ #~ "Verwende die <strong>Link Beschreibung</strong> für Twitter "
565
+ #~ "Aktualisierungen"
566
+ #~ msgid ""
567
+ #~ "Text for new link updates (used if title/description isn't available.):"
568
+ #~ msgstr ""
569
+ #~ "Text für neuen Link (wenn kein Namen oder Beschreibung vorhanden sind.):"
570
+ #~ msgid "Custom text prepended to Tweets:"
571
+ #~ msgstr "Eigener Text zu Beginn des Tweets:"
572
+ #~ msgid ""
573
+ #~ "Your server appears to support the required PHP functions and classes for "
574
+ #~ "WP to Twitter to function."
575
+ #~ msgstr ""
576
+ #~ "Es scheint als würde dein Server die benötigten PHP Funktion und Klassen "
577
+ #~ "für WP to Twitter bereitstellen."
578
+
wp-to-twitter-es_ES.po CHANGED
@@ -1,519 +1,519 @@
1
- msgid ""
2
- msgstr ""
3
- "Project-Id-Version: WP to Twitter\n"
4
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
5
- "POT-Creation-Date: 2009-09-26 22:40+0000\n"
6
- "PO-Revision-Date: \n"
7
- "Last-Translator: David Gil <dgilperez@gmail.com>\n"
8
- "Language-Team: www.sohelet.com <dgilperez@sohelet.com>\n"
9
- "MIME-Version: 1.0\n"
10
- "Content-Type: text/plain; charset=UTF-8\n"
11
- "Content-Transfer-Encoding: 8bit\n"
12
- "X-Poedit-Language: Spanish\n"
13
- "X-Poedit-Country: SPAIN\n"
14
-
15
- #: functions.php:117
16
- msgid "Twitter Password Saved"
17
- msgstr "Contraseña de Twitter guardada"
18
-
19
- #: functions.php:119
20
- msgid "Twitter Password Not Saved"
21
- msgstr "Contraseña de Twitter no guardada"
22
-
23
- #: functions.php:126
24
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
25
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Esconder</a>] Si tiene problemas, por favor copie esta configuración en cualquier petición de soporte."
26
-
27
- #: wp-to-twitter-manager.php:60
28
- msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
29
- msgstr "¡introduzca su información de acceso a Twitter e información de API del acortador de URLs para usar este plugin!"
30
-
31
- #: wp-to-twitter-manager.php:66
32
- msgid "Please add your Twitter password. "
33
- msgstr "Por favor introduzca su contraseña de Twitter."
34
-
35
- #: wp-to-twitter-manager.php:72
36
- msgid "WP to Twitter Errors Cleared"
37
- msgstr "Errores de WP to Twitter eliminados"
38
-
39
- #: wp-to-twitter-manager.php:78
40
- msgid "URL shortener request failed! We couldn't shrink that URL, so we attached the normal URL to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]"
41
- msgstr "¡El acortador de URLs falló! No pudimos reducir la URL, de modo que hemos adjuntado la URL original al Tweet. Por favor, revise con su proveedor de URL por si el problema está identificado. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]"
42
-
43
- #: wp-to-twitter-manager.php:82
44
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
45
- msgstr "Lo siento, no he podido contactar con los servidores de Twitter para notificar su nueva entrada. Su Tweet ha sido almacenado en un campo personalizado adjunto a la entrada, puede Tweetearlo manualmente si quiere."
46
-
47
- #: wp-to-twitter-manager.php:84
48
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
49
- msgstr "Lo siento, no he podido contactar con los servidores de Twitter para notificar su nuevo enlace. Tendrá que Tweetearlo manualmente."
50
-
51
- #: wp-to-twitter-manager.php:137
52
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
53
- msgstr "Debe introducir su login y clave API de Bit.ly para acortar URLs con Bit.ly."
54
-
55
- #: wp-to-twitter-manager.php:146
56
- msgid "WP to Twitter Options Updated"
57
- msgstr "Opciones de WP to Twitter actualizadas"
58
-
59
- #: wp-to-twitter-manager.php:156
60
- msgid "Twitter login and password updated. "
61
- msgstr "Usuario y contraseña de Twitter actualizados."
62
-
63
- #: wp-to-twitter-manager.php:158
64
- msgid "You need to provide your twitter login and password! "
65
- msgstr "¡Es necesario que introduzca su nombre de usuario y contraseña de Twitter!"
66
-
67
- #: wp-to-twitter-manager.php:165
68
- msgid "Cligs API Key Updated"
69
- msgstr "Cli.gs: clave de API actualizada."
70
-
71
- #: wp-to-twitter-manager.php:168
72
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
73
- msgstr "Cli.gs: clave de API eliminada. Los Cli.gs creados por WP to Twitter ya no estarán asociados con su cuenta."
74
-
75
- #: wp-to-twitter-manager.php:170
76
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
77
- msgstr "Cli.gs: clave de API no añadida - ¡<a href='http://cli.gs/user/api/'>pinche aquí para conseguir una</a>! "
78
-
79
- #: wp-to-twitter-manager.php:176
80
- msgid "Bit.ly API Key Updated."
81
- msgstr "Bit.ly: clave de API actualizada."
82
-
83
- #: wp-to-twitter-manager.php:179
84
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
85
- msgstr "Clave API Bit.ly eliminada. You cannot use the Bit.ly API without an API key. "
86
-
87
- #: wp-to-twitter-manager.php:181
88
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
89
- msgstr "Clave de API de Bit.ly no añadida - ¡<a href='http://bit.ly/account/'>consiga una</a>! Se necesita una clave de API para usar el servicio de acortar URLs."
90
-
91
- #: wp-to-twitter-manager.php:185
92
- msgid " Bit.ly User Login Updated."
93
- msgstr "Bit.ly: usuario actualizado."
94
-
95
- #: wp-to-twitter-manager.php:188
96
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
97
- msgstr "Nombre de usuario de Bit.ly borrado. No puede usar el servicio Bit.ly sin proporcionar un nombre de usuario."
98
-
99
- #: wp-to-twitter-manager.php:190
100
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
101
- msgstr "Nombre de usuario de Bit.ly no añadido - ¡<a href='http://bit.ly/account/'>consiga uno</a>! "
102
-
103
- #: wp-to-twitter-manager.php:224
104
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
105
- msgstr "<li>Contacto correcto con Cli.gs API via Snoopy, pero la creación de la URL falló.</li>"
106
-
107
- #: wp-to-twitter-manager.php:226
108
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
109
- msgstr "<li>Contacto correcto con Cli.gs API via Snoopy, pero un error en el servidor de Cli.gs impidió el acortamiento de la URL.</li>"
110
-
111
- #: wp-to-twitter-manager.php:228
112
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy and created a shortened link.</li>"
113
- msgstr "<li>Contacto correcto con Cli.gs API via Snoopy y creación de URL acortada correcto.</li>"
114
-
115
- #: wp-to-twitter-manager.php:237
116
- #: wp-to-twitter-manager.php:262
117
- msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
118
- msgstr "<li>Contacto correcto con Bit.ly API via Snoopy.</li>"
119
-
120
- #: wp-to-twitter-manager.php:239
121
- #: wp-to-twitter-manager.php:264
122
- msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
123
- msgstr "<li>No he podido contactar con Bit.ly API via Snoopy.</li>"
124
-
125
- #: wp-to-twitter-manager.php:242
126
- msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
127
- msgstr "<li>No puedo conectar con Bit.ly API sin una clave API válida.</li>"
128
-
129
- #: wp-to-twitter-manager.php:246
130
- msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
131
- msgstr "<li>Contacto correcto con Twitter via Snoopy.</li>"
132
-
133
- #: wp-to-twitter-manager.php:248
134
- msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
135
- msgstr "<li>No he podido contactar con la API de Twitter via Snoopy.</li>"
136
-
137
- #: wp-to-twitter-manager.php:254
138
- msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
139
- msgstr "<li>Contacto correcto con Twitter via cURL.</li>"
140
-
141
- #: wp-to-twitter-manager.php:256
142
- msgid "<li>Failed to contact the Twitter API via cURL.</li>"
143
- msgstr "<li>No he podido contactar con la API de Twitter via cURL.</li>"
144
-
145
- #: wp-to-twitter-manager.php:268
146
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
147
- msgstr "<li>Contacto correcto con la API Cli.gs via Snoopy.</li>"
148
-
149
- #: wp-to-twitter-manager.php:271
150
- msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
151
- msgstr "<li>No he podido contactar con la API Cli.gs via Snoopy.</li>"
152
-
153
- #: wp-to-twitter-manager.php:276
154
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
155
- msgstr "<li><strong>Su servidor debe parece WP to Twitter correctamente.</strong></li>"
156
-
157
- #: wp-to-twitter-manager.php:281
158
- msgid "<li>Your server does not support <code>fputs</code>.</li>"
159
- msgstr "<li>Su servidor no soporta <code>fputs</code>.</li>"
160
-
161
- #: wp-to-twitter-manager.php:285
162
- msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
163
- msgstr "<li>Su servidor no soporta las funciones <code>file_get_contents</code> o <code>cURL</code>.</li>"
164
-
165
- #: wp-to-twitter-manager.php:289
166
- msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
167
- msgstr "<li>Su servidor no soporta <code>Snoopy</code>.</li>"
168
-
169
- #: wp-to-twitter-manager.php:292
170
- msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
171
- msgstr "<li><strong>Su servidor no parece soportar las funciones y clases PHP necesarias para que WP to Twitter funcione correctamente.</strong> Puede intentarlo de todas maneras, pero no hay garantías de que funcione. </li>"
172
-
173
- #: wp-to-twitter-manager.php:301
174
- msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
175
- msgstr "El plugin puede no funcionar completamente en su entorno de servidor. El plugin falló al contactar con ambas APIs del acortador de URLs y del servicio de Twitter."
176
-
177
- #: wp-to-twitter-manager.php:316
178
- msgid "WP to Twitter Options"
179
- msgstr "Opciones de WP to Twitter"
180
-
181
- #: wp-to-twitter-manager.php:320
182
- #: wp-to-twitter.php:759
183
- msgid "Get Support"
184
- msgstr "Consiga soporte"
185
-
186
- #: wp-to-twitter-manager.php:321
187
- msgid "Export Settings"
188
- msgstr "Exportar configuración"
189
-
190
- #: wp-to-twitter-manager.php:335
191
- msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
192
- msgstr "Para cada campo de actualización de entrada, puede usar los códigos <code>#title#</code> para el título de su entrada, <code>#blog#</code> para el nombre de su blog, <code>#post#</code> para un extracto de su entrada o <code>#url#</code> para la URL de la entrada (acortada o no, dependiendo de sus preferencias). También puede crear códigos personales para acceder a campos personalizados de Wordpress. Use dobles corchetes alrededor del nombre del campo personalizado para añadir su valor a su actualización de status. Ejemplo: <code>[[custom_field]]</code> ."
193
-
194
- #: wp-to-twitter-manager.php:342
195
- msgid "One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in the custom meta data for your post, and you can re-Tweet it at your leisure."
196
- msgstr "La actualización de estado de Twitter falló para una o más de sus últimas entradas. Su Tweet ha sido guardado en los metadatos de su entrada para que lo utilice a su conveniencia."
197
-
198
- #: wp-to-twitter-manager.php:345
199
- msgid "The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet."
200
- msgstr "La consulta a la API del acortador de URLs falló, por lo que la URL no se acortó. Se ha adjuntado la URL original a su Tweet."
201
-
202
- #: wp-to-twitter-manager.php:357
203
- msgid "Clear 'WP to Twitter' Error Messages"
204
- msgstr "Borrar los errores de WP to Twitter"
205
-
206
- #: wp-to-twitter-manager.php:366
207
- msgid "Set what should be in a Tweet"
208
- msgstr "Ajuste la estructura del Tweet"
209
-
210
- #: wp-to-twitter-manager.php:369
211
- msgid "Update when a post is published"
212
- msgstr "Actualizar cuando se publique una entrada"
213
-
214
- #: wp-to-twitter-manager.php:369
215
- msgid "Text for new post updates:"
216
- msgstr "Texto para nuevas entradas:"
217
-
218
- #: wp-to-twitter-manager.php:374
219
- msgid "Update when a post is edited"
220
- msgstr "Actualizar cuando se edite una entrada"
221
-
222
- #: wp-to-twitter-manager.php:374
223
- msgid "Text for editing updates:"
224
- msgstr "Texto para ediciones de entradas:"
225
-
226
- #: wp-to-twitter-manager.php:378
227
- msgid "Update Twitter when new Wordpress Pages are published"
228
- msgstr "Actualizar Twitter cuando se publique una nueva página de Wordpress"
229
-
230
- #: wp-to-twitter-manager.php:378
231
- msgid "Text for new page updates:"
232
- msgstr "Texto para nuevas páginas:"
233
-
234
- #: wp-to-twitter-manager.php:382
235
- msgid "Update Twitter when WordPress Pages are edited"
236
- msgstr "Actualizar Twitter cuando se edite una nueva página de Wordpress"
237
-
238
- #: wp-to-twitter-manager.php:382
239
- msgid "Text for page edit updates:"
240
- msgstr "Texto para ediciones de páginas:"
241
-
242
- #: wp-to-twitter-manager.php:386
243
- msgid "Add tags as hashtags on Tweets"
244
- msgstr "Añadir hashtags a los Tweets"
245
-
246
- #: wp-to-twitter-manager.php:388
247
- msgid "Maximum number of tags to include:"
248
- msgstr "Número máximo de tags a incluir:"
249
-
250
- #: wp-to-twitter-manager.php:389
251
- msgid "Maximum length in characters for included tags:"
252
- msgstr "Máximo número de caracteres para los tags incluidos:"
253
-
254
- #: wp-to-twitter-manager.php:390
255
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
256
- msgstr "Estas opciones le permiten restringir el número y longitud de etiquetas (tags) que se envían a Twitter como hashtags. Introduzca <code>0</code> o un valor en blanco para permitir todas las etiquetas."
257
-
258
- #: wp-to-twitter-manager.php:394
259
- msgid "Update Twitter when you post a Blogroll link"
260
- msgstr "Actualice Twitter cuando publique un enlace de Blogroll"
261
-
262
- #: wp-to-twitter-manager.php:396
263
- msgid "Text for new link updates:"
264
- msgstr "Texto para nuevos enlaces:"
265
-
266
- #: wp-to-twitter-manager.php:396
267
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
268
- msgstr "Códigos permitidos: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
269
-
270
- #: wp-to-twitter-manager.php:399
271
- msgid "Length of post excerpt (in characters):"
272
- msgstr "Longitud del extracto de entrada (en caracteres):"
273
-
274
- #: wp-to-twitter-manager.php:399
275
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
276
- msgstr "Extraido de la entrada misma por defecto. Si usa el campo 'Excerpt' (Extracto), se usará ése a su vez."
277
-
278
- #: wp-to-twitter-manager.php:403
279
- msgid "Custom text before Tweets:"
280
- msgstr "Texto personalizado antes de Tweets:"
281
-
282
- #: wp-to-twitter-manager.php:404
283
- msgid "Custom text after Tweets:"
284
- msgstr "Texto personalizado después de Tweets:"
285
-
286
- #: wp-to-twitter-manager.php:407
287
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
288
- msgstr "Campo personalizado para una acortar y Tweetear una URL alternativa:"
289
-
290
- #: wp-to-twitter-manager.php:408
291
- msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
292
- msgstr "Puede usar un campo personalizado para enviar a Cli.gs y Twitter una URL alternativa al permalink de Wordpress. Este valor es el nombre del campo personalizado que usa para añadir la URL externa."
293
-
294
- #: wp-to-twitter-manager.php:412
295
- msgid "Special Cases when WordPress should send a Tweet"
296
- msgstr "Casos especiales en los que Wordpress debe enviar un Tweet"
297
-
298
- #: wp-to-twitter-manager.php:415
299
- msgid "Set default Tweet status to 'No.'"
300
- msgstr "El estado por defecto del Tweet es 'No'"
301
-
302
- #: wp-to-twitter-manager.php:416
303
- msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
304
- msgstr "Las actualizaciones de Twitter se pueden enviar por cada entrada. Por defecto, todas las entradas SÍ se enviarán a Twitter. Marque esta casilla para cambiar este ajuste a NO."
305
-
306
- #: wp-to-twitter-manager.php:420
307
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
308
- msgstr "Enviar las actualizaciones de Twitter en publicación remota (Post by Email o cliente XMLRPC)"
309
-
310
- #: wp-to-twitter-manager.php:424
311
- msgid "Update Twitter when a post is published using QuickPress"
312
- msgstr "Actualizar Twitter cuando se publique una entrada utilizando QuickPress"
313
-
314
- #: wp-to-twitter-manager.php:428
315
- msgid "Special Fields"
316
- msgstr "Campos especiales"
317
-
318
- #: wp-to-twitter-manager.php:431
319
- msgid "Use Google Analytics with WP-to-Twitter"
320
- msgstr "Usar Google Analytics con WP-to-Twitter"
321
-
322
- #: wp-to-twitter-manager.php:432
323
- msgid "Campaign identifier for Google Analytics:"
324
- msgstr "Identificador de campaña de Google Analytics:"
325
-
326
- #: wp-to-twitter-manager.php:433
327
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
328
- msgstr "Puede seguir la respuesta de Twitter mediante Google Analytics si define un identificador de campaña aquí."
329
-
330
- #: wp-to-twitter-manager.php:438
331
- msgid "Authors have individual Twitter accounts"
332
- msgstr "Los autores tienen cuentas de Twitter individuales"
333
-
334
- #: wp-to-twitter-manager.php:438
335
- msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
336
- msgstr "Cada autor puede elegir su cuenta de Twitter personal en su perfil de usuario. Sus entradas se notificarán a sus propias cuentas de Twitter."
337
-
338
- #: wp-to-twitter-manager.php:442
339
- msgid "Set your preferred URL Shortener"
340
- msgstr "Elija su acortador de URLs preferido"
341
-
342
- #: wp-to-twitter-manager.php:445
343
- msgid "Use <strong>Cli.gs</strong> for my URL shortener."
344
- msgstr "Usar <strong>Cli.gs</strong> como acortador de URLs."
345
-
346
- #: wp-to-twitter-manager.php:445
347
- msgid "Use <strong>Bit.ly</strong> for my URL shortener."
348
- msgstr "Usar <strong>Bit.ly</strong> como acortador de URLs."
349
-
350
- #: wp-to-twitter-manager.php:445
351
- msgid "Don't shorten URLs."
352
- msgstr "No acortar URLs."
353
-
354
- #: wp-to-twitter-manager.php:450
355
- msgid "Save WP->Twitter Options"
356
- msgstr "Guardar configuración WP->Twitter "
357
-
358
- #: wp-to-twitter-manager.php:456
359
- msgid "Your Twitter account details"
360
- msgstr "Detalles de su cuenta de Twitter"
361
-
362
- #: wp-to-twitter-manager.php:463
363
- msgid "Your Twitter username:"
364
- msgstr "Su nombre de usuario de Twitter:"
365
-
366
- #: wp-to-twitter-manager.php:467
367
- msgid "Your Twitter password:"
368
- msgstr "Su contraseña de Twitter:"
369
-
370
- #: wp-to-twitter-manager.php:467
371
- msgid "(<em>Saved</em>)"
372
- msgstr "(<em>Guardado</em>)"
373
-
374
- #: wp-to-twitter-manager.php:471
375
- msgid "Save Twitter Login Info"
376
- msgstr "Guardar información de login de Twitter"
377
-
378
- #: wp-to-twitter-manager.php:471
379
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
380
- msgstr "&raquo; <small>¿No tiene cuenta en Twitter? <a href='http://www.twitter.com'>Consiga una aquí, gratis</a>"
381
-
382
- #: wp-to-twitter-manager.php:475
383
- msgid "Your Cli.gs account details"
384
- msgstr "Detalles de su cuenta Cli.gs"
385
-
386
- #: wp-to-twitter-manager.php:482
387
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
388
- msgstr "Su clave Cli.gs <abbr title='application programming interface'>API</abbr>:"
389
-
390
- #: wp-to-twitter-manager.php:488
391
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
392
- msgstr "¿No dispone de cuenta en Cli.gs o una clave API Cligs ? ¡<a href='http://cli.gs/user/api/'>Consiga una gratis aquí</a>!<br /> Necesitará una clave API para asociar los Cligs que cree con su cuenta Cligs."
393
-
394
- #: wp-to-twitter-manager.php:493
395
- msgid "Your Bit.ly account details"
396
- msgstr "Detalles de su cuenta Bit.ly"
397
-
398
- #: wp-to-twitter-manager.php:498
399
- msgid "Your Bit.ly username:"
400
- msgstr "Su nombre de usuario de Bit.ly:"
401
-
402
- #: wp-to-twitter-manager.php:502
403
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
404
- msgstr "Su clave Bit.ly <abbr title='application programming interface'>API</abbr>:"
405
-
406
- #: wp-to-twitter-manager.php:509
407
- msgid "Save Bit.ly API Key"
408
- msgstr "Guardar clave Bit.ly"
409
-
410
- #: wp-to-twitter-manager.php:509
411
- msgid "Clear Bit.ly API Key"
412
- msgstr "Borrar clave Bit.ly"
413
-
414
- #: wp-to-twitter-manager.php:509
415
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
416
- msgstr "Se necesita un usuario y una clave API de Bit.ly para acortar URLs con la API de Bit.ly y WP to Twitter."
417
-
418
- #: wp-to-twitter-manager.php:518
419
- msgid "Check Support"
420
- msgstr "Chequear soporte"
421
-
422
- #: wp-to-twitter-manager.php:518
423
- msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
424
- msgstr "Comprobar si su servidor soporta las peticiones de WP to Twitter a las APIs de Twitter y del acortador de URLs."
425
-
426
- #: wp-to-twitter-manager.php:526
427
- msgid "Need help?"
428
- msgstr "¿Necesita ayuda?"
429
-
430
- #: wp-to-twitter-manager.php:527
431
- msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
432
- msgstr "Visite la <a href='http://www.joedolson.com/articles/wp-to-twitter/'>página del plugin WP to Twitter</a>."
433
-
434
- #: wp-to-twitter.php:691
435
- msgid "Add_new_tag"
436
- msgstr "Añadir_nueva_etiqueta"
437
-
438
- #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
439
- #. Plugin Name of an extension
440
- #: wp-to-twitter.php:713
441
- msgid "WP to Twitter"
442
- msgstr "WP to Twitter"
443
-
444
- #: wp-to-twitter.php:754
445
- msgid "Twitter Post"
446
- msgstr "Post de Twitter"
447
-
448
- #: wp-to-twitter.php:759
449
- msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code> or <code>#blog#</code> to insert the shortened URL, post title, a post excerpt or blog name into the Tweet."
450
- msgstr " caracteres.<br />Las entradas de Twitter son de 140 caracteres como máximo; si su URL Cli.gs se añade al final del documento, tiene 119 caracteres disponibles. Puede usar <code>#url#</code>, <code>#title#</code>, <code>#post#</code> o <code>#blog#</code> para insertar en el Tweet la URL corta, título de entrada, extracto de la entrada o nombre del blog."
451
-
452
- #: wp-to-twitter.php:759
453
- msgid "Make a Donation"
454
- msgstr "Haga una Donación"
455
-
456
- #: wp-to-twitter.php:762
457
- msgid "Don't Tweet this post."
458
- msgstr "No Tweetear esta entrada."
459
-
460
- #: wp-to-twitter.php:811
461
- msgid "WP to Twitter User Settings"
462
- msgstr "Ajustes de usuario de WP to Twitter"
463
-
464
- #: wp-to-twitter.php:815
465
- msgid "Use My Twitter Account"
466
- msgstr "Usar mi cuenta de Twitter"
467
-
468
- #: wp-to-twitter.php:816
469
- msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
470
- msgstr "Seleccione esta opción si quiere que sus entradas se Tweeteen en su propia cuenta de Twitter sin referencias @. "
471
-
472
- #: wp-to-twitter.php:817
473
- msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
474
- msgstr "Tweetear mis entradas en mi cuenta de Twitter con una referencia @ a la cuenta principal de Twitter del blog."
475
-
476
- #: wp-to-twitter.php:818
477
- msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
478
- msgstr "Tweetear mis entradas con la cuenta principal de Twitter del blog, con una referencia @ a mi cuenta personal (no se necesita contraseña para esta opción)."
479
-
480
- #: wp-to-twitter.php:821
481
- msgid "Your Twitter Username"
482
- msgstr "Su nombre de usuario de Twitter"
483
-
484
- #: wp-to-twitter.php:822
485
- msgid "Enter your own Twitter username."
486
- msgstr "Introduzca su nombre de usuario de Twitter"
487
-
488
- #: wp-to-twitter.php:825
489
- msgid "Your Twitter Password"
490
- msgstr "Su contraseña de Twitter"
491
-
492
- #: wp-to-twitter.php:826
493
- msgid "Enter your own Twitter password."
494
- msgstr "Introduzca su contraseña de Twitter"
495
-
496
- #: wp-to-twitter.php:945
497
- msgid "<p>Couldn't locate the settings page.</p>"
498
- msgstr "<p>No he podido encontrar la página de configuración.</p>"
499
-
500
- #: wp-to-twitter.php:950
501
- msgid "Settings"
502
- msgstr "Configuración"
503
-
504
- #. Plugin URI of an extension
505
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
506
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
507
-
508
- #. Description of an extension
509
- msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
510
- msgstr "Actualiza Twitter cuando crea una nueva entrada o añade algo a su Blogroll usando Cli.gs. Con una clave de API de Cli.gs, crea un clig en su cuenta Cli.gs con el nombre de su entrada como título."
511
-
512
- #. Author of an extension
513
- msgid "Joseph Dolson"
514
- msgstr "Joseph Dolson"
515
-
516
- #. Author URI of an extension
517
- msgid "http://www.joedolson.com/"
518
- msgstr "http://www.joedolson.com/"
519
-
1
+ msgid ""
2
+ msgstr ""
3
+ "Project-Id-Version: WP to Twitter\n"
4
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
5
+ "POT-Creation-Date: 2009-09-26 22:40+0000\n"
6
+ "PO-Revision-Date: \n"
7
+ "Last-Translator: David Gil <dgilperez@gmail.com>\n"
8
+ "Language-Team: www.sohelet.com <dgilperez@sohelet.com>\n"
9
+ "MIME-Version: 1.0\n"
10
+ "Content-Type: text/plain; charset=UTF-8\n"
11
+ "Content-Transfer-Encoding: 8bit\n"
12
+ "X-Poedit-Language: Spanish\n"
13
+ "X-Poedit-Country: SPAIN\n"
14
+
15
+ #: functions.php:117
16
+ msgid "Twitter Password Saved"
17
+ msgstr "Contraseña de Twitter guardada"
18
+
19
+ #: functions.php:119
20
+ msgid "Twitter Password Not Saved"
21
+ msgstr "Contraseña de Twitter no guardada"
22
+
23
+ #: functions.php:126
24
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
25
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Esconder</a>] Si tiene problemas, por favor copie esta configuración en cualquier petición de soporte."
26
+
27
+ #: wp-to-twitter-manager.php:60
28
+ msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
29
+ msgstr "¡introduzca su información de acceso a Twitter e información de API del acortador de URLs para usar este plugin!"
30
+
31
+ #: wp-to-twitter-manager.php:66
32
+ msgid "Please add your Twitter password. "
33
+ msgstr "Por favor introduzca su contraseña de Twitter."
34
+
35
+ #: wp-to-twitter-manager.php:72
36
+ msgid "WP to Twitter Errors Cleared"
37
+ msgstr "Errores de WP to Twitter eliminados"
38
+
39
+ #: wp-to-twitter-manager.php:78
40
+ msgid "URL shortener request failed! We couldn't shrink that URL, so we attached the normal URL to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]"
41
+ msgstr "¡El acortador de URLs falló! No pudimos reducir la URL, de modo que hemos adjuntado la URL original al Tweet. Por favor, revise con su proveedor de URL por si el problema está identificado. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]"
42
+
43
+ #: wp-to-twitter-manager.php:82
44
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
45
+ msgstr "Lo siento, no he podido contactar con los servidores de Twitter para notificar su nueva entrada. Su Tweet ha sido almacenado en un campo personalizado adjunto a la entrada, puede Tweetearlo manualmente si quiere."
46
+
47
+ #: wp-to-twitter-manager.php:84
48
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
49
+ msgstr "Lo siento, no he podido contactar con los servidores de Twitter para notificar su nuevo enlace. Tendrá que Tweetearlo manualmente."
50
+
51
+ #: wp-to-twitter-manager.php:137
52
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
53
+ msgstr "Debe introducir su login y clave API de Bit.ly para acortar URLs con Bit.ly."
54
+
55
+ #: wp-to-twitter-manager.php:146
56
+ msgid "WP to Twitter Options Updated"
57
+ msgstr "Opciones de WP to Twitter actualizadas"
58
+
59
+ #: wp-to-twitter-manager.php:156
60
+ msgid "Twitter login and password updated. "
61
+ msgstr "Usuario y contraseña de Twitter actualizados."
62
+
63
+ #: wp-to-twitter-manager.php:158
64
+ msgid "You need to provide your twitter login and password! "
65
+ msgstr "¡Es necesario que introduzca su nombre de usuario y contraseña de Twitter!"
66
+
67
+ #: wp-to-twitter-manager.php:165
68
+ msgid "Cligs API Key Updated"
69
+ msgstr "Cli.gs: clave de API actualizada."
70
+
71
+ #: wp-to-twitter-manager.php:168
72
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
73
+ msgstr "Cli.gs: clave de API eliminada. Los Cli.gs creados por WP to Twitter ya no estarán asociados con su cuenta."
74
+
75
+ #: wp-to-twitter-manager.php:170
76
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
77
+ msgstr "Cli.gs: clave de API no añadida - ¡<a href='http://cli.gs/user/api/'>pinche aquí para conseguir una</a>! "
78
+
79
+ #: wp-to-twitter-manager.php:176
80
+ msgid "Bit.ly API Key Updated."
81
+ msgstr "Bit.ly: clave de API actualizada."
82
+
83
+ #: wp-to-twitter-manager.php:179
84
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
85
+ msgstr "Clave API Bit.ly eliminada. You cannot use the Bit.ly API without an API key. "
86
+
87
+ #: wp-to-twitter-manager.php:181
88
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
89
+ msgstr "Clave de API de Bit.ly no añadida - ¡<a href='http://bit.ly/account/'>consiga una</a>! Se necesita una clave de API para usar el servicio de acortar URLs."
90
+
91
+ #: wp-to-twitter-manager.php:185
92
+ msgid " Bit.ly User Login Updated."
93
+ msgstr "Bit.ly: usuario actualizado."
94
+
95
+ #: wp-to-twitter-manager.php:188
96
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
97
+ msgstr "Nombre de usuario de Bit.ly borrado. No puede usar el servicio Bit.ly sin proporcionar un nombre de usuario."
98
+
99
+ #: wp-to-twitter-manager.php:190
100
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
101
+ msgstr "Nombre de usuario de Bit.ly no añadido - ¡<a href='http://bit.ly/account/'>consiga uno</a>! "
102
+
103
+ #: wp-to-twitter-manager.php:224
104
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
105
+ msgstr "<li>Contacto correcto con Cli.gs API via Snoopy, pero la creación de la URL falló.</li>"
106
+
107
+ #: wp-to-twitter-manager.php:226
108
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
109
+ msgstr "<li>Contacto correcto con Cli.gs API via Snoopy, pero un error en el servidor de Cli.gs impidió el acortamiento de la URL.</li>"
110
+
111
+ #: wp-to-twitter-manager.php:228
112
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy and created a shortened link.</li>"
113
+ msgstr "<li>Contacto correcto con Cli.gs API via Snoopy y creación de URL acortada correcto.</li>"
114
+
115
+ #: wp-to-twitter-manager.php:237
116
+ #: wp-to-twitter-manager.php:262
117
+ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
118
+ msgstr "<li>Contacto correcto con Bit.ly API via Snoopy.</li>"
119
+
120
+ #: wp-to-twitter-manager.php:239
121
+ #: wp-to-twitter-manager.php:264
122
+ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
123
+ msgstr "<li>No he podido contactar con Bit.ly API via Snoopy.</li>"
124
+
125
+ #: wp-to-twitter-manager.php:242
126
+ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
127
+ msgstr "<li>No puedo conectar con Bit.ly API sin una clave API válida.</li>"
128
+
129
+ #: wp-to-twitter-manager.php:246
130
+ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
131
+ msgstr "<li>Contacto correcto con Twitter via Snoopy.</li>"
132
+
133
+ #: wp-to-twitter-manager.php:248
134
+ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
135
+ msgstr "<li>No he podido contactar con la API de Twitter via Snoopy.</li>"
136
+
137
+ #: wp-to-twitter-manager.php:254
138
+ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
139
+ msgstr "<li>Contacto correcto con Twitter via cURL.</li>"
140
+
141
+ #: wp-to-twitter-manager.php:256
142
+ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
143
+ msgstr "<li>No he podido contactar con la API de Twitter via cURL.</li>"
144
+
145
+ #: wp-to-twitter-manager.php:268
146
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
147
+ msgstr "<li>Contacto correcto con la API Cli.gs via Snoopy.</li>"
148
+
149
+ #: wp-to-twitter-manager.php:271
150
+ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
151
+ msgstr "<li>No he podido contactar con la API Cli.gs via Snoopy.</li>"
152
+
153
+ #: wp-to-twitter-manager.php:276
154
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
155
+ msgstr "<li><strong>Su servidor debe parece WP to Twitter correctamente.</strong></li>"
156
+
157
+ #: wp-to-twitter-manager.php:281
158
+ msgid "<li>Your server does not support <code>fputs</code>.</li>"
159
+ msgstr "<li>Su servidor no soporta <code>fputs</code>.</li>"
160
+
161
+ #: wp-to-twitter-manager.php:285
162
+ msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
163
+ msgstr "<li>Su servidor no soporta las funciones <code>file_get_contents</code> o <code>cURL</code>.</li>"
164
+
165
+ #: wp-to-twitter-manager.php:289
166
+ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
167
+ msgstr "<li>Su servidor no soporta <code>Snoopy</code>.</li>"
168
+
169
+ #: wp-to-twitter-manager.php:292
170
+ msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
171
+ msgstr "<li><strong>Su servidor no parece soportar las funciones y clases PHP necesarias para que WP to Twitter funcione correctamente.</strong> Puede intentarlo de todas maneras, pero no hay garantías de que funcione. </li>"
172
+
173
+ #: wp-to-twitter-manager.php:301
174
+ msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
175
+ msgstr "El plugin puede no funcionar completamente en su entorno de servidor. El plugin falló al contactar con ambas APIs del acortador de URLs y del servicio de Twitter."
176
+
177
+ #: wp-to-twitter-manager.php:316
178
+ msgid "WP to Twitter Options"
179
+ msgstr "Opciones de WP to Twitter"
180
+
181
+ #: wp-to-twitter-manager.php:320
182
+ #: wp-to-twitter.php:759
183
+ msgid "Get Support"
184
+ msgstr "Consiga soporte"
185
+
186
+ #: wp-to-twitter-manager.php:321
187
+ msgid "Export Settings"
188
+ msgstr "Exportar configuración"
189
+
190
+ #: wp-to-twitter-manager.php:335
191
+ msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
192
+ msgstr "Para cada campo de actualización de entrada, puede usar los códigos <code>#title#</code> para el título de su entrada, <code>#blog#</code> para el nombre de su blog, <code>#post#</code> para un extracto de su entrada o <code>#url#</code> para la URL de la entrada (acortada o no, dependiendo de sus preferencias). También puede crear códigos personales para acceder a campos personalizados de Wordpress. Use dobles corchetes alrededor del nombre del campo personalizado para añadir su valor a su actualización de status. Ejemplo: <code>[[custom_field]]</code> ."
193
+
194
+ #: wp-to-twitter-manager.php:342
195
+ msgid "One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in the custom meta data for your post, and you can re-Tweet it at your leisure."
196
+ msgstr "La actualización de estado de Twitter falló para una o más de sus últimas entradas. Su Tweet ha sido guardado en los metadatos de su entrada para que lo utilice a su conveniencia."
197
+
198
+ #: wp-to-twitter-manager.php:345
199
+ msgid "The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet."
200
+ msgstr "La consulta a la API del acortador de URLs falló, por lo que la URL no se acortó. Se ha adjuntado la URL original a su Tweet."
201
+
202
+ #: wp-to-twitter-manager.php:357
203
+ msgid "Clear 'WP to Twitter' Error Messages"
204
+ msgstr "Borrar los errores de WP to Twitter"
205
+
206
+ #: wp-to-twitter-manager.php:366
207
+ msgid "Set what should be in a Tweet"
208
+ msgstr "Ajuste la estructura del Tweet"
209
+
210
+ #: wp-to-twitter-manager.php:369
211
+ msgid "Update when a post is published"
212
+ msgstr "Actualizar cuando se publique una entrada"
213
+
214
+ #: wp-to-twitter-manager.php:369
215
+ msgid "Text for new post updates:"
216
+ msgstr "Texto para nuevas entradas:"
217
+
218
+ #: wp-to-twitter-manager.php:374
219
+ msgid "Update when a post is edited"
220
+ msgstr "Actualizar cuando se edite una entrada"
221
+
222
+ #: wp-to-twitter-manager.php:374
223
+ msgid "Text for editing updates:"
224
+ msgstr "Texto para ediciones de entradas:"
225
+
226
+ #: wp-to-twitter-manager.php:378
227
+ msgid "Update Twitter when new Wordpress Pages are published"
228
+ msgstr "Actualizar Twitter cuando se publique una nueva página de Wordpress"
229
+
230
+ #: wp-to-twitter-manager.php:378
231
+ msgid "Text for new page updates:"
232
+ msgstr "Texto para nuevas páginas:"
233
+
234
+ #: wp-to-twitter-manager.php:382
235
+ msgid "Update Twitter when WordPress Pages are edited"
236
+ msgstr "Actualizar Twitter cuando se edite una nueva página de Wordpress"
237
+
238
+ #: wp-to-twitter-manager.php:382
239
+ msgid "Text for page edit updates:"
240
+ msgstr "Texto para ediciones de páginas:"
241
+
242
+ #: wp-to-twitter-manager.php:386
243
+ msgid "Add tags as hashtags on Tweets"
244
+ msgstr "Añadir hashtags a los Tweets"
245
+
246
+ #: wp-to-twitter-manager.php:388
247
+ msgid "Maximum number of tags to include:"
248
+ msgstr "Número máximo de tags a incluir:"
249
+
250
+ #: wp-to-twitter-manager.php:389
251
+ msgid "Maximum length in characters for included tags:"
252
+ msgstr "Máximo número de caracteres para los tags incluidos:"
253
+
254
+ #: wp-to-twitter-manager.php:390
255
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
256
+ msgstr "Estas opciones le permiten restringir el número y longitud de etiquetas (tags) que se envían a Twitter como hashtags. Introduzca <code>0</code> o un valor en blanco para permitir todas las etiquetas."
257
+
258
+ #: wp-to-twitter-manager.php:394
259
+ msgid "Update Twitter when you post a Blogroll link"
260
+ msgstr "Actualice Twitter cuando publique un enlace de Blogroll"
261
+
262
+ #: wp-to-twitter-manager.php:396
263
+ msgid "Text for new link updates:"
264
+ msgstr "Texto para nuevos enlaces:"
265
+
266
+ #: wp-to-twitter-manager.php:396
267
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
268
+ msgstr "Códigos permitidos: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
269
+
270
+ #: wp-to-twitter-manager.php:399
271
+ msgid "Length of post excerpt (in characters):"
272
+ msgstr "Longitud del extracto de entrada (en caracteres):"
273
+
274
+ #: wp-to-twitter-manager.php:399
275
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
276
+ msgstr "Extraido de la entrada misma por defecto. Si usa el campo 'Excerpt' (Extracto), se usará ése a su vez."
277
+
278
+ #: wp-to-twitter-manager.php:403
279
+ msgid "Custom text before Tweets:"
280
+ msgstr "Texto personalizado antes de Tweets:"
281
+
282
+ #: wp-to-twitter-manager.php:404
283
+ msgid "Custom text after Tweets:"
284
+ msgstr "Texto personalizado después de Tweets:"
285
+
286
+ #: wp-to-twitter-manager.php:407
287
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
288
+ msgstr "Campo personalizado para una acortar y Tweetear una URL alternativa:"
289
+
290
+ #: wp-to-twitter-manager.php:408
291
+ msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
292
+ msgstr "Puede usar un campo personalizado para enviar a Cli.gs y Twitter una URL alternativa al permalink de Wordpress. Este valor es el nombre del campo personalizado que usa para añadir la URL externa."
293
+
294
+ #: wp-to-twitter-manager.php:412
295
+ msgid "Special Cases when WordPress should send a Tweet"
296
+ msgstr "Casos especiales en los que Wordpress debe enviar un Tweet"
297
+
298
+ #: wp-to-twitter-manager.php:415
299
+ msgid "Set default Tweet status to 'No.'"
300
+ msgstr "El estado por defecto del Tweet es 'No'"
301
+
302
+ #: wp-to-twitter-manager.php:416
303
+ msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
304
+ msgstr "Las actualizaciones de Twitter se pueden enviar por cada entrada. Por defecto, todas las entradas SÍ se enviarán a Twitter. Marque esta casilla para cambiar este ajuste a NO."
305
+
306
+ #: wp-to-twitter-manager.php:420
307
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
308
+ msgstr "Enviar las actualizaciones de Twitter en publicación remota (Post by Email o cliente XMLRPC)"
309
+
310
+ #: wp-to-twitter-manager.php:424
311
+ msgid "Update Twitter when a post is published using QuickPress"
312
+ msgstr "Actualizar Twitter cuando se publique una entrada utilizando QuickPress"
313
+
314
+ #: wp-to-twitter-manager.php:428
315
+ msgid "Special Fields"
316
+ msgstr "Campos especiales"
317
+
318
+ #: wp-to-twitter-manager.php:431
319
+ msgid "Use Google Analytics with WP-to-Twitter"
320
+ msgstr "Usar Google Analytics con WP-to-Twitter"
321
+
322
+ #: wp-to-twitter-manager.php:432
323
+ msgid "Campaign identifier for Google Analytics:"
324
+ msgstr "Identificador de campaña de Google Analytics:"
325
+
326
+ #: wp-to-twitter-manager.php:433
327
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
328
+ msgstr "Puede seguir la respuesta de Twitter mediante Google Analytics si define un identificador de campaña aquí."
329
+
330
+ #: wp-to-twitter-manager.php:438
331
+ msgid "Authors have individual Twitter accounts"
332
+ msgstr "Los autores tienen cuentas de Twitter individuales"
333
+
334
+ #: wp-to-twitter-manager.php:438
335
+ msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
336
+ msgstr "Cada autor puede elegir su cuenta de Twitter personal en su perfil de usuario. Sus entradas se notificarán a sus propias cuentas de Twitter."
337
+
338
+ #: wp-to-twitter-manager.php:442
339
+ msgid "Set your preferred URL Shortener"
340
+ msgstr "Elija su acortador de URLs preferido"
341
+
342
+ #: wp-to-twitter-manager.php:445
343
+ msgid "Use <strong>Cli.gs</strong> for my URL shortener."
344
+ msgstr "Usar <strong>Cli.gs</strong> como acortador de URLs."
345
+
346
+ #: wp-to-twitter-manager.php:445
347
+ msgid "Use <strong>Bit.ly</strong> for my URL shortener."
348
+ msgstr "Usar <strong>Bit.ly</strong> como acortador de URLs."
349
+
350
+ #: wp-to-twitter-manager.php:445
351
+ msgid "Don't shorten URLs."
352
+ msgstr "No acortar URLs."
353
+
354
+ #: wp-to-twitter-manager.php:450
355
+ msgid "Save WP->Twitter Options"
356
+ msgstr "Guardar configuración WP->Twitter "
357
+
358
+ #: wp-to-twitter-manager.php:456
359
+ msgid "Your Twitter account details"
360
+ msgstr "Detalles de su cuenta de Twitter"
361
+
362
+ #: wp-to-twitter-manager.php:463
363
+ msgid "Your Twitter username:"
364
+ msgstr "Su nombre de usuario de Twitter:"
365
+
366
+ #: wp-to-twitter-manager.php:467
367
+ msgid "Your Twitter password:"
368
+ msgstr "Su contraseña de Twitter:"
369
+
370
+ #: wp-to-twitter-manager.php:467
371
+ msgid "(<em>Saved</em>)"
372
+ msgstr "(<em>Guardado</em>)"
373
+
374
+ #: wp-to-twitter-manager.php:471
375
+ msgid "Save Twitter Login Info"
376
+ msgstr "Guardar información de login de Twitter"
377
+
378
+ #: wp-to-twitter-manager.php:471
379
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
380
+ msgstr "&raquo; <small>¿No tiene cuenta en Twitter? <a href='http://www.twitter.com'>Consiga una aquí, gratis</a>"
381
+
382
+ #: wp-to-twitter-manager.php:475
383
+ msgid "Your Cli.gs account details"
384
+ msgstr "Detalles de su cuenta Cli.gs"
385
+
386
+ #: wp-to-twitter-manager.php:482
387
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
388
+ msgstr "Su clave Cli.gs <abbr title='application programming interface'>API</abbr>:"
389
+
390
+ #: wp-to-twitter-manager.php:488
391
+ msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
392
+ msgstr "¿No dispone de cuenta en Cli.gs o una clave API Cligs ? ¡<a href='http://cli.gs/user/api/'>Consiga una gratis aquí</a>!<br /> Necesitará una clave API para asociar los Cligs que cree con su cuenta Cligs."
393
+
394
+ #: wp-to-twitter-manager.php:493
395
+ msgid "Your Bit.ly account details"
396
+ msgstr "Detalles de su cuenta Bit.ly"
397
+
398
+ #: wp-to-twitter-manager.php:498
399
+ msgid "Your Bit.ly username:"
400
+ msgstr "Su nombre de usuario de Bit.ly:"
401
+
402
+ #: wp-to-twitter-manager.php:502
403
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
404
+ msgstr "Su clave Bit.ly <abbr title='application programming interface'>API</abbr>:"
405
+
406
+ #: wp-to-twitter-manager.php:509
407
+ msgid "Save Bit.ly API Key"
408
+ msgstr "Guardar clave Bit.ly"
409
+
410
+ #: wp-to-twitter-manager.php:509
411
+ msgid "Clear Bit.ly API Key"
412
+ msgstr "Borrar clave Bit.ly"
413
+
414
+ #: wp-to-twitter-manager.php:509
415
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
416
+ msgstr "Se necesita un usuario y una clave API de Bit.ly para acortar URLs con la API de Bit.ly y WP to Twitter."
417
+
418
+ #: wp-to-twitter-manager.php:518
419
+ msgid "Check Support"
420
+ msgstr "Chequear soporte"
421
+
422
+ #: wp-to-twitter-manager.php:518
423
+ msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
424
+ msgstr "Comprobar si su servidor soporta las peticiones de WP to Twitter a las APIs de Twitter y del acortador de URLs."
425
+
426
+ #: wp-to-twitter-manager.php:526
427
+ msgid "Need help?"
428
+ msgstr "¿Necesita ayuda?"
429
+
430
+ #: wp-to-twitter-manager.php:527
431
+ msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
432
+ msgstr "Visite la <a href='http://www.joedolson.com/articles/wp-to-twitter/'>página del plugin WP to Twitter</a>."
433
+
434
+ #: wp-to-twitter.php:691
435
+ msgid "Add_new_tag"
436
+ msgstr "Añadir_nueva_etiqueta"
437
+
438
+ #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
439
+ #. Plugin Name of an extension
440
+ #: wp-to-twitter.php:713
441
+ msgid "WP to Twitter"
442
+ msgstr "WP to Twitter"
443
+
444
+ #: wp-to-twitter.php:754
445
+ msgid "Twitter Post"
446
+ msgstr "Post de Twitter"
447
+
448
+ #: wp-to-twitter.php:759
449
+ msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code> or <code>#blog#</code> to insert the shortened URL, post title, a post excerpt or blog name into the Tweet."
450
+ msgstr " caracteres.<br />Las entradas de Twitter son de 140 caracteres como máximo; si su URL Cli.gs se añade al final del documento, tiene 119 caracteres disponibles. Puede usar <code>#url#</code>, <code>#title#</code>, <code>#post#</code> o <code>#blog#</code> para insertar en el Tweet la URL corta, título de entrada, extracto de la entrada o nombre del blog."
451
+
452
+ #: wp-to-twitter.php:759
453
+ msgid "Make a Donation"
454
+ msgstr "Haga una Donación"
455
+
456
+ #: wp-to-twitter.php:762
457
+ msgid "Don't Tweet this post."
458
+ msgstr "No Tweetear esta entrada."
459
+
460
+ #: wp-to-twitter.php:811
461
+ msgid "WP to Twitter User Settings"
462
+ msgstr "Ajustes de usuario de WP to Twitter"
463
+
464
+ #: wp-to-twitter.php:815
465
+ msgid "Use My Twitter Account"
466
+ msgstr "Usar mi cuenta de Twitter"
467
+
468
+ #: wp-to-twitter.php:816
469
+ msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
470
+ msgstr "Seleccione esta opción si quiere que sus entradas se Tweeteen en su propia cuenta de Twitter sin referencias @. "
471
+
472
+ #: wp-to-twitter.php:817
473
+ msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
474
+ msgstr "Tweetear mis entradas en mi cuenta de Twitter con una referencia @ a la cuenta principal de Twitter del blog."
475
+
476
+ #: wp-to-twitter.php:818
477
+ msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
478
+ msgstr "Tweetear mis entradas con la cuenta principal de Twitter del blog, con una referencia @ a mi cuenta personal (no se necesita contraseña para esta opción)."
479
+
480
+ #: wp-to-twitter.php:821
481
+ msgid "Your Twitter Username"
482
+ msgstr "Su nombre de usuario de Twitter"
483
+
484
+ #: wp-to-twitter.php:822
485
+ msgid "Enter your own Twitter username."
486
+ msgstr "Introduzca su nombre de usuario de Twitter"
487
+
488
+ #: wp-to-twitter.php:825
489
+ msgid "Your Twitter Password"
490
+ msgstr "Su contraseña de Twitter"
491
+
492
+ #: wp-to-twitter.php:826
493
+ msgid "Enter your own Twitter password."
494
+ msgstr "Introduzca su contraseña de Twitter"
495
+
496
+ #: wp-to-twitter.php:945
497
+ msgid "<p>Couldn't locate the settings page.</p>"
498
+ msgstr "<p>No he podido encontrar la página de configuración.</p>"
499
+
500
+ #: wp-to-twitter.php:950
501
+ msgid "Settings"
502
+ msgstr "Configuración"
503
+
504
+ #. Plugin URI of an extension
505
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
506
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
507
+
508
+ #. Description of an extension
509
+ msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
510
+ msgstr "Actualiza Twitter cuando crea una nueva entrada o añade algo a su Blogroll usando Cli.gs. Con una clave de API de Cli.gs, crea un clig en su cuenta Cli.gs con el nombre de su entrada como título."
511
+
512
+ #. Author of an extension
513
+ msgid "Joseph Dolson"
514
+ msgstr "Joseph Dolson"
515
+
516
+ #. Author URI of an extension
517
+ msgid "http://www.joedolson.com/"
518
+ msgstr "http://www.joedolson.com/"
519
+
wp-to-twitter-et_ET.po CHANGED
@@ -1,759 +1,759 @@
1
- # Translation of the WordPress plugin WP to Twitter 2.1.1 by Joseph Dolson.
2
- # Copyright (C) 2010 Joseph Dolson
3
- # This file is distributed under the same license as the WP to Twitter package.
4
- # FIRST AUTHOR <EMAIL@ADDRESS>, 2010.
5
- #
6
- msgid ""
7
- msgstr ""
8
- "Project-Id-Version: WP to Twitter 2.1.1\n"
9
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
- "POT-Creation-Date: 2010-05-13 21:26+0000\n"
11
- "PO-Revision-Date: 2010-07-06 21:01-0600\n"
12
- "Last-Translator: Raivo Ratsep\n"
13
- "Language-Team: Raivo Ratsep <raivo.ratsep@gmail.com>\n"
14
- "MIME-Version: 1.0\n"
15
- "Content-Type: text/plain; charset=UTF-8\n"
16
- "Content-Transfer-Encoding: 8bit\n"
17
- "X-Poedit-Language: Estonian\n"
18
- "X-Poedit-Country: ESTONIA\n"
19
- "Plural-Forms: nplurals=2; plural=n != 1;\n"
20
-
21
- #: functions.php:248
22
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
23
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Peida</a>] Kui sul on probleeme, kopeeri need seaded tehnilise toe abipalvesse."
24
-
25
- #: wp-to-twitter-manager.php:76
26
- msgid "Please <a href='#twitterpw'>add your Twitter password</a>. "
27
- msgstr "Palun <a href='#twitterpw'>lisa oma Twitter'i salasõna</a>. "
28
-
29
- #: wp-to-twitter-manager.php:82
30
- msgid "WP to Twitter Errors Cleared"
31
- msgstr "WP to Twitter Parandatud Vead"
32
-
33
- #: wp-to-twitter-manager.php:93
34
- msgid "Twitter API settings reset. You may need to change your username and password settings, if they are not the same as the alternate service previously in use."
35
- msgstr "Twitter API seaded nullida. Teil võib tekkida vajadus muuta oma kasutajanime ja parooli seadeid, kui nad ei ole samad, mis varem kasutusel olnud asendusteenuses ."
36
-
37
- #: wp-to-twitter-manager.php:103
38
- msgid "Twitter-compatible API settings updated. "
39
- msgstr "Twitteriga ühilduva API seaded uuendatud."
40
-
41
- #: wp-to-twitter-manager.php:105
42
- msgid "You have configured WP to Twitter to use both Twitter and your selected service. Remember to add your username and login information for both services."
43
- msgstr "Sa oled konfigureerinud WP to Twitter kasutama nii Twitter'it kui sinu valitud teenust. Ära unusta lisamast oma kasutajanime ja sisselogimise informatsiooni mõlema teenuse jaoks."
44
-
45
- #: wp-to-twitter-manager.php:114
46
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
47
- msgstr "Vabanda! Ma ei saanud ühendust Twitter serveriga, et postitada su uut blogi sissekannet. Su Säuts (tweet) on salvestatud postituse juures asuvasse kohandatud välja nii, et saad seda säutsu käsitsi säutsuda (Tweetida), kui soovid!"
48
-
49
- #: wp-to-twitter-manager.php:116
50
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
51
- msgstr "Vabandust! Ei saanud postitada su <strong>uut linki</strong>, sest ei saanud ühendust Twitteri serveritega. Pead selle vist kahjuks käsitsi postitama."
52
-
53
- #: wp-to-twitter-manager.php:145
54
- msgid "WP to Twitter Advanced Options Updated"
55
- msgstr "WP to Twitter Täiendavad võimalused uuendatud."
56
-
57
- #: wp-to-twitter-manager.php:162
58
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
59
- msgstr "Peate lisama oma Bit.ly login'i ja API salasõna, et lühendada URL'e Bit.ly.'ga."
60
-
61
- #: wp-to-twitter-manager.php:166
62
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
63
- msgstr "Peate lisama oma YOURLS'i serveri URL'i, kasutajatunnuse ja salasõna, et URL'e lühendada YOURLS'i kauginstallatsiooniga."
64
-
65
- #: wp-to-twitter-manager.php:170
66
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
67
- msgstr "Peate lisama oma YOURLS serveriaadressi, et URL'e lühendada YOURLS'i kauginstallatsiooniga / et lühendada YOURLS'i kauginstallatsiooniga URL'e."
68
-
69
- #: wp-to-twitter-manager.php:174
70
- msgid "WP to Twitter Options Updated"
71
- msgstr "WP to Twitter valikud uuendatud"
72
-
73
- #: wp-to-twitter-manager.php:184
74
- msgid "Category limits updated."
75
- msgstr "Kategooriapiirangud uuendatud."
76
-
77
- #: wp-to-twitter-manager.php:188
78
- msgid "Category limits unset."
79
- msgstr "Kategooriapiirangud pole määratud."
80
-
81
- #: wp-to-twitter-manager.php:209
82
- msgid "Twitter login and password updated. "
83
- msgstr "Twitteri kasutajanimi ja salasõna uuendatud."
84
-
85
- #: wp-to-twitter-manager.php:211
86
- msgid "You need to provide your Twitter login and password! "
87
- msgstr "Pead kasutama oma Twitteri kasutajanime ja salasõna!"
88
-
89
- #: wp-to-twitter-manager.php:218
90
- msgid "YOURLS password updated. "
91
- msgstr "YOURLS salasõna uuendatud."
92
-
93
- #: wp-to-twitter-manager.php:221
94
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
95
- msgstr "YOURLS kasutajatunnus kustutatud. Sa ei saa kasutada Bit.ly API't ilma oma kasutajatunnuseta."
96
-
97
- #: wp-to-twitter-manager.php:223
98
- msgid "Failed to save your YOURLS password! "
99
- msgstr "Ei õnnestunud salvestada sinu YOURLS salasõna!"
100
-
101
- #: wp-to-twitter-manager.php:227
102
- msgid "YOURLS username added. "
103
- msgstr "YOURLS kasutajanimi lisatud."
104
-
105
- #: wp-to-twitter-manager.php:231
106
- msgid "YOURLS API url added. "
107
- msgstr "YOURLS API URL lisatud."
108
-
109
- #: wp-to-twitter-manager.php:236
110
- msgid "YOURLS local server path added. "
111
- msgstr "YOURLS kohaliku serveri viide lisatud."
112
-
113
- #: wp-to-twitter-manager.php:238
114
- msgid "The path to your YOURLS installation is not correct. "
115
- msgstr "viide sy YOURLS installatsioonifailidele pole korrektne."
116
-
117
- #: wp-to-twitter-manager.php:243
118
- msgid "YOURLS will use Post ID for short URL slug."
119
- msgstr "YOURLS kasutab postituse ID'd lühikese URL'i juhuslikult genereeritud märgendi (URL slug) jaoks. "
120
-
121
- #: wp-to-twitter-manager.php:246
122
- msgid "YOURLS will not use Post ID for the short URL slug."
123
- msgstr "YOURLS ei kasuta postituse ID'd lühikese URL'i juhuslikult genereeritud märgendi (URL slug) jaoks. "
124
-
125
- #: wp-to-twitter-manager.php:253
126
- msgid "Cligs API Key Updated"
127
- msgstr "Cligs API kood uuendatud"
128
-
129
- #: wp-to-twitter-manager.php:256
130
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
131
- msgstr "Cligs API kood kustutatud. WP to Twitter'i poolt loodud Cli.gs ei ole enam sinu kontoga seotud. "
132
-
133
- #: wp-to-twitter-manager.php:258
134
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
135
- msgstr "Cligs API koodi pole lisatud - <a href='http://cli.gs/user/api/'> saad selle siit</a>! "
136
-
137
- #: wp-to-twitter-manager.php:264
138
- msgid "Bit.ly API Key Updated."
139
- msgstr "Bit.ly API kood uuendatud."
140
-
141
- #: wp-to-twitter-manager.php:267
142
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
143
- msgstr "Bit.ly API kood kustutatud. Sa ei saa Bit.ly API't kasutada ilma API koodita."
144
-
145
- #: wp-to-twitter-manager.php:269
146
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
147
- msgstr "Bit.ly API koodi pole lisatud - <a href='http://bit.ly/account/'> saad selle siit </a>! Bit.ly URL'i lühendamise teenuseks on vaja API koodi."
148
-
149
- #: wp-to-twitter-manager.php:273
150
- msgid " Bit.ly User Login Updated."
151
- msgstr "Bit.ly kasutajatunnus uuendatud."
152
-
153
- #: wp-to-twitter-manager.php:276
154
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
155
- msgstr "Bit.ly kasutajatunnus kustutatud. Sa ei saa kasutada Bit.ly API't ilma oma kasutajatunnuseta."
156
-
157
- #: wp-to-twitter-manager.php:278
158
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
159
- msgstr "Bit.ly kasutajatunnust pole lisatud - <a href='http://bit.ly/account/'> saad selle siit</a>! "
160
-
161
- #: wp-to-twitter-manager.php:372
162
- msgid "<li><strong>Your selected URL shortener does not require testing.</strong></li>"
163
- msgstr "<li><strong>Sinu poolt valitud URL lühendaja ei vaja testimist.</strong></li>"
164
-
165
- #: wp-to-twitter-manager.php:375
166
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
167
- msgstr "<li class=\"error\"><strong>WP to Twitter ei saavutanud ühenduslt sinu poolt valitud URL lühendusteenusega.</strong></li>"
168
-
169
- #: wp-to-twitter-manager.php:379
170
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
171
- msgstr "<li><strong>WP to Twitter saavutas edukalt ühenduse sinu poolt valitud URL lühendusteenusega.</strong> Järgnev link peaks viitama sinu blogi kodulehele:"
172
-
173
- #: wp-to-twitter-manager.php:390
174
- msgid "<li><strong>WP to Twitter successfully submitted a status update to your primary update service.</strong></li>"
175
- msgstr "<li><strong> WP to Twitter saatis edukalt staatuse värskenduse su peamisele uuendusteenusele.</strong></li>"
176
-
177
- #: wp-to-twitter-manager.php:393
178
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to your primary update service.</strong></li>"
179
- msgstr "<li class=\"error\"><strong>WP to Twitter WP to Twitter ei suutnud saata värskendust su peamisele uuendusteenusele.</strong></li>"
180
-
181
- #: wp-to-twitter-manager.php:394
182
- msgid "Twitter returned this error:"
183
- msgstr "Twitter saatis sellise veateate:"
184
-
185
- #: wp-to-twitter-manager.php:398
186
- msgid "<li class=\"error\"><strong>WP to Twitter failed to contact your primary update service.</strong></li>"
187
- msgstr "<li class=\"error\"><strong>WP to Twitter WP to Twitter ei suutnud saada ühendust su peamise uuendusteenusega.</strong></li>"
188
-
189
- #: wp-to-twitter-manager.php:399
190
- msgid "No error was returned."
191
- msgstr "Veateateid ei edastatud."
192
-
193
- #: wp-to-twitter-manager.php:406
194
- msgid "<li><strong>WP to Twitter successfully submitted a status update to your secondary update service.</strong></li>"
195
- msgstr "<li><strong>WP to Twitter saatis staatuse värskenduse edukalt su sekundaarsele uuendusteenusele.</strong></li>"
196
-
197
- #: wp-to-twitter-manager.php:409
198
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to your secondary update service.</strong></li>"
199
- msgstr "<li class=\"error\"><strong>WP to Twitter ei suutnud saata värskendust su sekundaarsele uuendusteenusele.</strong></li>"
200
-
201
- #: wp-to-twitter-manager.php:410
202
- msgid "The service returned this error:"
203
- msgstr "Teenus edastas järgmise veateate:"
204
-
205
- #: wp-to-twitter-manager.php:417
206
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
207
- msgstr "<li><strong>Sinu server peaks WP to Twitter'it edukalt jooksutama.</strong></li>"
208
-
209
- #: wp-to-twitter-manager.php:420
210
- msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
211
- msgstr "<li class=\"error\"><strong>Tundub, et sinu server ei toeta meetodeid, mis on vajalikud WP to Twitteri töötamiseks .</strong> Võid seda siiski proovida - kasutusele olevad testid ei ole täiuslikud.</li>"
212
-
213
- #: wp-to-twitter-manager.php:430
214
- msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
215
- msgstr "See plugin ei pruugi sinu serveri keskkonnas täielikult töötada. Plugin ei saanud ühendust URL'i lühendava API'ga ega Twitteri API teenusega."
216
-
217
- #: wp-to-twitter-manager.php:444
218
- msgid "WP to Twitter Options"
219
- msgstr "WP to Twitter Valikud"
220
-
221
- #: wp-to-twitter-manager.php:452
222
- #: wp-to-twitter.php:925
223
- msgid "Get Support"
224
- msgstr "Abi"
225
-
226
- #: wp-to-twitter-manager.php:453
227
- msgid "Export Settings"
228
- msgstr "Ekspordi seaded"
229
-
230
- #: wp-to-twitter-manager.php:454
231
- #: wp-to-twitter.php:925
232
- msgid "Make a Donation"
233
- msgstr "Tee annetus"
234
-
235
- #: wp-to-twitter-manager.php:469
236
- msgid "Shortcodes available in post update templates:"
237
- msgstr "Lühendkoodid on saadaval uuendusjärgsetes mallides"
238
-
239
- #: wp-to-twitter-manager.php:471
240
- msgid "<code>#title#</code>: the title of your blog post"
241
- msgstr "<code>#title#</code>: Blogipostituse pealkiri"
242
-
243
- #: wp-to-twitter-manager.php:472
244
- msgid "<code>#blog#</code>: the title of your blog"
245
- msgstr "<code>#blog#</code>: Blogi nimi või pealkiri"
246
-
247
- #: wp-to-twitter-manager.php:473
248
- msgid "<code>#post#</code>: a short excerpt of the post content"
249
- msgstr "<code>#post#</code>: lühike väljavõte postituse sisust"
250
-
251
- #: wp-to-twitter-manager.php:474
252
- msgid "<code>#category#</code>: the first selected category for the post"
253
- msgstr "<code>#category#</code>: postituse sisu esimene valitud kategooria"
254
-
255
- #: wp-to-twitter-manager.php:475
256
- msgid "<code>#date#</code>: the post date"
257
- msgstr "<code>#date#</code>: postituse kuupäev"
258
-
259
- #: wp-to-twitter-manager.php:476
260
- msgid "<code>#url#</code>: the post URL"
261
- msgstr "<code>#url#</code>: postituse URL"
262
-
263
- #: wp-to-twitter-manager.php:477
264
- msgid "<code>#author#</code>: the post author'"
265
- msgstr "<code>#author#</code>: postituse autor'"
266
-
267
- #: wp-to-twitter-manager.php:479
268
- msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
269
- msgstr "Võite luua ka kohandatud lühendkoode, et kasutada WordPressi kohandatud välju. Oma staatuse värskendusele kohandatud välja väärtuse lisamiseks kasuta oma kohandatud välja ümber kahekordseid kandilisi sulge. Näide: <code>[[custom_field]]</code></p>"
270
-
271
- #: wp-to-twitter-manager.php:484
272
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
273
- msgstr "<p> Üks või rohkem sinu viimastest postitustest ei suutnud staatuse värskendamist Twitterile saata. Sinu Säuts on salvestatud postituse kohandatud väljadele ning võite seda soovi korral uuesti Säutsuda. </p>"
274
-
275
- #: wp-to-twitter-manager.php:487
276
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
277
- msgstr "<p> Päring URL'i lühendava API suhtes ebaõnnestus ning sinu URL'i ei lühendatud. Sinu Säutsule lisati täispikkuses URL. Kontrolli, kas sinu URL'ide lühendamisteenuse pakkujal esineb levinud probleeme. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
278
-
279
- #: wp-to-twitter-manager.php:494
280
- msgid "Clear 'WP to Twitter' Error Messages"
281
- msgstr "Puhasta 'WP to Twitter' veateated"
282
-
283
- #: wp-to-twitter-manager.php:507
284
- msgid "Basic Settings"
285
- msgstr "Põhiseaded"
286
-
287
- #: wp-to-twitter-manager.php:513
288
- msgid "Tweet Templates"
289
- msgstr "Säutsumallid"
290
-
291
- #: wp-to-twitter-manager.php:516
292
- msgid "Update when a post is published"
293
- msgstr "Uuenda, kui tehakse uus postitus"
294
-
295
- #: wp-to-twitter-manager.php:516
296
- msgid "Text for new post updates:"
297
- msgstr "Tekst uute postituste jaoks:"
298
-
299
- #: wp-to-twitter-manager.php:521
300
- msgid "Update when a post is edited"
301
- msgstr "Uuenda, kui postitust muudetakse"
302
-
303
- #: wp-to-twitter-manager.php:521
304
- msgid "Text for editing updates:"
305
- msgstr "Tekst postituste muutmise jaoks:"
306
-
307
- #: wp-to-twitter-manager.php:525
308
- msgid "Update Twitter when new Wordpress Pages are published"
309
- msgstr "Värskenda Twitterit pärast uute Wordpressi lehekülgede avaldamist"
310
-
311
- #: wp-to-twitter-manager.php:525
312
- msgid "Text for new page updates:"
313
- msgstr "Värske lehe uuenduse tekst:"
314
-
315
- #: wp-to-twitter-manager.php:529
316
- msgid "Update Twitter when WordPress Pages are edited"
317
- msgstr "Värskenda Twitterit, kui muudetakse WordPressi lehekülgi"
318
-
319
- #: wp-to-twitter-manager.php:529
320
- msgid "Text for page edit updates:"
321
- msgstr "Lehekülje muudatuste tekst:"
322
-
323
- #: wp-to-twitter-manager.php:533
324
- msgid "Update Twitter when you post a Blogroll link"
325
- msgstr "Värskenda Twitterit, kui postitad Blogrolli lingi"
326
-
327
- #: wp-to-twitter-manager.php:534
328
- msgid "Text for new link updates:"
329
- msgstr "Tekst uute lingivärskenduste jaoks:"
330
-
331
- #: wp-to-twitter-manager.php:534
332
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
333
- msgstr "Olemasolevad lühikoodid: <code>#url#</code>, <code>#title#</code>, ja <code>#description#</code>."
334
-
335
- #: wp-to-twitter-manager.php:538
336
- msgid "Choose your short URL service (account settings below)"
337
- msgstr "Vali oma lühikese URL'i teenus (kontoseaded all)"
338
-
339
- #: wp-to-twitter-manager.php:541
340
- msgid "Use Cli.gs for my URL shortener."
341
- msgstr "Kasuta Cli.gs'i oma URL'ide lühendajana."
342
-
343
- #: wp-to-twitter-manager.php:542
344
- msgid "Use Bit.ly for my URL shortener."
345
- msgstr "Kasuta Bit.ly'd oma URL'ide lühendajana."
346
-
347
- #: wp-to-twitter-manager.php:543
348
- msgid "YOURLS (installed on this server)"
349
- msgstr "YOURLS (installeeritud sellesse serverisse)"
350
-
351
- #: wp-to-twitter-manager.php:544
352
- msgid "YOURLS (installed on a remote server)"
353
- msgstr "YOURLS (installeeritud kaugserverisse)"
354
-
355
- #: wp-to-twitter-manager.php:545
356
- msgid "Use WordPress as a URL shortener."
357
- msgstr "Kasuta WordPressi URL'ide lühendajana."
358
-
359
- #: wp-to-twitter-manager.php:546
360
- msgid "Don't shorten URLs."
361
- msgstr "Ära lühenda URL'e."
362
-
363
- #: wp-to-twitter-manager.php:548
364
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
365
- msgstr "Kasutades URL'ide lühendamiseks WordPressi saadad URL'i Twitterisse, kasutades Wordpressi vaikevalikuga määratud URL formaati: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics'it ei saa kasutada, kui kasutate WordPressi poolt lühendatud URL'e."
366
-
367
- #: wp-to-twitter-manager.php:554
368
- msgid "Save WP->Twitter Options"
369
- msgstr "Salvesta WP->Twitter seaded"
370
-
371
- #: wp-to-twitter-manager.php:580
372
- #: wp-to-twitter-manager.php:599
373
- msgid "(<em>Saved</em>)"
374
- msgstr "(<em>Salvestatud</em>)"
375
-
376
- #: wp-to-twitter-manager.php:584
377
- #: wp-to-twitter-manager.php:603
378
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
379
- msgstr "&raquo; <small> Sul puudubTwitter'i konto? <a href='http://www.twitter.com'> Siit saad selle tasuta</a>"
380
-
381
- #: wp-to-twitter-manager.php:590
382
- msgid "Your Twitter account details"
383
- msgstr "Sinu Twitteri konto detailid"
384
-
385
- #: wp-to-twitter-manager.php:591
386
- msgid "These are your settings for Twitter as a second update service."
387
- msgstr "Need on sinu seaded Twitterile kui sekundaarsele uuendusteenusele."
388
-
389
- #: wp-to-twitter-manager.php:595
390
- msgid "Your Twitter username:"
391
- msgstr "Sinu Twitteri kasutajanimi:"
392
-
393
- #: wp-to-twitter-manager.php:599
394
- msgid "Your Twitter password:"
395
- msgstr "Sinu Twitteri salasõna:"
396
-
397
- #: wp-to-twitter-manager.php:603
398
- msgid "Save Twitter Login Info"
399
- msgstr "Salvesta Twitteri login-info"
400
-
401
- #: wp-to-twitter-manager.php:609
402
- msgid "Your Cli.gs account details"
403
- msgstr "Sinu Cli.gs konto detailid"
404
-
405
- #: wp-to-twitter-manager.php:614
406
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
407
- msgstr "Sinu Cli.gs <abbr title='application programming interface'>API</abbr> kood:"
408
-
409
- #: wp-to-twitter-manager.php:620
410
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
411
- msgstr "Sul puudub Cli.gs konto või Cligs API kood? <a href='http://cli.gs/user/api/'>Siit saad selle tasuta! </a>!<br /> Vajate API koodi, et seostada oma Cligs postitusi oma Cligs kontoga."
412
-
413
- #: wp-to-twitter-manager.php:626
414
- msgid "Your Bit.ly account details"
415
- msgstr "Teie Bit.ly konto detailid:"
416
-
417
- #: wp-to-twitter-manager.php:631
418
- msgid "Your Bit.ly username:"
419
- msgstr "Sinu Bit.ly kasutajanimi:"
420
-
421
- #: wp-to-twitter-manager.php:635
422
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
423
- msgstr "Sinu Bit.ly <abbr title='application programming interface'>API</abbr> kood:"
424
-
425
- #: wp-to-twitter-manager.php:642
426
- msgid "Save Bit.ly API Key"
427
- msgstr "Salvesta Bit.ly API kood"
428
-
429
- #: wp-to-twitter-manager.php:642
430
- msgid "Clear Bit.ly API Key"
431
- msgstr "Puhasta Bit.ly API kood"
432
-
433
- #: wp-to-twitter-manager.php:642
434
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
435
- msgstr " Bit.ly API ja WP to Twitter abil URL'ide lühendamiseks on vaja Bit.ly API koodi ja kasutajanime."
436
-
437
- #: wp-to-twitter-manager.php:647
438
- msgid "Your YOURLS account details"
439
- msgstr "Sinu YOURLS konto detailid"
440
-
441
- #: wp-to-twitter-manager.php:651
442
- msgid "Path to the YOURLS config file (Local installations)"
443
- msgstr "Viide YOURLS konfiguratsioonifailile (kohalikud installatsioonid)"
444
-
445
- #: wp-to-twitter-manager.php:652
446
- #: wp-to-twitter-manager.php:656
447
- msgid "Example:"
448
- msgstr "Näide:"
449
-
450
- #: wp-to-twitter-manager.php:655
451
- msgid "URI to the YOURLS API (Remote installations)"
452
- msgstr "YOURLS API (kauginstallatsioon) URI"
453
-
454
- #: wp-to-twitter-manager.php:659
455
- msgid "Your YOURLS username:"
456
- msgstr "Sinu YOURLS kasutajanimi:"
457
-
458
- #: wp-to-twitter-manager.php:663
459
- msgid "Your YOURLS password:"
460
- msgstr "Sinu YOURLS salasõna:"
461
-
462
- #: wp-to-twitter-manager.php:663
463
- msgid "<em>Saved</em>"
464
- msgstr "<em>Salvestatud</em>"
465
-
466
- #: wp-to-twitter-manager.php:667
467
- msgid "Use Post ID for YOURLS url slug."
468
- msgstr "Kasuta postituse ID'd YOURLS URL'i juhuslikult genereeritud märgendite (URL slug) jaoks. "
469
-
470
- #: wp-to-twitter-manager.php:672
471
- msgid "Save YOURLS Account Info"
472
- msgstr "Salvesta YOURLS kontoinfo"
473
-
474
- #: wp-to-twitter-manager.php:672
475
- msgid "Clear YOURLS password"
476
- msgstr "Nulli YOURLS salasõna"
477
-
478
- #: wp-to-twitter-manager.php:672
479
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
480
- msgstr "URL'ide lühendaimseks kaug-YOURLS API ja WP to Twitter'i abil on vaja YOURLS salasõna ja kasutajanime."
481
-
482
- #: wp-to-twitter-manager.php:677
483
- msgid "Change Twitter-compatible Service"
484
- msgstr "Muuda Twitteriga ühilduvat teenust"
485
-
486
- #: wp-to-twitter-manager.php:681
487
- msgid "URI for Twitter-compatible Post Status API"
488
- msgstr "Twitteriga ühilduva postituse staatuse API URI "
489
-
490
- #: wp-to-twitter-manager.php:685
491
- msgid "Service Name"
492
- msgstr "Teenuse nimi"
493
-
494
- #: wp-to-twitter-manager.php:689
495
- msgid "Status Update Character Limit"
496
- msgstr "Staatuse värskenduse tähemärkide limiit"
497
-
498
- #: wp-to-twitter-manager.php:693
499
- msgid "Post status updates to both services."
500
- msgstr "Postita staatusevärskendus mõlemasse teenusesse."
501
-
502
- #: wp-to-twitter-manager.php:696
503
- msgid "Reset to normal Twitter settings"
504
- msgstr "Taasta Twitteri algseaded"
505
-
506
- #: wp-to-twitter-manager.php:699
507
- msgid "Update Twitter Compatible Service"
508
- msgstr "Uuenda Twitteriga ühilduvat teenust:"
509
-
510
- #: wp-to-twitter-manager.php:699
511
- msgid "&raquo; <small>You can use any service using the Twitter-compatible REST API returning data in JSON format with this plugin. Twitter-compatible services include <a href='http://identi.ca'>Identi.ca</a>, <a href='http://shoutem.com'>Shoutem.com</a> and <a href='http://chirup.com'>Chirup.com</a>. <strong>No support will be provided for services other than Twitter.</strong>"
512
- msgstr "&raquo; <small>Selle pluginiga võite kasutada ükskõik millist teenust, mis kasutab Twitteriga ühilduvat REST API't, mis tagastab andmeid JSON formaadis. Twitteriga ühilduvate teeunste hulka kuuluvad <a href='http://identi.ca'>Identi.ca</a>, <a href='http://shoutem.com'>Shoutem.com</a> ja <a href='http://chirup.com'>Chirup.com</a>. <strong> Tuge pakutakse ainult Twitteri teenustele.</strong>"
513
-
514
- #: wp-to-twitter-manager.php:716
515
- msgid "Advanced Settings"
516
- msgstr "Täpsemad seaded"
517
-
518
- #: wp-to-twitter-manager.php:723
519
- msgid "Advanced Tweet settings"
520
- msgstr "Täpsemad Säutsuseaded"
521
-
522
- #: wp-to-twitter-manager.php:726
523
- msgid "Add tags as hashtags on Tweets"
524
- msgstr "Lisa Säutsudele märgendeid räsidena (hashtag)."
525
-
526
- #: wp-to-twitter-manager.php:727
527
- msgid "Spaces replaced with:"
528
- msgstr "Tühikud asendatatakse sellega:"
529
-
530
- #: wp-to-twitter-manager.php:728
531
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
532
- msgstr "Asendamiseks on vaikevalikuna kasutusel alakriips (<code>_</code>). Kasuta <code>[ ]</code> tühikute täielikuks eemaldamiseks."
533
-
534
- #: wp-to-twitter-manager.php:731
535
- msgid "Maximum number of tags to include:"
536
- msgstr "Maksimaalne kaasatavate märgendite arv:"
537
-
538
- #: wp-to-twitter-manager.php:732
539
- msgid "Maximum length in characters for included tags:"
540
- msgstr "Kaasatavate märgendite maksimumpikkus tähemärkides:"
541
-
542
- #: wp-to-twitter-manager.php:733
543
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
544
- msgstr "Need valikud võimaldavad sul piirata pikkust ja arvu WordPressi märgenditel, mis on Twitterisse saadetud räsidena (hashtag). Määra <code>0</code> või jäta tühjaks, et lubada kõiki ja igasuguseid märgendeid."
545
-
546
- #: wp-to-twitter-manager.php:736
547
- msgid "Length of post excerpt (in characters):"
548
- msgstr "Postituse väljavõtte pikkus tähemärkides:"
549
-
550
- #: wp-to-twitter-manager.php:736
551
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
552
- msgstr "Vaikeseadete järgi postitusest välja võetud. Seda kasutatakse siis, kui kasutate 'Excerpt'-välja."
553
-
554
- #: wp-to-twitter-manager.php:739
555
- msgid "WP to Twitter Date Formatting:"
556
- msgstr "WP to Twitter vormindamine:"
557
-
558
- #: wp-to-twitter-manager.php:740
559
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
560
- msgstr "Vaikeseaded lähtuvad sinu üldseadetest. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
561
-
562
- #: wp-to-twitter-manager.php:744
563
- msgid "Custom text before all Tweets:"
564
- msgstr "Kohandatud tekst enne kõiki Säutse:"
565
-
566
- #: wp-to-twitter-manager.php:745
567
- msgid "Custom text after all Tweets:"
568
- msgstr "Kohandatud tekst kõigile Säutsudele:"
569
-
570
- #: wp-to-twitter-manager.php:748
571
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
572
- msgstr "Kohandatud väli lühendatavale ja Säutsutavale alternatiivsele URL'ile:"
573
-
574
- #: wp-to-twitter-manager.php:749
575
- msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
576
- msgstr "Võite kasutada kohandatud välja, et oma postitusse saata alternatiivne URL. Väärtuseks on kohandatud välja nimi, mis sisaldab serveri URL'i."
577
-
578
- #: wp-to-twitter-manager.php:753
579
- msgid "Special Cases when WordPress should send a Tweet"
580
- msgstr "Erijuhtumid, mille puhul Wordpress peaks saatma Säutsu."
581
-
582
- #: wp-to-twitter-manager.php:756
583
- msgid "Do not post status updates by default"
584
- msgstr "Staatuse värskenduste postitamine on vaikseaseadena väljalülitatud."
585
-
586
- #: wp-to-twitter-manager.php:757
587
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
588
- msgstr "Vaikeseadena postitatakse Twitterisse kõik postitused, mis vastavad teistele nõuetele. Märgi see valik oma seadistuse muutmiseks."
589
-
590
- #: wp-to-twitter-manager.php:761
591
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
592
- msgstr "Saada Twitteri värskendused kaug-avaldamisega (postita e-mailiga või XMLRPC kliendiga)"
593
-
594
- #: wp-to-twitter-manager.php:765
595
- msgid "Update Twitter when a post is published using QuickPress"
596
- msgstr "Värskenda Twitterit, kui tehakse postitus kasutades QuickPress'i"
597
-
598
- #: wp-to-twitter-manager.php:769
599
- msgid "Google Analytics Settings"
600
- msgstr "Google Analytics'i seaded"
601
-
602
- #: wp-to-twitter-manager.php:770
603
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
604
- msgstr "Saate järgida Twitteri vastukaja, kasutades Google Analytics'it, ning defineerides siin kampaania identifikaatori. Võite kasutada staatilist või dünaamilist identifikaatorit. Staatilised identifikaatorid ei muutu erinevate postituste puhul kuid dünaamilised identifikaatorid tuletatakse iga posti suhtes relevantsest informatsioonist. Dünaamilised identifikaatorid võimaldavad sul statistikat lisamuutujate abil täpsustada."
605
-
606
- #: wp-to-twitter-manager.php:774
607
- msgid "Use a Static Identifier with WP-to-Twitter"
608
- msgstr "Kasuta staatilist identifikaatorit koos WP-to-Twitter'iga."
609
-
610
- #: wp-to-twitter-manager.php:775
611
- msgid "Static Campaign identifier for Google Analytics:"
612
- msgstr "Staatiline kampaania identifikaator Google Analytics'i jaoks"
613
-
614
- #: wp-to-twitter-manager.php:779
615
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
616
- msgstr "Kasuta Google Analytics'i ja WP-to-Twitter'iga dünaamilist identifikaatorit. "
617
-
618
- #: wp-to-twitter-manager.php:780
619
- msgid "What dynamic identifier would you like to use?"
620
- msgstr "Millist dünaamilist identifikaatorit soovid kasutada?"
621
-
622
- #: wp-to-twitter-manager.php:782
623
- msgid "Category"
624
- msgstr "Kategooria"
625
-
626
- #: wp-to-twitter-manager.php:783
627
- msgid "Post ID"
628
- msgstr "Postituse ID"
629
-
630
- #: wp-to-twitter-manager.php:784
631
- msgid "Post Title"
632
- msgstr "Postituse pealkiri"
633
-
634
- #: wp-to-twitter-manager.php:785
635
- msgid "Author"
636
- msgstr "Autor"
637
-
638
- #: wp-to-twitter-manager.php:790
639
- msgid "Individual Authors"
640
- msgstr "Autorid"
641
-
642
- #: wp-to-twitter-manager.php:793
643
- msgid "Authors have individual Twitter accounts"
644
- msgstr "Autoritel on oma Twitteri kontod"
645
-
646
- #: wp-to-twitter-manager.php:793
647
- msgid "Authors can set their own Twitter username and password in their user profile."
648
- msgstr "Autorid saavad oma Twitteri kasutajanime ja salasõna oma kasutajaprofiilist ise määrata."
649
-
650
- #: wp-to-twitter-manager.php:797
651
- msgid "Disable Error Messages"
652
- msgstr "Keela veateated"
653
-
654
- #: wp-to-twitter-manager.php:800
655
- msgid "Disable global URL shortener error messages."
656
- msgstr "Lülita välja globaalse URL lühendaja veateated."
657
-
658
- #: wp-to-twitter-manager.php:804
659
- msgid "Disable global Twitter API error messages."
660
- msgstr "Lülita välja globaalsed Twitter API veateated."
661
-
662
- #: wp-to-twitter-manager.php:810
663
- msgid "Save Advanced WP->Twitter Options"
664
- msgstr "Salvesta täiendavad WP->Twitter seaded"
665
-
666
- #: wp-to-twitter-manager.php:824
667
- msgid "Limit Updating Categories"
668
- msgstr "Piira Värskendamise Kategooriaid"
669
-
670
- #: wp-to-twitter-manager.php:828
671
- msgid "Select which blog categories will be Tweeted. "
672
- msgstr "Määra, milliseid blogikategooriaid tahad Säutsuda."
673
-
674
- #: wp-to-twitter-manager.php:831
675
- msgid "<em>Category limits are disabled.</em>"
676
- msgstr "<em>Kategooriapiirangud on välja lülitatud.</em>"
677
-
678
- #: wp-to-twitter-manager.php:845
679
- msgid "Check Support"
680
- msgstr "Kontrolli toe olemasolu"
681
-
682
- #: wp-to-twitter-manager.php:845
683
- msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
684
- msgstr "Kontrolli, kas server toetab <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter'i</a> päringuid Twitterile ja URL'e lühendavaid API'sid. See test saadab staatuse värskenduse Twitterile ja lühendab URL'e, kasutades sinu valitud meetodeid."
685
-
686
- #. #-#-#-#-# plugin.pot (WP to Twitter 2.1.1) #-#-#-#-#
687
- #. Plugin Name of the plugin/theme
688
- #: wp-to-twitter.php:853
689
- msgid "WP to Twitter"
690
- msgstr "WP to Twitter"
691
-
692
- #: wp-to-twitter.php:928
693
- msgid "Don't Tweet this post."
694
- msgstr "Ära Säutsu seda postitust"
695
-
696
- #: wp-to-twitter.php:938
697
- msgid "This URL is direct and has not been shortened: "
698
- msgstr "See URL on otsene ning seda pole lühendatud:"
699
-
700
- #: wp-to-twitter.php:990
701
- #: wp-to-twitter.php:1009
702
- msgid "WP to Twitter User Settings"
703
- msgstr "WP to Twitter kasutajaseaded"
704
-
705
- #: wp-to-twitter.php:1001
706
- #: wp-to-twitter.php:1014
707
- msgid "Enter your own Twitter username."
708
- msgstr "Sisestage oma Twitteri kasutajanimi"
709
-
710
- #: wp-to-twitter.php:1005
711
- #: wp-to-twitter.php:1018
712
- msgid "Enter your own Twitter password."
713
- msgstr "Sisestage oma Twitteri salasõna"
714
-
715
- #: wp-to-twitter.php:1005
716
- #: wp-to-twitter.php:1018
717
- msgid "<em>Password saved</em>"
718
- msgstr "<em>Salasõna salvestatud</em>"
719
-
720
- #: wp-to-twitter.php:1013
721
- msgid "Your Twitter Username"
722
- msgstr "Sinu Twitteri kasutajanimi"
723
-
724
- #: wp-to-twitter.php:1017
725
- msgid "Your Twitter Password"
726
- msgstr "Sinu Twitteri salasõna"
727
-
728
- #: wp-to-twitter.php:1061
729
- msgid "Check the categories you want to tweet:"
730
- msgstr "Märgi ära kategooriad, mille teemal tahad Säutsuda:"
731
-
732
- #: wp-to-twitter.php:1078
733
- msgid "Set Categories"
734
- msgstr "Määra kategooriad"
735
-
736
- #: wp-to-twitter.php:1147
737
- msgid "<p>Couldn't locate the settings page.</p>"
738
- msgstr "<p> Ei leidnud sätete lehekülge </p>"
739
-
740
- #: wp-to-twitter.php:1152
741
- msgid "Settings"
742
- msgstr "Seaded"
743
-
744
- #. Plugin URI of the plugin/theme
745
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
746
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
747
-
748
- #. Description of the plugin/theme
749
- msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
750
- msgstr "Värskendab Twitterit, kui teete uue blogipostituse või lisate midagi oma blogrollile, kasutades Cli.gs.'i. CLi.gs API koodiga saate luua clig'i oma Cli.gs kontole nii, et selle pealkirjaks on teie postituse pealkiri."
751
-
752
- #. Author of the plugin/theme
753
- msgid "Joseph Dolson"
754
- msgstr "Joseph Dolson"
755
-
756
- #. Author URI of the plugin/theme
757
- msgid "http://www.joedolson.com/"
758
- msgstr "http://www.joedolson.com/"
759
-
1
+ # Translation of the WordPress plugin WP to Twitter 2.1.1 by Joseph Dolson.
2
+ # Copyright (C) 2010 Joseph Dolson
3
+ # This file is distributed under the same license as the WP to Twitter package.
4
+ # FIRST AUTHOR <EMAIL@ADDRESS>, 2010.
5
+ #
6
+ msgid ""
7
+ msgstr ""
8
+ "Project-Id-Version: WP to Twitter 2.1.1\n"
9
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
+ "POT-Creation-Date: 2010-05-13 21:26+0000\n"
11
+ "PO-Revision-Date: 2010-07-06 21:01-0600\n"
12
+ "Last-Translator: Raivo Ratsep\n"
13
+ "Language-Team: Raivo Ratsep <raivo.ratsep@gmail.com>\n"
14
+ "MIME-Version: 1.0\n"
15
+ "Content-Type: text/plain; charset=UTF-8\n"
16
+ "Content-Transfer-Encoding: 8bit\n"
17
+ "X-Poedit-Language: Estonian\n"
18
+ "X-Poedit-Country: ESTONIA\n"
19
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
20
+
21
+ #: functions.php:248
22
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
23
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Peida</a>] Kui sul on probleeme, kopeeri need seaded tehnilise toe abipalvesse."
24
+
25
+ #: wp-to-twitter-manager.php:76
26
+ msgid "Please <a href='#twitterpw'>add your Twitter password</a>. "
27
+ msgstr "Palun <a href='#twitterpw'>lisa oma Twitter'i salasõna</a>. "
28
+
29
+ #: wp-to-twitter-manager.php:82
30
+ msgid "WP to Twitter Errors Cleared"
31
+ msgstr "WP to Twitter Parandatud Vead"
32
+
33
+ #: wp-to-twitter-manager.php:93
34
+ msgid "Twitter API settings reset. You may need to change your username and password settings, if they are not the same as the alternate service previously in use."
35
+ msgstr "Twitter API seaded nullida. Teil võib tekkida vajadus muuta oma kasutajanime ja parooli seadeid, kui nad ei ole samad, mis varem kasutusel olnud asendusteenuses ."
36
+
37
+ #: wp-to-twitter-manager.php:103
38
+ msgid "Twitter-compatible API settings updated. "
39
+ msgstr "Twitteriga ühilduva API seaded uuendatud."
40
+
41
+ #: wp-to-twitter-manager.php:105
42
+ msgid "You have configured WP to Twitter to use both Twitter and your selected service. Remember to add your username and login information for both services."
43
+ msgstr "Sa oled konfigureerinud WP to Twitter kasutama nii Twitter'it kui sinu valitud teenust. Ära unusta lisamast oma kasutajanime ja sisselogimise informatsiooni mõlema teenuse jaoks."
44
+
45
+ #: wp-to-twitter-manager.php:114
46
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
47
+ msgstr "Vabanda! Ma ei saanud ühendust Twitter serveriga, et postitada su uut blogi sissekannet. Su Säuts (tweet) on salvestatud postituse juures asuvasse kohandatud välja nii, et saad seda säutsu käsitsi säutsuda (Tweetida), kui soovid!"
48
+
49
+ #: wp-to-twitter-manager.php:116
50
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
51
+ msgstr "Vabandust! Ei saanud postitada su <strong>uut linki</strong>, sest ei saanud ühendust Twitteri serveritega. Pead selle vist kahjuks käsitsi postitama."
52
+
53
+ #: wp-to-twitter-manager.php:145
54
+ msgid "WP to Twitter Advanced Options Updated"
55
+ msgstr "WP to Twitter Täiendavad võimalused uuendatud."
56
+
57
+ #: wp-to-twitter-manager.php:162
58
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
59
+ msgstr "Peate lisama oma Bit.ly login'i ja API salasõna, et lühendada URL'e Bit.ly.'ga."
60
+
61
+ #: wp-to-twitter-manager.php:166
62
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
63
+ msgstr "Peate lisama oma YOURLS'i serveri URL'i, kasutajatunnuse ja salasõna, et URL'e lühendada YOURLS'i kauginstallatsiooniga."
64
+
65
+ #: wp-to-twitter-manager.php:170
66
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
67
+ msgstr "Peate lisama oma YOURLS serveriaadressi, et URL'e lühendada YOURLS'i kauginstallatsiooniga / et lühendada YOURLS'i kauginstallatsiooniga URL'e."
68
+
69
+ #: wp-to-twitter-manager.php:174
70
+ msgid "WP to Twitter Options Updated"
71
+ msgstr "WP to Twitter valikud uuendatud"
72
+
73
+ #: wp-to-twitter-manager.php:184
74
+ msgid "Category limits updated."
75
+ msgstr "Kategooriapiirangud uuendatud."
76
+
77
+ #: wp-to-twitter-manager.php:188
78
+ msgid "Category limits unset."
79
+ msgstr "Kategooriapiirangud pole määratud."
80
+
81
+ #: wp-to-twitter-manager.php:209
82
+ msgid "Twitter login and password updated. "
83
+ msgstr "Twitteri kasutajanimi ja salasõna uuendatud."
84
+
85
+ #: wp-to-twitter-manager.php:211
86
+ msgid "You need to provide your Twitter login and password! "
87
+ msgstr "Pead kasutama oma Twitteri kasutajanime ja salasõna!"
88
+
89
+ #: wp-to-twitter-manager.php:218
90
+ msgid "YOURLS password updated. "
91
+ msgstr "YOURLS salasõna uuendatud."
92
+
93
+ #: wp-to-twitter-manager.php:221
94
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
95
+ msgstr "YOURLS kasutajatunnus kustutatud. Sa ei saa kasutada Bit.ly API't ilma oma kasutajatunnuseta."
96
+
97
+ #: wp-to-twitter-manager.php:223
98
+ msgid "Failed to save your YOURLS password! "
99
+ msgstr "Ei õnnestunud salvestada sinu YOURLS salasõna!"
100
+
101
+ #: wp-to-twitter-manager.php:227
102
+ msgid "YOURLS username added. "
103
+ msgstr "YOURLS kasutajanimi lisatud."
104
+
105
+ #: wp-to-twitter-manager.php:231
106
+ msgid "YOURLS API url added. "
107
+ msgstr "YOURLS API URL lisatud."
108
+
109
+ #: wp-to-twitter-manager.php:236
110
+ msgid "YOURLS local server path added. "
111
+ msgstr "YOURLS kohaliku serveri viide lisatud."
112
+
113
+ #: wp-to-twitter-manager.php:238
114
+ msgid "The path to your YOURLS installation is not correct. "
115
+ msgstr "viide sy YOURLS installatsioonifailidele pole korrektne."
116
+
117
+ #: wp-to-twitter-manager.php:243
118
+ msgid "YOURLS will use Post ID for short URL slug."
119
+ msgstr "YOURLS kasutab postituse ID'd lühikese URL'i juhuslikult genereeritud märgendi (URL slug) jaoks. "
120
+
121
+ #: wp-to-twitter-manager.php:246
122
+ msgid "YOURLS will not use Post ID for the short URL slug."
123
+ msgstr "YOURLS ei kasuta postituse ID'd lühikese URL'i juhuslikult genereeritud märgendi (URL slug) jaoks. "
124
+
125
+ #: wp-to-twitter-manager.php:253
126
+ msgid "Cligs API Key Updated"
127
+ msgstr "Cligs API kood uuendatud"
128
+
129
+ #: wp-to-twitter-manager.php:256
130
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
131
+ msgstr "Cligs API kood kustutatud. WP to Twitter'i poolt loodud Cli.gs ei ole enam sinu kontoga seotud. "
132
+
133
+ #: wp-to-twitter-manager.php:258
134
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
135
+ msgstr "Cligs API koodi pole lisatud - <a href='http://cli.gs/user/api/'> saad selle siit</a>! "
136
+
137
+ #: wp-to-twitter-manager.php:264
138
+ msgid "Bit.ly API Key Updated."
139
+ msgstr "Bit.ly API kood uuendatud."
140
+
141
+ #: wp-to-twitter-manager.php:267
142
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
143
+ msgstr "Bit.ly API kood kustutatud. Sa ei saa Bit.ly API't kasutada ilma API koodita."
144
+
145
+ #: wp-to-twitter-manager.php:269
146
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
147
+ msgstr "Bit.ly API koodi pole lisatud - <a href='http://bit.ly/account/'> saad selle siit </a>! Bit.ly URL'i lühendamise teenuseks on vaja API koodi."
148
+
149
+ #: wp-to-twitter-manager.php:273
150
+ msgid " Bit.ly User Login Updated."
151
+ msgstr "Bit.ly kasutajatunnus uuendatud."
152
+
153
+ #: wp-to-twitter-manager.php:276
154
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
155
+ msgstr "Bit.ly kasutajatunnus kustutatud. Sa ei saa kasutada Bit.ly API't ilma oma kasutajatunnuseta."
156
+
157
+ #: wp-to-twitter-manager.php:278
158
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
159
+ msgstr "Bit.ly kasutajatunnust pole lisatud - <a href='http://bit.ly/account/'> saad selle siit</a>! "
160
+
161
+ #: wp-to-twitter-manager.php:372
162
+ msgid "<li><strong>Your selected URL shortener does not require testing.</strong></li>"
163
+ msgstr "<li><strong>Sinu poolt valitud URL lühendaja ei vaja testimist.</strong></li>"
164
+
165
+ #: wp-to-twitter-manager.php:375
166
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
167
+ msgstr "<li class=\"error\"><strong>WP to Twitter ei saavutanud ühenduslt sinu poolt valitud URL lühendusteenusega.</strong></li>"
168
+
169
+ #: wp-to-twitter-manager.php:379
170
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
171
+ msgstr "<li><strong>WP to Twitter saavutas edukalt ühenduse sinu poolt valitud URL lühendusteenusega.</strong> Järgnev link peaks viitama sinu blogi kodulehele:"
172
+
173
+ #: wp-to-twitter-manager.php:390
174
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to your primary update service.</strong></li>"
175
+ msgstr "<li><strong> WP to Twitter saatis edukalt staatuse värskenduse su peamisele uuendusteenusele.</strong></li>"
176
+
177
+ #: wp-to-twitter-manager.php:393
178
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to your primary update service.</strong></li>"
179
+ msgstr "<li class=\"error\"><strong>WP to Twitter WP to Twitter ei suutnud saata värskendust su peamisele uuendusteenusele.</strong></li>"
180
+
181
+ #: wp-to-twitter-manager.php:394
182
+ msgid "Twitter returned this error:"
183
+ msgstr "Twitter saatis sellise veateate:"
184
+
185
+ #: wp-to-twitter-manager.php:398
186
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to contact your primary update service.</strong></li>"
187
+ msgstr "<li class=\"error\"><strong>WP to Twitter WP to Twitter ei suutnud saada ühendust su peamise uuendusteenusega.</strong></li>"
188
+
189
+ #: wp-to-twitter-manager.php:399
190
+ msgid "No error was returned."
191
+ msgstr "Veateateid ei edastatud."
192
+
193
+ #: wp-to-twitter-manager.php:406
194
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to your secondary update service.</strong></li>"
195
+ msgstr "<li><strong>WP to Twitter saatis staatuse värskenduse edukalt su sekundaarsele uuendusteenusele.</strong></li>"
196
+
197
+ #: wp-to-twitter-manager.php:409
198
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to your secondary update service.</strong></li>"
199
+ msgstr "<li class=\"error\"><strong>WP to Twitter ei suutnud saata värskendust su sekundaarsele uuendusteenusele.</strong></li>"
200
+
201
+ #: wp-to-twitter-manager.php:410
202
+ msgid "The service returned this error:"
203
+ msgstr "Teenus edastas järgmise veateate:"
204
+
205
+ #: wp-to-twitter-manager.php:417
206
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
207
+ msgstr "<li><strong>Sinu server peaks WP to Twitter'it edukalt jooksutama.</strong></li>"
208
+
209
+ #: wp-to-twitter-manager.php:420
210
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
211
+ msgstr "<li class=\"error\"><strong>Tundub, et sinu server ei toeta meetodeid, mis on vajalikud WP to Twitteri töötamiseks .</strong> Võid seda siiski proovida - kasutusele olevad testid ei ole täiuslikud.</li>"
212
+
213
+ #: wp-to-twitter-manager.php:430
214
+ msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
215
+ msgstr "See plugin ei pruugi sinu serveri keskkonnas täielikult töötada. Plugin ei saanud ühendust URL'i lühendava API'ga ega Twitteri API teenusega."
216
+
217
+ #: wp-to-twitter-manager.php:444
218
+ msgid "WP to Twitter Options"
219
+ msgstr "WP to Twitter Valikud"
220
+
221
+ #: wp-to-twitter-manager.php:452
222
+ #: wp-to-twitter.php:925
223
+ msgid "Get Support"
224
+ msgstr "Abi"
225
+
226
+ #: wp-to-twitter-manager.php:453
227
+ msgid "Export Settings"
228
+ msgstr "Ekspordi seaded"
229
+
230
+ #: wp-to-twitter-manager.php:454
231
+ #: wp-to-twitter.php:925
232
+ msgid "Make a Donation"
233
+ msgstr "Tee annetus"
234
+
235
+ #: wp-to-twitter-manager.php:469
236
+ msgid "Shortcodes available in post update templates:"
237
+ msgstr "Lühendkoodid on saadaval uuendusjärgsetes mallides"
238
+
239
+ #: wp-to-twitter-manager.php:471
240
+ msgid "<code>#title#</code>: the title of your blog post"
241
+ msgstr "<code>#title#</code>: Blogipostituse pealkiri"
242
+
243
+ #: wp-to-twitter-manager.php:472
244
+ msgid "<code>#blog#</code>: the title of your blog"
245
+ msgstr "<code>#blog#</code>: Blogi nimi või pealkiri"
246
+
247
+ #: wp-to-twitter-manager.php:473
248
+ msgid "<code>#post#</code>: a short excerpt of the post content"
249
+ msgstr "<code>#post#</code>: lühike väljavõte postituse sisust"
250
+
251
+ #: wp-to-twitter-manager.php:474
252
+ msgid "<code>#category#</code>: the first selected category for the post"
253
+ msgstr "<code>#category#</code>: postituse sisu esimene valitud kategooria"
254
+
255
+ #: wp-to-twitter-manager.php:475
256
+ msgid "<code>#date#</code>: the post date"
257
+ msgstr "<code>#date#</code>: postituse kuupäev"
258
+
259
+ #: wp-to-twitter-manager.php:476
260
+ msgid "<code>#url#</code>: the post URL"
261
+ msgstr "<code>#url#</code>: postituse URL"
262
+
263
+ #: wp-to-twitter-manager.php:477
264
+ msgid "<code>#author#</code>: the post author'"
265
+ msgstr "<code>#author#</code>: postituse autor'"
266
+
267
+ #: wp-to-twitter-manager.php:479
268
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
269
+ msgstr "Võite luua ka kohandatud lühendkoode, et kasutada WordPressi kohandatud välju. Oma staatuse värskendusele kohandatud välja väärtuse lisamiseks kasuta oma kohandatud välja ümber kahekordseid kandilisi sulge. Näide: <code>[[custom_field]]</code></p>"
270
+
271
+ #: wp-to-twitter-manager.php:484
272
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
273
+ msgstr "<p> Üks või rohkem sinu viimastest postitustest ei suutnud staatuse värskendamist Twitterile saata. Sinu Säuts on salvestatud postituse kohandatud väljadele ning võite seda soovi korral uuesti Säutsuda. </p>"
274
+
275
+ #: wp-to-twitter-manager.php:487
276
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
277
+ msgstr "<p> Päring URL'i lühendava API suhtes ebaõnnestus ning sinu URL'i ei lühendatud. Sinu Säutsule lisati täispikkuses URL. Kontrolli, kas sinu URL'ide lühendamisteenuse pakkujal esineb levinud probleeme. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
278
+
279
+ #: wp-to-twitter-manager.php:494
280
+ msgid "Clear 'WP to Twitter' Error Messages"
281
+ msgstr "Puhasta 'WP to Twitter' veateated"
282
+
283
+ #: wp-to-twitter-manager.php:507
284
+ msgid "Basic Settings"
285
+ msgstr "Põhiseaded"
286
+
287
+ #: wp-to-twitter-manager.php:513
288
+ msgid "Tweet Templates"
289
+ msgstr "Säutsumallid"
290
+
291
+ #: wp-to-twitter-manager.php:516
292
+ msgid "Update when a post is published"
293
+ msgstr "Uuenda, kui tehakse uus postitus"
294
+
295
+ #: wp-to-twitter-manager.php:516
296
+ msgid "Text for new post updates:"
297
+ msgstr "Tekst uute postituste jaoks:"
298
+
299
+ #: wp-to-twitter-manager.php:521
300
+ msgid "Update when a post is edited"
301
+ msgstr "Uuenda, kui postitust muudetakse"
302
+
303
+ #: wp-to-twitter-manager.php:521
304
+ msgid "Text for editing updates:"
305
+ msgstr "Tekst postituste muutmise jaoks:"
306
+
307
+ #: wp-to-twitter-manager.php:525
308
+ msgid "Update Twitter when new Wordpress Pages are published"
309
+ msgstr "Värskenda Twitterit pärast uute Wordpressi lehekülgede avaldamist"
310
+
311
+ #: wp-to-twitter-manager.php:525
312
+ msgid "Text for new page updates:"
313
+ msgstr "Värske lehe uuenduse tekst:"
314
+
315
+ #: wp-to-twitter-manager.php:529
316
+ msgid "Update Twitter when WordPress Pages are edited"
317
+ msgstr "Värskenda Twitterit, kui muudetakse WordPressi lehekülgi"
318
+
319
+ #: wp-to-twitter-manager.php:529
320
+ msgid "Text for page edit updates:"
321
+ msgstr "Lehekülje muudatuste tekst:"
322
+
323
+ #: wp-to-twitter-manager.php:533
324
+ msgid "Update Twitter when you post a Blogroll link"
325
+ msgstr "Värskenda Twitterit, kui postitad Blogrolli lingi"
326
+
327
+ #: wp-to-twitter-manager.php:534
328
+ msgid "Text for new link updates:"
329
+ msgstr "Tekst uute lingivärskenduste jaoks:"
330
+
331
+ #: wp-to-twitter-manager.php:534
332
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
333
+ msgstr "Olemasolevad lühikoodid: <code>#url#</code>, <code>#title#</code>, ja <code>#description#</code>."
334
+
335
+ #: wp-to-twitter-manager.php:538
336
+ msgid "Choose your short URL service (account settings below)"
337
+ msgstr "Vali oma lühikese URL'i teenus (kontoseaded all)"
338
+
339
+ #: wp-to-twitter-manager.php:541
340
+ msgid "Use Cli.gs for my URL shortener."
341
+ msgstr "Kasuta Cli.gs'i oma URL'ide lühendajana."
342
+
343
+ #: wp-to-twitter-manager.php:542
344
+ msgid "Use Bit.ly for my URL shortener."
345
+ msgstr "Kasuta Bit.ly'd oma URL'ide lühendajana."
346
+
347
+ #: wp-to-twitter-manager.php:543
348
+ msgid "YOURLS (installed on this server)"
349
+ msgstr "YOURLS (installeeritud sellesse serverisse)"
350
+
351
+ #: wp-to-twitter-manager.php:544
352
+ msgid "YOURLS (installed on a remote server)"
353
+ msgstr "YOURLS (installeeritud kaugserverisse)"
354
+
355
+ #: wp-to-twitter-manager.php:545
356
+ msgid "Use WordPress as a URL shortener."
357
+ msgstr "Kasuta WordPressi URL'ide lühendajana."
358
+
359
+ #: wp-to-twitter-manager.php:546
360
+ msgid "Don't shorten URLs."
361
+ msgstr "Ära lühenda URL'e."
362
+
363
+ #: wp-to-twitter-manager.php:548
364
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
365
+ msgstr "Kasutades URL'ide lühendamiseks WordPressi saadad URL'i Twitterisse, kasutades Wordpressi vaikevalikuga määratud URL formaati: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics'it ei saa kasutada, kui kasutate WordPressi poolt lühendatud URL'e."
366
+
367
+ #: wp-to-twitter-manager.php:554
368
+ msgid "Save WP->Twitter Options"
369
+ msgstr "Salvesta WP->Twitter seaded"
370
+
371
+ #: wp-to-twitter-manager.php:580
372
+ #: wp-to-twitter-manager.php:599
373
+ msgid "(<em>Saved</em>)"
374
+ msgstr "(<em>Salvestatud</em>)"
375
+
376
+ #: wp-to-twitter-manager.php:584
377
+ #: wp-to-twitter-manager.php:603
378
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
379
+ msgstr "&raquo; <small> Sul puudubTwitter'i konto? <a href='http://www.twitter.com'> Siit saad selle tasuta</a>"
380
+
381
+ #: wp-to-twitter-manager.php:590
382
+ msgid "Your Twitter account details"
383
+ msgstr "Sinu Twitteri konto detailid"
384
+
385
+ #: wp-to-twitter-manager.php:591
386
+ msgid "These are your settings for Twitter as a second update service."
387
+ msgstr "Need on sinu seaded Twitterile kui sekundaarsele uuendusteenusele."
388
+
389
+ #: wp-to-twitter-manager.php:595
390
+ msgid "Your Twitter username:"
391
+ msgstr "Sinu Twitteri kasutajanimi:"
392
+
393
+ #: wp-to-twitter-manager.php:599
394
+ msgid "Your Twitter password:"
395
+ msgstr "Sinu Twitteri salasõna:"
396
+
397
+ #: wp-to-twitter-manager.php:603
398
+ msgid "Save Twitter Login Info"
399
+ msgstr "Salvesta Twitteri login-info"
400
+
401
+ #: wp-to-twitter-manager.php:609
402
+ msgid "Your Cli.gs account details"
403
+ msgstr "Sinu Cli.gs konto detailid"
404
+
405
+ #: wp-to-twitter-manager.php:614
406
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
407
+ msgstr "Sinu Cli.gs <abbr title='application programming interface'>API</abbr> kood:"
408
+
409
+ #: wp-to-twitter-manager.php:620
410
+ msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
411
+ msgstr "Sul puudub Cli.gs konto või Cligs API kood? <a href='http://cli.gs/user/api/'>Siit saad selle tasuta! </a>!<br /> Vajate API koodi, et seostada oma Cligs postitusi oma Cligs kontoga."
412
+
413
+ #: wp-to-twitter-manager.php:626
414
+ msgid "Your Bit.ly account details"
415
+ msgstr "Teie Bit.ly konto detailid:"
416
+
417
+ #: wp-to-twitter-manager.php:631
418
+ msgid "Your Bit.ly username:"
419
+ msgstr "Sinu Bit.ly kasutajanimi:"
420
+
421
+ #: wp-to-twitter-manager.php:635
422
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
423
+ msgstr "Sinu Bit.ly <abbr title='application programming interface'>API</abbr> kood:"
424
+
425
+ #: wp-to-twitter-manager.php:642
426
+ msgid "Save Bit.ly API Key"
427
+ msgstr "Salvesta Bit.ly API kood"
428
+
429
+ #: wp-to-twitter-manager.php:642
430
+ msgid "Clear Bit.ly API Key"
431
+ msgstr "Puhasta Bit.ly API kood"
432
+
433
+ #: wp-to-twitter-manager.php:642
434
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
435
+ msgstr " Bit.ly API ja WP to Twitter abil URL'ide lühendamiseks on vaja Bit.ly API koodi ja kasutajanime."
436
+
437
+ #: wp-to-twitter-manager.php:647
438
+ msgid "Your YOURLS account details"
439
+ msgstr "Sinu YOURLS konto detailid"
440
+
441
+ #: wp-to-twitter-manager.php:651
442
+ msgid "Path to the YOURLS config file (Local installations)"
443
+ msgstr "Viide YOURLS konfiguratsioonifailile (kohalikud installatsioonid)"
444
+
445
+ #: wp-to-twitter-manager.php:652
446
+ #: wp-to-twitter-manager.php:656
447
+ msgid "Example:"
448
+ msgstr "Näide:"
449
+
450
+ #: wp-to-twitter-manager.php:655
451
+ msgid "URI to the YOURLS API (Remote installations)"
452
+ msgstr "YOURLS API (kauginstallatsioon) URI"
453
+
454
+ #: wp-to-twitter-manager.php:659
455
+ msgid "Your YOURLS username:"
456
+ msgstr "Sinu YOURLS kasutajanimi:"
457
+
458
+ #: wp-to-twitter-manager.php:663
459
+ msgid "Your YOURLS password:"
460
+ msgstr "Sinu YOURLS salasõna:"
461
+
462
+ #: wp-to-twitter-manager.php:663
463
+ msgid "<em>Saved</em>"
464
+ msgstr "<em>Salvestatud</em>"
465
+
466
+ #: wp-to-twitter-manager.php:667
467
+ msgid "Use Post ID for YOURLS url slug."
468
+ msgstr "Kasuta postituse ID'd YOURLS URL'i juhuslikult genereeritud märgendite (URL slug) jaoks. "
469
+
470
+ #: wp-to-twitter-manager.php:672
471
+ msgid "Save YOURLS Account Info"
472
+ msgstr "Salvesta YOURLS kontoinfo"
473
+
474
+ #: wp-to-twitter-manager.php:672
475
+ msgid "Clear YOURLS password"
476
+ msgstr "Nulli YOURLS salasõna"
477
+
478
+ #: wp-to-twitter-manager.php:672
479
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
480
+ msgstr "URL'ide lühendaimseks kaug-YOURLS API ja WP to Twitter'i abil on vaja YOURLS salasõna ja kasutajanime."
481
+
482
+ #: wp-to-twitter-manager.php:677
483
+ msgid "Change Twitter-compatible Service"
484
+ msgstr "Muuda Twitteriga ühilduvat teenust"
485
+
486
+ #: wp-to-twitter-manager.php:681
487
+ msgid "URI for Twitter-compatible Post Status API"
488
+ msgstr "Twitteriga ühilduva postituse staatuse API URI "
489
+
490
+ #: wp-to-twitter-manager.php:685
491
+ msgid "Service Name"
492
+ msgstr "Teenuse nimi"
493
+
494
+ #: wp-to-twitter-manager.php:689
495
+ msgid "Status Update Character Limit"
496
+ msgstr "Staatuse värskenduse tähemärkide limiit"
497
+
498
+ #: wp-to-twitter-manager.php:693
499
+ msgid "Post status updates to both services."
500
+ msgstr "Postita staatusevärskendus mõlemasse teenusesse."
501
+
502
+ #: wp-to-twitter-manager.php:696
503
+ msgid "Reset to normal Twitter settings"
504
+ msgstr "Taasta Twitteri algseaded"
505
+
506
+ #: wp-to-twitter-manager.php:699
507
+ msgid "Update Twitter Compatible Service"
508
+ msgstr "Uuenda Twitteriga ühilduvat teenust:"
509
+
510
+ #: wp-to-twitter-manager.php:699
511
+ msgid "&raquo; <small>You can use any service using the Twitter-compatible REST API returning data in JSON format with this plugin. Twitter-compatible services include <a href='http://identi.ca'>Identi.ca</a>, <a href='http://shoutem.com'>Shoutem.com</a> and <a href='http://chirup.com'>Chirup.com</a>. <strong>No support will be provided for services other than Twitter.</strong>"
512
+ msgstr "&raquo; <small>Selle pluginiga võite kasutada ükskõik millist teenust, mis kasutab Twitteriga ühilduvat REST API't, mis tagastab andmeid JSON formaadis. Twitteriga ühilduvate teeunste hulka kuuluvad <a href='http://identi.ca'>Identi.ca</a>, <a href='http://shoutem.com'>Shoutem.com</a> ja <a href='http://chirup.com'>Chirup.com</a>. <strong> Tuge pakutakse ainult Twitteri teenustele.</strong>"
513
+
514
+ #: wp-to-twitter-manager.php:716
515
+ msgid "Advanced Settings"
516
+ msgstr "Täpsemad seaded"
517
+
518
+ #: wp-to-twitter-manager.php:723
519
+ msgid "Advanced Tweet settings"
520
+ msgstr "Täpsemad Säutsuseaded"
521
+
522
+ #: wp-to-twitter-manager.php:726
523
+ msgid "Add tags as hashtags on Tweets"
524
+ msgstr "Lisa Säutsudele märgendeid räsidena (hashtag)."
525
+
526
+ #: wp-to-twitter-manager.php:727
527
+ msgid "Spaces replaced with:"
528
+ msgstr "Tühikud asendatatakse sellega:"
529
+
530
+ #: wp-to-twitter-manager.php:728
531
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
532
+ msgstr "Asendamiseks on vaikevalikuna kasutusel alakriips (<code>_</code>). Kasuta <code>[ ]</code> tühikute täielikuks eemaldamiseks."
533
+
534
+ #: wp-to-twitter-manager.php:731
535
+ msgid "Maximum number of tags to include:"
536
+ msgstr "Maksimaalne kaasatavate märgendite arv:"
537
+
538
+ #: wp-to-twitter-manager.php:732
539
+ msgid "Maximum length in characters for included tags:"
540
+ msgstr "Kaasatavate märgendite maksimumpikkus tähemärkides:"
541
+
542
+ #: wp-to-twitter-manager.php:733
543
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
544
+ msgstr "Need valikud võimaldavad sul piirata pikkust ja arvu WordPressi märgenditel, mis on Twitterisse saadetud räsidena (hashtag). Määra <code>0</code> või jäta tühjaks, et lubada kõiki ja igasuguseid märgendeid."
545
+
546
+ #: wp-to-twitter-manager.php:736
547
+ msgid "Length of post excerpt (in characters):"
548
+ msgstr "Postituse väljavõtte pikkus tähemärkides:"
549
+
550
+ #: wp-to-twitter-manager.php:736
551
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
552
+ msgstr "Vaikeseadete järgi postitusest välja võetud. Seda kasutatakse siis, kui kasutate 'Excerpt'-välja."
553
+
554
+ #: wp-to-twitter-manager.php:739
555
+ msgid "WP to Twitter Date Formatting:"
556
+ msgstr "WP to Twitter vormindamine:"
557
+
558
+ #: wp-to-twitter-manager.php:740
559
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
560
+ msgstr "Vaikeseaded lähtuvad sinu üldseadetest. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
561
+
562
+ #: wp-to-twitter-manager.php:744
563
+ msgid "Custom text before all Tweets:"
564
+ msgstr "Kohandatud tekst enne kõiki Säutse:"
565
+
566
+ #: wp-to-twitter-manager.php:745
567
+ msgid "Custom text after all Tweets:"
568
+ msgstr "Kohandatud tekst kõigile Säutsudele:"
569
+
570
+ #: wp-to-twitter-manager.php:748
571
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
572
+ msgstr "Kohandatud väli lühendatavale ja Säutsutavale alternatiivsele URL'ile:"
573
+
574
+ #: wp-to-twitter-manager.php:749
575
+ msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
576
+ msgstr "Võite kasutada kohandatud välja, et oma postitusse saata alternatiivne URL. Väärtuseks on kohandatud välja nimi, mis sisaldab serveri URL'i."
577
+
578
+ #: wp-to-twitter-manager.php:753
579
+ msgid "Special Cases when WordPress should send a Tweet"
580
+ msgstr "Erijuhtumid, mille puhul Wordpress peaks saatma Säutsu."
581
+
582
+ #: wp-to-twitter-manager.php:756
583
+ msgid "Do not post status updates by default"
584
+ msgstr "Staatuse värskenduste postitamine on vaikseaseadena väljalülitatud."
585
+
586
+ #: wp-to-twitter-manager.php:757
587
+ msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
588
+ msgstr "Vaikeseadena postitatakse Twitterisse kõik postitused, mis vastavad teistele nõuetele. Märgi see valik oma seadistuse muutmiseks."
589
+
590
+ #: wp-to-twitter-manager.php:761
591
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
592
+ msgstr "Saada Twitteri värskendused kaug-avaldamisega (postita e-mailiga või XMLRPC kliendiga)"
593
+
594
+ #: wp-to-twitter-manager.php:765
595
+ msgid "Update Twitter when a post is published using QuickPress"
596
+ msgstr "Värskenda Twitterit, kui tehakse postitus kasutades QuickPress'i"
597
+
598
+ #: wp-to-twitter-manager.php:769
599
+ msgid "Google Analytics Settings"
600
+ msgstr "Google Analytics'i seaded"
601
+
602
+ #: wp-to-twitter-manager.php:770
603
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
604
+ msgstr "Saate järgida Twitteri vastukaja, kasutades Google Analytics'it, ning defineerides siin kampaania identifikaatori. Võite kasutada staatilist või dünaamilist identifikaatorit. Staatilised identifikaatorid ei muutu erinevate postituste puhul kuid dünaamilised identifikaatorid tuletatakse iga posti suhtes relevantsest informatsioonist. Dünaamilised identifikaatorid võimaldavad sul statistikat lisamuutujate abil täpsustada."
605
+
606
+ #: wp-to-twitter-manager.php:774
607
+ msgid "Use a Static Identifier with WP-to-Twitter"
608
+ msgstr "Kasuta staatilist identifikaatorit koos WP-to-Twitter'iga."
609
+
610
+ #: wp-to-twitter-manager.php:775
611
+ msgid "Static Campaign identifier for Google Analytics:"
612
+ msgstr "Staatiline kampaania identifikaator Google Analytics'i jaoks"
613
+
614
+ #: wp-to-twitter-manager.php:779
615
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
616
+ msgstr "Kasuta Google Analytics'i ja WP-to-Twitter'iga dünaamilist identifikaatorit. "
617
+
618
+ #: wp-to-twitter-manager.php:780
619
+ msgid "What dynamic identifier would you like to use?"
620
+ msgstr "Millist dünaamilist identifikaatorit soovid kasutada?"
621
+
622
+ #: wp-to-twitter-manager.php:782
623
+ msgid "Category"
624
+ msgstr "Kategooria"
625
+
626
+ #: wp-to-twitter-manager.php:783
627
+ msgid "Post ID"
628
+ msgstr "Postituse ID"
629
+
630
+ #: wp-to-twitter-manager.php:784
631
+ msgid "Post Title"
632
+ msgstr "Postituse pealkiri"
633
+
634
+ #: wp-to-twitter-manager.php:785
635
+ msgid "Author"
636
+ msgstr "Autor"
637
+
638
+ #: wp-to-twitter-manager.php:790
639
+ msgid "Individual Authors"
640
+ msgstr "Autorid"
641
+
642
+ #: wp-to-twitter-manager.php:793
643
+ msgid "Authors have individual Twitter accounts"
644
+ msgstr "Autoritel on oma Twitteri kontod"
645
+
646
+ #: wp-to-twitter-manager.php:793
647
+ msgid "Authors can set their own Twitter username and password in their user profile."
648
+ msgstr "Autorid saavad oma Twitteri kasutajanime ja salasõna oma kasutajaprofiilist ise määrata."
649
+
650
+ #: wp-to-twitter-manager.php:797
651
+ msgid "Disable Error Messages"
652
+ msgstr "Keela veateated"
653
+
654
+ #: wp-to-twitter-manager.php:800
655
+ msgid "Disable global URL shortener error messages."
656
+ msgstr "Lülita välja globaalse URL lühendaja veateated."
657
+
658
+ #: wp-to-twitter-manager.php:804
659
+ msgid "Disable global Twitter API error messages."
660
+ msgstr "Lülita välja globaalsed Twitter API veateated."
661
+
662
+ #: wp-to-twitter-manager.php:810
663
+ msgid "Save Advanced WP->Twitter Options"
664
+ msgstr "Salvesta täiendavad WP->Twitter seaded"
665
+
666
+ #: wp-to-twitter-manager.php:824
667
+ msgid "Limit Updating Categories"
668
+ msgstr "Piira Värskendamise Kategooriaid"
669
+
670
+ #: wp-to-twitter-manager.php:828
671
+ msgid "Select which blog categories will be Tweeted. "
672
+ msgstr "Määra, milliseid blogikategooriaid tahad Säutsuda."
673
+
674
+ #: wp-to-twitter-manager.php:831
675
+ msgid "<em>Category limits are disabled.</em>"
676
+ msgstr "<em>Kategooriapiirangud on välja lülitatud.</em>"
677
+
678
+ #: wp-to-twitter-manager.php:845
679
+ msgid "Check Support"
680
+ msgstr "Kontrolli toe olemasolu"
681
+
682
+ #: wp-to-twitter-manager.php:845
683
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
684
+ msgstr "Kontrolli, kas server toetab <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter'i</a> päringuid Twitterile ja URL'e lühendavaid API'sid. See test saadab staatuse värskenduse Twitterile ja lühendab URL'e, kasutades sinu valitud meetodeid."
685
+
686
+ #. #-#-#-#-# plugin.pot (WP to Twitter 2.1.1) #-#-#-#-#
687
+ #. Plugin Name of the plugin/theme
688
+ #: wp-to-twitter.php:853
689
+ msgid "WP to Twitter"
690
+ msgstr "WP to Twitter"
691
+
692
+ #: wp-to-twitter.php:928
693
+ msgid "Don't Tweet this post."
694
+ msgstr "Ära Säutsu seda postitust"
695
+
696
+ #: wp-to-twitter.php:938
697
+ msgid "This URL is direct and has not been shortened: "
698
+ msgstr "See URL on otsene ning seda pole lühendatud:"
699
+
700
+ #: wp-to-twitter.php:990
701
+ #: wp-to-twitter.php:1009
702
+ msgid "WP to Twitter User Settings"
703
+ msgstr "WP to Twitter kasutajaseaded"
704
+
705
+ #: wp-to-twitter.php:1001
706
+ #: wp-to-twitter.php:1014
707
+ msgid "Enter your own Twitter username."
708
+ msgstr "Sisestage oma Twitteri kasutajanimi"
709
+
710
+ #: wp-to-twitter.php:1005
711
+ #: wp-to-twitter.php:1018
712
+ msgid "Enter your own Twitter password."
713
+ msgstr "Sisestage oma Twitteri salasõna"
714
+
715
+ #: wp-to-twitter.php:1005
716
+ #: wp-to-twitter.php:1018
717
+ msgid "<em>Password saved</em>"
718
+ msgstr "<em>Salasõna salvestatud</em>"
719
+
720
+ #: wp-to-twitter.php:1013
721
+ msgid "Your Twitter Username"
722
+ msgstr "Sinu Twitteri kasutajanimi"
723
+
724
+ #: wp-to-twitter.php:1017
725
+ msgid "Your Twitter Password"
726
+ msgstr "Sinu Twitteri salasõna"
727
+
728
+ #: wp-to-twitter.php:1061
729
+ msgid "Check the categories you want to tweet:"
730
+ msgstr "Märgi ära kategooriad, mille teemal tahad Säutsuda:"
731
+
732
+ #: wp-to-twitter.php:1078
733
+ msgid "Set Categories"
734
+ msgstr "Määra kategooriad"
735
+
736
+ #: wp-to-twitter.php:1147
737
+ msgid "<p>Couldn't locate the settings page.</p>"
738
+ msgstr "<p> Ei leidnud sätete lehekülge </p>"
739
+
740
+ #: wp-to-twitter.php:1152
741
+ msgid "Settings"
742
+ msgstr "Seaded"
743
+
744
+ #. Plugin URI of the plugin/theme
745
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
746
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
747
+
748
+ #. Description of the plugin/theme
749
+ msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
750
+ msgstr "Värskendab Twitterit, kui teete uue blogipostituse või lisate midagi oma blogrollile, kasutades Cli.gs.'i. CLi.gs API koodiga saate luua clig'i oma Cli.gs kontole nii, et selle pealkirjaks on teie postituse pealkiri."
751
+
752
+ #. Author of the plugin/theme
753
+ msgid "Joseph Dolson"
754
+ msgstr "Joseph Dolson"
755
+
756
+ #. Author URI of the plugin/theme
757
+ msgid "http://www.joedolson.com/"
758
+ msgstr "http://www.joedolson.com/"
759
+
wp-to-twitter-fr_FR.mo CHANGED
Binary file
wp-to-twitter-fr_FR.po CHANGED
@@ -1,763 +1,1367 @@
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-05 13:43+0100\n"
12
- "Last-Translator: traducteurs <info@traducteurs.com>\n"
13
- "Language-Team: traducteurs <marketing@traducteurs.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: French\n"
18
- "X-Poedit-Country: france\n"
19
-
20
- #: functions.php:248
21
- 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."
22
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Masquer</a>] Si vous rencontrez des problèmes, merci de copier ces réglages dans le formulaire d'aide."
23
-
24
- #: wp-to-twitter-manager.php:76
25
- msgid "Please <a href='#twitterpw'>add your Twitter password</a>. "
26
- msgstr "Merci d'<a href='#twitterpw'>ajouter votre mot de passe Twitter</a>."
27
-
28
- #: wp-to-twitter-manager.php:82
29
- msgid "WP to Twitter Errors Cleared"
30
- msgstr "Erreurs du plugin WP to Twitter effacées"
31
-
32
- #: wp-to-twitter-manager.php:93
33
- 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."
34
- msgstr "Reconfiguration d'API Twitter. Il vous sera peut être demandé de changer de nom d'utilisateur ainsi que de mot de passe s'ils diffèrent des valeurs précédentes."
35
-
36
- #: wp-to-twitter-manager.php:103
37
- msgid "Twitter-compatible API settings updated. "
38
- msgstr "Réglages d'API compatible avec Twitter mis à jour."
39
-
40
- #: wp-to-twitter-manager.php:105
41
- 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."
42
- msgstr "Vous avez configuré le plugin WP to Twitter pour utiliser à la fois Twitter et le service de votre choix. Veillez à ajouter votre nom d'utilisateur et votre identifiant aux deux services."
43
-
44
- #: wp-to-twitter-manager.php:114
45
- 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! "
46
- msgstr "Désolé, je n'ai pas réussi à me connecter aux serveurs afin de créer votre nouveau billet de blog. Votre tweet a été enregistré dans un champ personnalisé joint au billet, vous pouvez le tweeter manuellement si vous le souhaitez."
47
-
48
- #: wp-to-twitter-manager.php:116
49
- 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. "
50
- msgstr "Désolé ! Je n'ai pas réussi à me connecter aux serveurs Twitter afin de poster votre <strong>nouveau lien</strong>! Je crains que vous ne deviez le poster manuellement."
51
-
52
- #: wp-to-twitter-manager.php:145
53
- msgid "WP to Twitter Advanced Options Updated"
54
- msgstr "Options avancées du plugin WP to Twitter mises à jour"
55
-
56
- #: wp-to-twitter-manager.php:162
57
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
58
- msgstr "Vous devez renseigner votre nom d'utilisateur et votre clé API afin de pouvoir réduire des URL à l'aide de Bit.ly."
59
-
60
- #: wp-to-twitter-manager.php:166
61
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
62
- msgstr "Vous devez ajouter votre URL distante YOURLS, votre nom d'utilisateur et votre mot de passe afin de pouvoir réduire les URL avec une installation distante de YOURLS."
63
-
64
- #: wp-to-twitter-manager.php:170
65
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
66
- msgstr "Vous devez ajouter le chemin de votre serveur YOURLS afin de réduire les URL avec une installation distante de YOURLS."
67
-
68
- #: wp-to-twitter-manager.php:174
69
- msgid "WP to Twitter Options Updated"
70
- msgstr "Options du plugin WP to Twitter mises à jours"
71
-
72
- #: wp-to-twitter-manager.php:184
73
- msgid "Category limits updated."
74
- msgstr "Limitations de catégories mises à jour."
75
-
76
- #: wp-to-twitter-manager.php:188
77
- msgid "Category limits unset."
78
- msgstr "Limitations de catégories mises à zéro."
79
-
80
- #: wp-to-twitter-manager.php:209
81
- msgid "Twitter login and password updated. "
82
- msgstr "Identifiant et mot de passe Twitter mis à jour."
83
-
84
- #: wp-to-twitter-manager.php:211
85
- msgid "You need to provide your Twitter login and password! "
86
- msgstr "Vous devez renseigner les champs \"identifiant\" et \"mot de passe\" Twitter !"
87
-
88
- #: wp-to-twitter-manager.php:218
89
- msgid "YOURLS password updated. "
90
- msgstr "Mot de passe YOURLS mis à jour."
91
-
92
- #: wp-to-twitter-manager.php:221
93
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
94
- msgstr "Mot de passe YOURLS supprimé. Vous ne pourrez plus utiliser votre compte YOURLS distant pour créer vos réductions d'urls."
95
-
96
- #: wp-to-twitter-manager.php:223
97
- msgid "Failed to save your YOURLS password! "
98
- msgstr "Une erreur est survenue lors de l'enregistrement du mot de passe YOURLS !"
99
-
100
- #: wp-to-twitter-manager.php:227
101
- msgid "YOURLS username added. "
102
- msgstr "Nom d'utilisateur YOURLS enregistré."
103
-
104
- #: wp-to-twitter-manager.php:231
105
- msgid "YOURLS API url added. "
106
- msgstr "API-URL YOURLS enregistrée."
107
-
108
- #: wp-to-twitter-manager.php:236
109
- msgid "YOURLS local server path added. "
110
- msgstr "Chemin de serveur local YOURLS enregistré."
111
-
112
- #: wp-to-twitter-manager.php:238
113
- msgid "The path to your YOURLS installation is not correct. "
114
- msgstr "Le chemin vers l'installation de YOURLS est incorrect."
115
-
116
- #: wp-to-twitter-manager.php:243
117
- msgid "YOURLS will use Post ID for short URL slug."
118
- msgstr "YOURLS utilisera l'identifiant du billet dans le raccourci de l'URL réduite."
119
-
120
- #: wp-to-twitter-manager.php:246
121
- msgid "YOURLS will not use Post ID for the short URL slug."
122
- msgstr "YOURLS n'utilisera pas l'ID du billet dans le raccourci de l'URL réduite."
123
-
124
- #: wp-to-twitter-manager.php:253
125
- msgid "Cligs API Key Updated"
126
- msgstr "Clé API Cligs mise à jour"
127
-
128
- #: wp-to-twitter-manager.php:256
129
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
130
- msgstr "Clé de l'API Cli.gs supprimée. L'accès au service Cli.gs, créé par le plugin WP to Twitter, n'est plus associé à votre compte."
131
-
132
- #: wp-to-twitter-manager.php:258
133
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
134
- msgstr "Clé API Cli.gs manquante - <a href='http://cli.gs/user/api/'>Cliquez pour en obtenir une</a>!"
135
-
136
- #: wp-to-twitter-manager.php:264
137
- msgid "Bit.ly API Key Updated."
138
- msgstr "Clé API Bit.ly mise à jour."
139
-
140
- #: wp-to-twitter-manager.php:267
141
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
142
- msgstr "Clé API Bit.ly supprimée. Vous ne pouvez pas utiliser Bt.ly si vous ne disposez pas d'une clé API."
143
-
144
- #: wp-to-twitter-manager.php:269
145
- 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."
146
- msgstr "Clé API Bit.ly manquante - <a href='http://bit.ly/account/'>Obtenez-en une</a>! Une clé API est nécessaire à l'utilisation du service de réduction d'URL Bit.ly."
147
-
148
- #: wp-to-twitter-manager.php:273
149
- msgid " Bit.ly User Login Updated."
150
- msgstr "Nom d'utilisateur Bit.ly mis à jour."
151
-
152
- #: wp-to-twitter-manager.php:276
153
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
154
- msgstr "Nom d'utilisateur Bit.ly supprimé. Vous ne pouvez pas utiliser d'API Bit.ly sans préciser votre nom d'utilisateur."
155
-
156
- #: wp-to-twitter-manager.php:278
157
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
158
- msgstr "Nom d'utilisateur Bit.ly manquant - <a href='http://bit.ly/account/'>Obtenez-en un</a>!"
159
-
160
- #: wp-to-twitter-manager.php:372
161
- msgid "<li><strong>Your selected URL shortener does not require testing.</strong></li>"
162
- msgstr "<li><strong>Aucun test n'est requis pour le réducteur d'URL que vous avez choisi.</strong></li>"
163
-
164
- #: wp-to-twitter-manager.php:375
165
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
166
- msgstr "<li class=\"error\"><strong>Le plugin WP to Twitter n'a pas réussi à se connecter au service de réduction d'URL que vous avez choisi.</strong></li>"
167
-
168
- #: wp-to-twitter-manager.php:379
169
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
170
- msgstr "<li><strong>Le plugin WP to Twitter s'est connecté avec succés au service de réduction d'URL que vous avez choisi.</strong> Le lien suivant doit renvoyer à la page d'accueil de votre blog :"
171
-
172
- #: wp-to-twitter-manager.php:390
173
- msgid "<li><strong>WP to Twitter successfully submitted a status update to your primary update service.</strong></li>"
174
- msgstr "<li><strong>Le plugin WP to Twitter a soumis avec succès une mise à jour de statut auprés de votre service de mise à jour primaire.</strong></li>"
175
-
176
- #: wp-to-twitter-manager.php:393
177
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to your primary update service.</strong></li>"
178
- msgstr "<li class=\"error\"><strong>Le plugin WP to Twitter n'a pas réussi à soumettre une mise à jour à votre service de mise à jour primaire.</strong></li>"
179
-
180
- #: wp-to-twitter-manager.php:394
181
- msgid "Twitter returned this error:"
182
- msgstr "Rapport d'erreur Twitter :"
183
-
184
- #: wp-to-twitter-manager.php:398
185
- msgid "<li class=\"error\"><strong>WP to Twitter failed to contact your primary update service.</strong></li>"
186
- msgstr "<li class=\"error\"><strong>Le plugin WP to Twitter n'a pas réussi à se connecter à votre service de mise à jour primaire </strong></li>"
187
-
188
- #: wp-to-twitter-manager.php:399
189
- msgid "No error was returned."
190
- msgstr "Aucune erreur détectée."
191
-
192
- #: wp-to-twitter-manager.php:406
193
- msgid "<li><strong>WP to Twitter successfully submitted a status update to your secondary update service.</strong></li>"
194
- msgstr "<li><strong>Le plugin WP to Twitter a soumis avec succès une mise à jour de statut à votre service de mise à jour secondaire.</strong></li>"
195
-
196
- #: wp-to-twitter-manager.php:409
197
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to your secondary update service.</strong></li>"
198
- msgstr "<li class=\"error\"><strong>Le plugin WP to Twitter n'a pas réussi à soumettre une mise à jour à votre service de mise à jour secondaire.</strong></li>"
199
-
200
- #: wp-to-twitter-manager.php:410
201
- msgid "The service returned this error:"
202
- msgstr "Erreur renvoyée par le service :"
203
-
204
- #: wp-to-twitter-manager.php:417
205
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
206
- msgstr "<li><strong>Votre serveur devrait correctement exécuter le plugin WP to Twitter.</strong></li>"
207
-
208
- #: wp-to-twitter-manager.php:420
209
- 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>"
210
- msgstr "<li class=\"error\"><strong>Votre serveur ne semble pas supporter les méthodes nécessaires au fonctionnement de Twitter.</strong> Cependant, vous pouvez réessayer car ces tests ne sont pas parfaits.</li>"
211
-
212
- #: wp-to-twitter-manager.php:430
213
- 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."
214
- msgstr "Il se peut que ce plugin ne fonctionne pas entièrement dans votre environnement serveur. Le plugin n'a pas réussi à se connecter à l'API du réducteur d'URL et au service API de Twitter."
215
-
216
- #: wp-to-twitter-manager.php:444
217
- msgid "WP to Twitter Options"
218
- msgstr "Options WP to Twitter"
219
-
220
- #: wp-to-twitter-manager.php:452
221
- #: wp-to-twitter.php:925
222
- msgid "Get Support"
223
- msgstr "Obtenez de l'aide"
224
-
225
- #: wp-to-twitter-manager.php:453
226
- msgid "Export Settings"
227
- msgstr "Exporter les réglages"
228
-
229
- #: wp-to-twitter-manager.php:454
230
- #: wp-to-twitter.php:925
231
- msgid "Make a Donation"
232
- msgstr "Faites un don"
233
-
234
- #: wp-to-twitter-manager.php:469
235
- msgid "Shortcodes available in post update templates:"
236
- msgstr "Raccourcis disponibles dans les modèles de mises à jour de billet :"
237
-
238
- #: wp-to-twitter-manager.php:471
239
- msgid "<code>#title#</code>: the title of your blog post"
240
- msgstr "<code>#title#</code>: titre de votre billet de blog"
241
-
242
- #: wp-to-twitter-manager.php:472
243
- msgid "<code>#blog#</code>: the title of your blog"
244
- msgstr "<code>#blog#</code>: titre de votre blog"
245
-
246
- #: wp-to-twitter-manager.php:473
247
- msgid "<code>#post#</code>: a short excerpt of the post content"
248
- msgstr "<code>#post#</code>: un court extrait du contenu du billet"
249
-
250
- #: wp-to-twitter-manager.php:474
251
- msgid "<code>#category#</code>: the first selected category for the post"
252
- msgstr "<code>#category#</code>: la première catégorie sélectionnée pour le billet"
253
-
254
- #: wp-to-twitter-manager.php:475
255
- msgid "<code>#date#</code>: the post date"
256
- msgstr "<code>#date#</code>: la date du billet"
257
-
258
- #: wp-to-twitter-manager.php:476
259
- msgid "<code>#url#</code>: the post URL"
260
- msgstr "<code>#url#</code>: l'URL du billet"
261
-
262
- #: wp-to-twitter-manager.php:477
263
- msgid "<code>#author#</code>: the post author'"
264
- msgstr "<code>#author#</code>: l'auteur du billet"
265
-
266
- #: wp-to-twitter-manager.php:479
267
- 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>"
268
- msgstr "Vous pouvez également créer des raccourcis personnalisés afin d'accéder aux champs personnalisés de WordPress. Utiliser les doubles crochets pour encadrer le nom de votre champ personnalisé afin d'ajouter la valeur de ce champ à la mise à jour de votre statut. Exemple : <code>[[champ_personnalisé]]</code></p>"
269
-
270
- #: wp-to-twitter-manager.php:484
271
- 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>"
272
- msgstr "<p>Un ou plusieurs de vos derniers billets n'ont pas réussi à envoyer la mise à jour de leur statut à Twitter. Votre tweet a été enregistré dans vos champs personnalisés, vous pouvez le re-tweeter si vous le désirez.</p>"
273
-
274
- #: wp-to-twitter-manager.php:487
275
- 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>"
276
- msgstr "<p>Votre demande vers l'API du réducteur d'URL a échoué, votre URL n'a pas été réduite. L'ensemble de l'URL de billet était joint à votre tweet. Vérifier que votre réducteur d'URL ne rencontre aucun problème connu. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
277
-
278
- #: wp-to-twitter-manager.php:494
279
- msgid "Clear 'WP to Twitter' Error Messages"
280
- msgstr "Effacer les messages d'erreur \"WP to Twitter\""
281
-
282
- #: wp-to-twitter-manager.php:507
283
- msgid "Basic Settings"
284
- msgstr "Réglages de bases"
285
-
286
- #: wp-to-twitter-manager.php:513
287
- msgid "Tweet Templates"
288
- msgstr "Modèles de tweet"
289
-
290
- #: wp-to-twitter-manager.php:516
291
- msgid "Update when a post is published"
292
- msgstr "Mettre à jour lorsqu'un billet est publié"
293
-
294
- #: wp-to-twitter-manager.php:516
295
- msgid "Text for new post updates:"
296
- msgstr "Texte pour l'annonce d'un nouveau billet : "
297
-
298
- #: wp-to-twitter-manager.php:521
299
- msgid "Update when a post is edited"
300
- msgstr "Mettre à jour lorsqu'un billet est modifié"
301
-
302
- #: wp-to-twitter-manager.php:521
303
- msgid "Text for editing updates:"
304
- msgstr "Texte pour l'annonce de modification :"
305
-
306
- #: wp-to-twitter-manager.php:525
307
- msgid "Update Twitter when new Wordpress Pages are published"
308
- msgstr "Mettre à jour Twitter lorsque de nouvelles pages sont publiées"
309
-
310
- #: wp-to-twitter-manager.php:525
311
- msgid "Text for new page updates:"
312
- msgstr "Texte pour l'annonce d'une nouvelle page :"
313
-
314
- #: wp-to-twitter-manager.php:529
315
- msgid "Update Twitter when WordPress Pages are edited"
316
- msgstr "Mettre à jour Twitter lorsque des pages WordPress sont modifiées"
317
-
318
- #: wp-to-twitter-manager.php:529
319
- msgid "Text for page edit updates:"
320
- msgstr "Texte pour l'annonce d'une modification de page"
321
-
322
- #: wp-to-twitter-manager.php:533
323
- msgid "Update Twitter when you post a Blogroll link"
324
- msgstr "Mettre à jour Twitter lorsque vous poster un lien dans votre Blogroll"
325
-
326
- #: wp-to-twitter-manager.php:534
327
- msgid "Text for new link updates:"
328
- msgstr "Texte pour l'annonce d'un nouveau lien :"
329
-
330
- #: wp-to-twitter-manager.php:534
331
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
332
- msgstr "Raccourcis disponibles : <code>#url#</code>, <code>#title#</code>, et <code>#description#</code>."
333
-
334
- #: wp-to-twitter-manager.php:538
335
- msgid "Choose your short URL service (account settings below)"
336
- msgstr "Choisissez votre service de réduction d'URL (réglages de compte au-dessus)"
337
-
338
- #: wp-to-twitter-manager.php:541
339
- msgid "Use Cli.gs for my URL shortener."
340
- msgstr "Utiliser Cli.gs comme réducteur d'URL."
341
-
342
- #: wp-to-twitter-manager.php:542
343
- msgid "Use Bit.ly for my URL shortener."
344
- msgstr "Utiliser Bit.ly comme réducteur d'URL."
345
-
346
- #: wp-to-twitter-manager.php:543
347
- msgid "YOURLS (installed on this server)"
348
- msgstr "YOURLS (installé en local sur ce serveur)"
349
-
350
- #: wp-to-twitter-manager.php:544
351
- msgid "YOURLS (installed on a remote server)"
352
- msgstr "YOURLS (installé sur un serveur distant)"
353
-
354
- #: wp-to-twitter-manager.php:545
355
- msgid "Use WordPress as a URL shortener."
356
- msgstr "Utiliser WordPress comme réducteur d'URL."
357
-
358
- #: wp-to-twitter-manager.php:546
359
- msgid "Don't shorten URLs."
360
- msgstr "Ne pas réduire les URL."
361
-
362
- #: wp-to-twitter-manager.php:548
363
- 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."
364
- msgstr "En choisssant WordPress comme réducteur d'URL vous enverrez des URL sur Twitter au format URL par défaut pour WordPress : <code>http://domain.com/wpdir/?p=123</code>. Lorsque vous utilisez des URL réduites avec WordPress, Google Analytics n'est pas disponible."
365
-
366
- #: wp-to-twitter-manager.php:554
367
- msgid "Save WP->Twitter Options"
368
- msgstr "Enregistrer les options de WP -> Twitter"
369
-
370
- #: wp-to-twitter-manager.php:580
371
- #: wp-to-twitter-manager.php:599
372
- msgid "(<em>Saved</em>)"
373
- msgstr "(<em>Enregistré</em>)"
374
-
375
- #: wp-to-twitter-manager.php:584
376
- #: wp-to-twitter-manager.php:603
377
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
378
- msgstr "&raquo; <small>Vous ne connaissez pas Twitter ? <a href='http://www.twitter.com'>Inscrivez-vous dès maintenant</a>"
379
-
380
- #: wp-to-twitter-manager.php:590
381
- msgid "Your Twitter account details"
382
- msgstr "Détails de votre compte Twitter"
383
-
384
- #: wp-to-twitter-manager.php:591
385
- msgid "These are your settings for Twitter as a second update service."
386
- msgstr "Voici vos réglages pour Twitter en tant que service secondaire de miseq à jour."
387
-
388
- #: wp-to-twitter-manager.php:595
389
- msgid "Your Twitter username:"
390
- msgstr "Votre nom d'utilisateur Twitter :"
391
-
392
- #: wp-to-twitter-manager.php:599
393
- msgid "Your Twitter password:"
394
- msgstr "Votre mot de passe Twitter :"
395
-
396
- #: wp-to-twitter-manager.php:603
397
- msgid "Save Twitter Login Info"
398
- msgstr "Enregistrer vos informations personnelles Twitter"
399
-
400
- #: wp-to-twitter-manager.php:609
401
- msgid "Your Cli.gs account details"
402
- msgstr "Détails de votre compte Cli.gs"
403
-
404
- #: wp-to-twitter-manager.php:614
405
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
406
- msgstr "Votre clé <abbr title='application programming interface'>API</abbr> Cli.gs :"
407
-
408
- #: wp-to-twitter-manager.php:620
409
- 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."
410
- msgstr "Vous n'avez pas de compte ou de clé API Cli.gs ? <a href='http://cli.gs/user/api/'>Obtenez-en une gratuitement</a>!<br />Vous aurez besoin d'une clé API afin d'associer vos Cligs à votre compte Cli.gs."
411
-
412
- #: wp-to-twitter-manager.php:626
413
- msgid "Your Bit.ly account details"
414
- msgstr "Détails de votre compte Bit.ly"
415
-
416
- #: wp-to-twitter-manager.php:631
417
- msgid "Your Bit.ly username:"
418
- msgstr "Votre nom d'utilisateur Bit.ly :"
419
-
420
- #: wp-to-twitter-manager.php:635
421
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
422
- msgstr "Votre clé <abbr title='application programming interface'>API</abbr> Bit.ly :"
423
-
424
- #: wp-to-twitter-manager.php:642
425
- msgid "Save Bit.ly API Key"
426
- msgstr "Enregistrer votre clé API Bit.ly"
427
-
428
- #: wp-to-twitter-manager.php:642
429
- msgid "Clear Bit.ly API Key"
430
- msgstr "Effacer votre clé API Bit.ly"
431
-
432
- #: wp-to-twitter-manager.php:642
433
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
434
- msgstr "Une clé API et un nom d'utilisateur Bit.ly sont nécessaires à la réduction d'URL via l'API de Bit.ly et le plugin WP toTwitter."
435
-
436
- #: wp-to-twitter-manager.php:647
437
- msgid "Your YOURLS account details"
438
- msgstr "Détails de votre compte YOURLS"
439
-
440
- #: wp-to-twitter-manager.php:651
441
- msgid "Path to the YOURLS config file (Local installations)"
442
- msgstr "Chemin vers le dossier de configuration de YOURLS (installations locales)"
443
-
444
- #: wp-to-twitter-manager.php:652
445
- #: wp-to-twitter-manager.php:656
446
- msgid "Example:"
447
- msgstr "Exemple :"
448
-
449
- #: wp-to-twitter-manager.php:655
450
- msgid "URI to the YOURLS API (Remote installations)"
451
- msgstr "URI vers l'API YOURLS (installation distante)"
452
-
453
- #: wp-to-twitter-manager.php:659
454
- msgid "Your YOURLS username:"
455
- msgstr "Votre nom d'utilisateur YOURLS :"
456
-
457
- #: wp-to-twitter-manager.php:663
458
- msgid "Your YOURLS password:"
459
- msgstr "Votre mot de passe YOURLS :"
460
-
461
- #: wp-to-twitter-manager.php:663
462
- msgid "<em>Saved</em>"
463
- msgstr "<em>Enregistré</em>"
464
-
465
- #: wp-to-twitter-manager.php:667
466
- msgid "Use Post ID for YOURLS url slug."
467
- msgstr "Utiliser un identifiant de billet pour le raccourci votre URL YOURLS"
468
-
469
- #: wp-to-twitter-manager.php:672
470
- msgid "Save YOURLS Account Info"
471
- msgstr "Enregistrer les informations de votre compte YOURLS"
472
-
473
- #: wp-to-twitter-manager.php:672
474
- msgid "Clear YOURLS password"
475
- msgstr "Effacer votre mot de passe YOURLS"
476
-
477
- #: wp-to-twitter-manager.php:672
478
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
479
- msgstr "Un mot de passe et un nom d'utilisateur YOURLS sont nécessaires à la réduction d'URL via l'API distante de YOURLS et le plugin WP to Twitter."
480
-
481
- #: wp-to-twitter-manager.php:677
482
- msgid "Change Twitter-compatible Service"
483
- msgstr "Changez de service compatible avec Twitter"
484
-
485
- #: wp-to-twitter-manager.php:681
486
- msgid "URI for Twitter-compatible Post Status API"
487
- msgstr "URI de l'API de notification de statuts compatible Twitter"
488
-
489
- #: wp-to-twitter-manager.php:685
490
- msgid "Service Name"
491
- msgstr "Nom du service"
492
-
493
- #: wp-to-twitter-manager.php:689
494
- msgid "Status Update Character Limit"
495
- msgstr "Limitation de caractères dans la mise à jour de statuts"
496
-
497
- #: wp-to-twitter-manager.php:693
498
- msgid "Post status updates to both services."
499
- msgstr "Poster des mises à jours de statuts sur les deux services."
500
-
501
- #: wp-to-twitter-manager.php:696
502
- msgid "Reset to normal Twitter settings"
503
- msgstr "Réinitialiser les réglages de Twitter"
504
-
505
- #: wp-to-twitter-manager.php:699
506
- msgid "Update Twitter Compatible Service"
507
- msgstr "Mettre à jour le service Twitter compatible"
508
-
509
- #: wp-to-twitter-manager.php:699
510
- 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>"
511
- msgstr "&raquo; <small>Vous pouvez utiliser avec ce plugin tous les services utilisant une API REST compatible avec Twitter et renvoyant les données au format JSON. Les services compatibles avec Twitter comprennent <a href='http://identi.ca'>Identi.ca</a>, <a href='http://shoutem.com'>Shoutem.com</a> et <a href='http://chirup.com'>Chirup.com</a>. <strong>Aucune aide ne sera fournie pour les services autres que Twitter. "
512
-
513
- #: wp-to-twitter-manager.php:716
514
- msgid "Advanced Settings"
515
- msgstr "Réglages avancés"
516
-
517
- #: wp-to-twitter-manager.php:723
518
- msgid "Advanced Tweet settings"
519
- msgstr "Réglages avancés de Tweet"
520
-
521
- #: wp-to-twitter-manager.php:726
522
- msgid "Add tags as hashtags on Tweets"
523
- msgstr "Ajouter des hashtags (informations additionnelles) aux tweets"
524
-
525
- #: wp-to-twitter-manager.php:727
526
- msgid "Spaces replaced with:"
527
- msgstr "Espaces remplacés par :"
528
-
529
- #: wp-to-twitter-manager.php:728
530
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
531
- msgstr "Par défaut, le caractère de remplacement est un underscore (<code>_</code>). Pour supprimer entièrement les espaces, utilisez le code suivant : <code>[ ]</code>."
532
-
533
- #: wp-to-twitter-manager.php:731
534
- msgid "Maximum number of tags to include:"
535
- msgstr "Nombre maximal de tags à ajouter :"
536
-
537
- #: wp-to-twitter-manager.php:732
538
- msgid "Maximum length in characters for included tags:"
539
- msgstr "Nombre de caractères maximum pour un tag ajouté :"
540
-
541
- #: wp-to-twitter-manager.php:733
542
- 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."
543
- msgstr "Ces options vous permettent de restreindre la longueur et le nombre de tags WordPress envoyés sur Twitter sous forme de hashtags. Configurer ainsi : <code>0</code> ou laisser un espace vide pour autoriser toute sorte de tags."
544
-
545
- #: wp-to-twitter-manager.php:736
546
- msgid "Length of post excerpt (in characters):"
547
- msgstr "Longueur de l'extrait du billet (en nombre de caractères) :"
548
-
549
- #: wp-to-twitter-manager.php:736
550
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
551
- msgstr "Extrait par défaut du contenu du billet. Si vous spécifiez le champ \"Excerpt\", son contenu sera utilisé à la place de l'extrait par défaut."
552
-
553
- #: wp-to-twitter-manager.php:739
554
- msgid "WP to Twitter Date Formatting:"
555
- msgstr "Date de formatage du plugin WP to Twitter :"
556
-
557
- #: wp-to-twitter-manager.php:740
558
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
559
- msgstr "L'ensemble de vos réglages sont des réglages par défaut. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Informations sur la date de formatage</a>."
560
-
561
- #: wp-to-twitter-manager.php:744
562
- msgid "Custom text before all Tweets:"
563
- msgstr "Personnaliser le texte avant chaque tweet :"
564
-
565
- #: wp-to-twitter-manager.php:745
566
- msgid "Custom text after all Tweets:"
567
- msgstr "Personnaliser le texte après chaque tweet :"
568
-
569
- #: wp-to-twitter-manager.php:748
570
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
571
- msgstr "Personnaliser le champ pour une URL alternative à réduire et à poster sur Twitter :"
572
-
573
- #: wp-to-twitter-manager.php:749
574
- 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."
575
- msgstr "Vous pouvez utiliser un champ personnalisé pour envoyer une URL alternative pour vos billets. La valeur est le nom d'un champ personnalisé contenant votre URL externe."
576
-
577
- #: wp-to-twitter-manager.php:753
578
- msgid "Special Cases when WordPress should send a Tweet"
579
- msgstr "Cas Particuliers lorsque WordPress doit envoyer un tweet"
580
-
581
- # mauvais
582
- #: wp-to-twitter-manager.php:756
583
- msgid "Do not post status updates by default"
584
- msgstr "Ne pas poster de mises à jour de satuts par défaut"
585
-
586
- # post n'est pas commentaire
587
- # A revoir
588
- #: wp-to-twitter-manager.php:757
589
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
590
- msgstr "Tous les billets répondant à d'autres modalités seront postés par défaut sur Twitter. Cochez cette case pour changer le réglage."
591
-
592
- #: wp-to-twitter-manager.php:761
593
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
594
- msgstr "Envoyer les mises à jour Twitter sur publication distante (Posté par Email ou Client XMLRPC )"
595
-
596
- #: wp-to-twitter-manager.php:765
597
- msgid "Update Twitter when a post is published using QuickPress"
598
- msgstr "Mettre à jour Twitter lorsqu'un billet est publié à l'aide de QuickPress"
599
-
600
- #: wp-to-twitter-manager.php:769
601
- msgid "Google Analytics Settings"
602
- msgstr "Réglages Google Analytics"
603
-
604
- # indificateur pas bon
605
- # Modifier pour identifiant
606
- #: wp-to-twitter-manager.php:770
607
- 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."
608
- msgstr "Vous pouvez suivre la réponse depuis Twitter grâce à Google Analytics en spécifiant un identifiant de campagne. Vous avez le choix entre un identifiant statique ou dynamique. Les identifiants statiques ne changent pas d'un billet à l'autre tandis que les dynamiques sont tirés d'informations liées à un billet spécifique. Les identifiants dynamiques vous permettront d'analyser vos statistiques par variable additionnelle."
609
-
610
- #: wp-to-twitter-manager.php:774
611
- msgid "Use a Static Identifier with WP-to-Twitter"
612
- msgstr "Choisir un identifiant statique avec le plugin WP-to-Twitter"
613
-
614
- #: wp-to-twitter-manager.php:775
615
- msgid "Static Campaign identifier for Google Analytics:"
616
- msgstr "Identifiant de campagne statique pour Google Analytics :"
617
-
618
- #: wp-to-twitter-manager.php:779
619
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
620
- msgstr "Choisir un identifiant dynamique avec Google Analytics et le plugin WP-to-Twitter"
621
-
622
- #: wp-to-twitter-manager.php:780
623
- msgid "What dynamic identifier would you like to use?"
624
- msgstr "Quel identifiant dynamique choisissez-vous ?"
625
-
626
- #: wp-to-twitter-manager.php:782
627
- msgid "Category"
628
- msgstr "Catégorie"
629
-
630
- #: wp-to-twitter-manager.php:783
631
- msgid "Post ID"
632
- msgstr "ID du billet"
633
-
634
- #: wp-to-twitter-manager.php:784
635
- msgid "Post Title"
636
- msgstr "Titre du billet"
637
-
638
- #: wp-to-twitter-manager.php:785
639
- msgid "Author"
640
- msgstr "Auteur"
641
-
642
- #: wp-to-twitter-manager.php:790
643
- msgid "Individual Authors"
644
- msgstr "Auteurs individuels"
645
-
646
- #: wp-to-twitter-manager.php:793
647
- msgid "Authors have individual Twitter accounts"
648
- msgstr "Auteurs avec compte Twitter personnel"
649
-
650
- #: wp-to-twitter-manager.php:793
651
- msgid "Authors can set their own Twitter username and password in their user profile."
652
- msgstr "Les auteurs peuvent choisir leur nom d'utilisateur et mot de passe Twitter dans leur profil."
653
-
654
- #: wp-to-twitter-manager.php:797
655
- msgid "Disable Error Messages"
656
- msgstr "Messages d'erreur désactivés"
657
-
658
- #: wp-to-twitter-manager.php:800
659
- msgid "Disable global URL shortener error messages."
660
- msgstr "Désactiver l'ensemble des messages d'erreurs de réduction d'URL."
661
-
662
- #: wp-to-twitter-manager.php:804
663
- msgid "Disable global Twitter API error messages."
664
- msgstr "Désactiver l'ensemble des messages d'erreurs d'API sur Twitter."
665
-
666
- #: wp-to-twitter-manager.php:810
667
- msgid "Save Advanced WP->Twitter Options"
668
- msgstr "Enregistrer les options avancées de WP->Twitter "
669
-
670
- #: wp-to-twitter-manager.php:824
671
- msgid "Limit Updating Categories"
672
- msgstr "Limitation des catégories mises à jour"
673
-
674
- #: wp-to-twitter-manager.php:828
675
- msgid "Select which blog categories will be Tweeted. "
676
- msgstr "Sélectionner les catégories du blog à tweeter"
677
-
678
- #: wp-to-twitter-manager.php:831
679
- msgid "<em>Category limits are disabled.</em>"
680
- msgstr " <em>Les limitations de catégories sont désactivées.</em>"
681
-
682
- #: wp-to-twitter-manager.php:845
683
- msgid "Check Support"
684
- msgstr "Support de vérification"
685
-
686
- #: wp-to-twitter-manager.php:845
687
- 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."
688
- msgstr "Vérifiez que votre serveur supporte les demandes du <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">plugin WP to Twitter</a> vers Twitter et les API de réduction d'URL. Une mise à jour de statut sera envoyée à Twitter ainsi qu'une réduction d'URL réalisée en utilisant les méthodes que vous aurez choisies."
689
-
690
- #. #-#-#-#-# plugin.pot (WP to Twitter 2.1.1) #-#-#-#-#
691
- #. Plugin Name of the plugin/theme
692
- #: wp-to-twitter.php:853
693
- msgid "WP to Twitter"
694
- msgstr "Plugin WP to Twitter"
695
-
696
- #: wp-to-twitter.php:928
697
- msgid "Don't Tweet this post."
698
- msgstr "Ne pas poster ce billet sur Twitter."
699
-
700
- #: wp-to-twitter.php:938
701
- msgid "This URL is direct and has not been shortened: "
702
- msgstr "C'est URL est une URL directe qui n'a pas été réduite :"
703
-
704
- #: wp-to-twitter.php:990
705
- #: wp-to-twitter.php:1009
706
- msgid "WP to Twitter User Settings"
707
- msgstr "Réglages de l'utilisateur du plugin WP to Twitter"
708
-
709
- #: wp-to-twitter.php:1001
710
- #: wp-to-twitter.php:1014
711
- msgid "Enter your own Twitter username."
712
- msgstr "Saisissez votre nom d'utilisateur Twitter."
713
-
714
- #: wp-to-twitter.php:1005
715
- #: wp-to-twitter.php:1018
716
- msgid "Enter your own Twitter password."
717
- msgstr "Saisissez votre mot de passe Twitter"
718
-
719
- #: wp-to-twitter.php:1005
720
- #: wp-to-twitter.php:1018
721
- msgid "<em>Password saved</em>"
722
- msgstr "<em>Mot de passe enregistré</em>"
723
-
724
- #: wp-to-twitter.php:1013
725
- msgid "Your Twitter Username"
726
- msgstr "Nom d'utilisateur Twitter"
727
-
728
- #: wp-to-twitter.php:1017
729
- msgid "Your Twitter Password"
730
- msgstr "Mot de passe Twitter"
731
-
732
- #: wp-to-twitter.php:1061
733
- msgid "Check the categories you want to tweet:"
734
- msgstr "Cochez les catégories que vous souhaitez tweeter :"
735
-
736
- #: wp-to-twitter.php:1078
737
- msgid "Set Categories"
738
- msgstr "Configurer les catégories"
739
-
740
- #: wp-to-twitter.php:1147
741
- msgid "<p>Couldn't locate the settings page.</p>"
742
- msgstr "<p>Page de réglages introuvable.</p>"
743
-
744
- #: wp-to-twitter.php:1152
745
- msgid "Settings"
746
- msgstr "Réglages"
747
-
748
- #. Plugin URI of the plugin/theme
749
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
750
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
751
-
752
- #. Description of the plugin/theme
753
- 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."
754
- msgstr "Mises à jour Twitter lorsque vous créez un nouveau billet ou ajoutez un lien à votre blogroll à l'aide de Cli.gs. La clé API Cli.gs vous permet de créer un clig dans votre compte Cli.gs en prenant le nom de votre billet comme titre."
755
-
756
- #. Author of the plugin/theme
757
- msgid "Joseph Dolson"
758
- msgstr "Joseph Dolson"
759
-
760
- #. Author URI of the plugin/theme
761
- msgid "http://www.joedolson.com/"
762
- msgstr "http://www.joedolson.com/"
763
-
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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.4.7\n"
9
+ "Report-Msgid-Bugs-To: \n"
10
+ "POT-Creation-Date: 2012-09-19 11:39+0100\n"
11
+ "PO-Revision-Date: 2012-09-19 14:22-0600\n"
12
+ "Last-Translator: Joseph Dolson <joe@joedolson.com>\n"
13
+ "Language-Team: FxB <fx@fxbenard.com>\n"
14
+ "Language: fr_FR\n"
15
+ "MIME-Version: 1.0\n"
16
+ "Content-Type: text/plain; charset=UTF-8\n"
17
+ "Content-Transfer-Encoding: 8bit\n"
18
+ "X-Poedit-KeywordsList: __;_e;esc_attr__;esc_attr_e;esc_html__;esc_html_e;_n;_x;_ex:1,2c;_nx:4c,1,2;_nx_noop:4c,1,2;_x:1,2c\n"
19
+ "X-Poedit-Basepath: ../\n"
20
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
21
+ "X-Poedit-SourceCharset: UTF-8\n"
22
+ "X-Generator: Poedit 1.5.3\n"
23
+ "X-Poedit-SearchPath-0: .\n"
24
+
25
+ #: functions.php:200
26
+ 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."
27
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Masquer</a>] Si vous rencontrez des problèmes, merci de copier ces réglages dans le formulaire de soutien."
28
+
29
+ #: functions.php:323
30
+ msgid "Please read the FAQ and other Help documents before making a support request."
31
+ msgstr "S'il vous plaît lire la FAQ et les autres documents de l'aide avant de faire une demande de soutien."
32
+
33
+ #: functions.php:325
34
+ msgid "Please describe your problem. I'm not psychic."
35
+ msgstr "S'il vous plaît décrire votre problème. Je ne suis pas mentaliste."
36
+
37
+ #: functions.php:329
38
+ msgid "Thank you for supporting the continuing development of this plug-in! I'll get back to you as soon as I can."
39
+ msgstr "Merci de soutenir le développement continu de cette extension ! Je vous recontacterais dès que possible."
40
+
41
+ #: functions.php:331
42
+ 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."
43
+ msgstr "Je ne peux pas fournir un soutien gratuit, mais je traiterais votre demande comme un rapport de bug, et intégrerais les solutions trouvées dans l'extension."
44
+
45
+ #: functions.php:345
46
+ msgid "Please include your license key in your support request."
47
+ msgstr "S'il vous plaît inclure votre clé de licence dans votre demande de soutien."
48
+
49
+ #: functions.php:350
50
+ 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."
51
+ msgstr "<strong> S'il vous plaît noter </strong>: je tiens un registre de ceux qui ont donné, mais si votre don est venu de quelqu'un d'autre que de votre compte sur ce site web, vous devez l'indiquer dans votre message."
52
+
53
+ #: functions.php:355
54
+ msgid "From:"
55
+ msgstr "De :"
56
+
57
+ #: functions.php:358
58
+ #, php-format
59
+ msgid "I have read <a href=\"%1$s\">the FAQ for this plug-in</a> <span>(required)</span>"
60
+ msgstr "J'ai lu <a href=\"%1$s\">la FAQ de l'extension</a> <span>(obligatoire)</span>"
61
+
62
+ #: functions.php:361
63
+ #, php-format
64
+ msgid "I have <a href=\"%1$s\">made a donation to help support this plug-in</a>"
65
+ msgstr "J'ai <a href=\"%1$s\">fait un don pour supporter cette extension</a>"
66
+
67
+ #: functions.php:364
68
+ msgid "Support Request:"
69
+ msgstr "Demande de soutien :"
70
+
71
+ #: functions.php:367
72
+ msgid "Send Support Request"
73
+ msgstr "Envoyer la demande de soutien"
74
+
75
+ #: functions.php:370
76
+ msgid "The following additional information will be sent with your support request:"
77
+ msgstr "Les informations supplémentaires suivantes seront envoyées avec votre demande de soutien :"
78
+
79
+ #: wp-to-twitter-manager.php:41
80
+ msgid "No error information is available for your shortener."
81
+ msgstr "Aucune information d'erreur est disponible pour votre raccourcisseur."
82
+
83
+ #: wp-to-twitter-manager.php:43
84
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
85
+ msgstr "<li class=\"error\"><strong>L'extension WP to Twitter n'a pas réussi à se connecter au service de réduction d'URL que vous avez choisi.</strong></li>"
86
+
87
+ #: wp-to-twitter-manager.php:46
88
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
89
+ msgstr "<li><strong>L'extension WP to Twitter s'est connecté avec succés au service de réduction d'URL que vous avez choisi.</strong> Le lien suivant doit renvoyer à la page d'accueil de votre blog :"
90
+
91
+ #: wp-to-twitter-manager.php:54
92
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
93
+ msgstr "<li><strong>WP to Twitter a soumis avec succès une mise à jour de statut sur Twitter.</strong></li>"
94
+
95
+ #: wp-to-twitter-manager.php:57
96
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
97
+ msgstr "<li class=\"error\"><strong>WP to Twitter n'a pas réussi à soumettre une mise à jour du statut sur Twitter.</strong></li>"
98
+
99
+ #: wp-to-twitter-manager.php:61
100
+ msgid "You have not connected WordPress to Twitter."
101
+ msgstr "Vous n'avez pas connecter WordPress à Twitter."
102
+
103
+ #: wp-to-twitter-manager.php:65
104
+ 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>"
105
+ msgstr "<li class=\"error\"><strong>Votre serveur ne semble pas supporter les méthodes nécessaires au fonctionnement de Twitter.</strong> Cependant, vous pouvez réessayer car ces tests ne sont pas parfaits.</li>"
106
+
107
+ #: wp-to-twitter-manager.php:69
108
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
109
+ msgstr "<li><strong>Votre serveur devrait correctement exécuter l'extension WP to Twitter.</strong></li>"
110
+
111
+ #: wp-to-twitter-manager.php:87
112
+ msgid "WP to Twitter Errors Cleared"
113
+ msgstr "Erreurs de l'extension WP to Twitter effacées"
114
+
115
+ #: wp-to-twitter-manager.php:163
116
+ msgid "WP to Twitter is now connected with Twitter."
117
+ msgstr "WP to Twitter est maintenat connecté avec Twitter."
118
+
119
+ #: wp-to-twitter-manager.php:170
120
+ msgid "WP to Twitter failed to connect with Twitter. Try enabling OAuth debugging."
121
+ msgstr "Wp to Twitter a échoué à se connecter avec Twitter. Essayez d'activer le débogage OAuth."
122
+
123
+ #: wp-to-twitter-manager.php:177
124
+ msgid "OAuth Authentication Data Cleared."
125
+ msgstr "Données d'authentification OAuth éffacées."
126
+
127
+ #: wp-to-twitter-manager.php:184
128
+ 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."
129
+ msgstr "Échec de l'authentification OAuth. L'heure de votre serveur n'est pas synchronisée avec les serveurs de Twitter. Parlez-en à votre service d'hébergement pour voir ce qui peut être fait."
130
+
131
+ #: wp-to-twitter-manager.php:191
132
+ msgid "OAuth Authentication response not understood."
133
+ msgstr "Réponse d'authentification OAuth non comprise."
134
+
135
+ #: wp-to-twitter-manager.php:285
136
+ msgid "WP to Twitter Advanced Options Updated"
137
+ msgstr "Options avancées de WP to Twitter mises à jour"
138
+
139
+ #: wp-to-twitter-manager.php:307
140
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
141
+ msgstr "Vous devez renseigner votre nom d'utilisateur et votre clef API afin de pouvoir réduire des URLs à l'aide de Bit.ly."
142
+
143
+ #: wp-to-twitter-manager.php:311
144
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
145
+ msgstr "Vous devez ajouter votre URL distante YOURLS, votre nom d'utilisateur et votre mot de passe afin de pouvoir réduire les URL avec une installation distante de YOURLS."
146
+
147
+ #: wp-to-twitter-manager.php:315
148
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
149
+ msgstr "Vous devez ajouter le chemin de votre serveur YOURLS afin de réduire les URL avec une installation distante de YOURLS."
150
+
151
+ #: wp-to-twitter-manager.php:318
152
+ msgid "WP to Twitter Options Updated"
153
+ msgstr "Options de WP to Twitter mises à jours"
154
+
155
+ #: wp-to-twitter-manager.php:327
156
+ msgid "Category limits updated."
157
+ msgstr "Limitations de catégories mises à jour."
158
+
159
+ #: wp-to-twitter-manager.php:331
160
+ msgid "Category limits unset."
161
+ msgstr "Limitations de catégories mises à zéro."
162
+
163
+ #: wp-to-twitter-manager.php:338
164
+ msgid "YOURLS password updated. "
165
+ msgstr "Mot de passe YOURLS mis à jour."
166
+
167
+ #: wp-to-twitter-manager.php:341
168
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
169
+ msgstr "Mot de passe YOURLS supprimé. Vous ne pourrez plus utiliser votre compte YOURLS distant pour créer vos réductions d'urls."
170
+
171
+ #: wp-to-twitter-manager.php:343
172
+ msgid "Failed to save your YOURLS password! "
173
+ msgstr "Une erreur est survenue lors de l'enregistrement du mot de passe YOURLS !"
174
+
175
+ #: wp-to-twitter-manager.php:347
176
+ msgid "YOURLS username added. "
177
+ msgstr "Nom d'utilisateur YOURLS enregistré."
178
+
179
+ #: wp-to-twitter-manager.php:351
180
+ msgid "YOURLS API url added. "
181
+ msgstr "API-URL YOURLS enregistrée."
182
+
183
+ #: wp-to-twitter-manager.php:354
184
+ msgid "YOURLS API url removed. "
185
+ msgstr "API-URL YOURLS supprimé."
186
+
187
+ #: wp-to-twitter-manager.php:359
188
+ msgid "YOURLS local server path added. "
189
+ msgstr "Chemin de serveur local YOURLS enregistré."
190
+
191
+ #: wp-to-twitter-manager.php:361
192
+ msgid "The path to your YOURLS installation is not correct. "
193
+ msgstr "Le chemin vers l'installation de YOURLS est incorrect."
194
+
195
+ #: wp-to-twitter-manager.php:365
196
+ msgid "YOURLS local server path removed. "
197
+ msgstr "Chemin de serveur local YOURLS supprimé."
198
+
199
+ #: wp-to-twitter-manager.php:370
200
+ msgid "YOURLS will use Post ID for short URL slug."
201
+ msgstr "YOURLS utilisera l'identifiant de l'article dans le raccourci de l'URL réduite."
202
+
203
+ #: wp-to-twitter-manager.php:372
204
+ msgid "YOURLS will use your custom keyword for short URL slug."
205
+ msgstr "YOURLS utilisera votre mot-clef personnalisé pour l'identifiant de URL courte."
206
+
207
+ #: wp-to-twitter-manager.php:376
208
+ msgid "YOURLS will not use Post ID for the short URL slug."
209
+ msgstr "YOURLS n'utilisera pas l'ID de l'article dans le raccourci de l'URL réduite."
210
+
211
+ #: wp-to-twitter-manager.php:384
212
+ msgid "Su.pr API Key and Username Updated"
213
+ msgstr "Clef API Su.pr et nom d'utilisateur mis à jour"
214
+
215
+ #: wp-to-twitter-manager.php:388
216
+ msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
217
+ msgstr "Clef API Su.pr et nom d'utilisateur supprimé. Les URL Su.pr créées par WP to Twitter ne sont plus associées à votre compte."
218
+
219
+ #: wp-to-twitter-manager.php:390
220
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
221
+ msgstr "Clef API Su.pr non ajoutée - <a href='http://su.pr/'>Cliquez pour en obtenir une</a>!"
222
+
223
+ #: wp-to-twitter-manager.php:396
224
+ msgid "Bit.ly API Key Updated."
225
+ msgstr "Clef API Bit.ly mise à jour."
226
+
227
+ #: wp-to-twitter-manager.php:399
228
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
229
+ msgstr "Clef API Bit.ly supprimée. Vous ne pouvez pas utiliser Bt.ly si vous ne disposez pas d'une clef API."
230
+
231
+ #: wp-to-twitter-manager.php:401
232
+ 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."
233
+ msgstr "Clef API Bit.ly manquante - <a href='http://bit.ly/account/'>Obtenez-en une</a>! Une clef API est nécessaire à l'utilisation du service de réduction d'URL Bit.ly."
234
+
235
+ #: wp-to-twitter-manager.php:405
236
+ msgid " Bit.ly User Login Updated."
237
+ msgstr "Nom d'utilisateur Bit.ly mis à jour."
238
+
239
+ #: wp-to-twitter-manager.php:408
240
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
241
+ msgstr "Nom d'utilisateur Bit.ly supprimé. Vous ne pouvez pas utiliser d'API Bit.ly sans préciser votre nom d'utilisateur."
242
+
243
+ #: wp-to-twitter-manager.php:410
244
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
245
+ msgstr "Nom d'utilisateur Bit.ly manquant - <a href='http://bit.ly/account/'>Obtenez-en un</a>!"
246
+
247
+ #: wp-to-twitter-manager.php:426
248
+ 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>"
249
+ msgstr "<p>Un ou plusieurs de vos derniers articles n'ont pas réussi à envoyer la mise à jour de leur statut à Twitter. Votre tweet a été enregistré dans vos champs personnalisés, vous pouvez le re-tweeter si vous le désirez.</p>"
250
+
251
+ #: wp-to-twitter-manager.php:432
252
+ 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. "
253
+ msgstr "Désolé ! Je n'ai pas réussi à me connecter aux serveurs Twitter afin de poster votre <strong>nouveau lien</strong>! Je crains que vous ne deviez le poster manuellement."
254
+
255
+ #: wp-to-twitter-manager.php:435
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.</p>"
257
+ msgstr "<p>Votre demande vers l'API du réducteur d'URL a échoué, votre URL n'a pas été réduite. L'URL complète de l'article a été jointe à votre tweet. Vérifier que votre réducteur d'URL ne rencontre aucun problème connu.</p>"
258
+
259
+ #: wp-to-twitter-manager.php:441
260
+ msgid "Clear 'WP to Twitter' Error Messages"
261
+ msgstr "Effacer les messages d'erreur \"WP to Twitter\""
262
+
263
+ #: wp-to-twitter-manager.php:448
264
+ msgid "WP to Twitter Options"
265
+ msgstr "Options WP to Twitter"
266
+
267
+ #: wp-to-twitter-manager.php:461
268
+ msgid "Basic Settings"
269
+ msgstr "Réglages de bases"
270
+
271
+ #: wp-to-twitter-manager.php:466
272
+ #: wp-to-twitter-manager.php:531
273
+ msgid "Save WP->Twitter Options"
274
+ msgstr "Enregistrer les options de WP -> Twitter"
275
+
276
+ #: wp-to-twitter-manager.php:468
277
+ msgid "Choose your short URL service (account settings below)"
278
+ msgstr "Choisissez votre service de réduction d'URL (réglages de compte au-dessus)"
279
+
280
+ #: wp-to-twitter-manager.php:471
281
+ msgid "Don't shorten URLs."
282
+ msgstr "Ne pas réduire les URLs."
283
+
284
+ #: wp-to-twitter-manager.php:472
285
+ msgid "Use Su.pr for my URL shortener."
286
+ msgstr "Utiliser Su.pr comme réducteur d'URL."
287
+
288
+ #: wp-to-twitter-manager.php:473
289
+ msgid "Use Bit.ly for my URL shortener."
290
+ msgstr "Utiliser Bit.ly comme réducteur d'URL."
291
+
292
+ #: wp-to-twitter-manager.php:474
293
+ msgid "Use Goo.gl as a URL shortener."
294
+ msgstr "Utiliser Goo.gl comme réducteur d'URL."
295
+
296
+ #: wp-to-twitter-manager.php:475
297
+ msgid "YOURLS (installed on this server)"
298
+ msgstr "YOURLS (installé en local sur ce serveur)"
299
+
300
+ #: wp-to-twitter-manager.php:476
301
+ msgid "YOURLS (installed on a remote server)"
302
+ msgstr "YOURLS (installé sur un serveur distant)"
303
+
304
+ #: wp-to-twitter-manager.php:477
305
+ msgid "Use WordPress as a URL shortener."
306
+ msgstr "Utiliser WordPress comme réducteur d'URL."
307
+
308
+ #: wp-to-twitter-manager.php:478
309
+ msgid "Use Twitter Friendly Links."
310
+ msgstr "Utiliser les Liens Twitter Amicaux."
311
+
312
+ #: wp-to-twitter-manager.php:511
313
+ msgid "Settings for Comments"
314
+ msgstr "Réglages des commentaires"
315
+
316
+ #: wp-to-twitter-manager.php:514
317
+ msgid "Update Twitter when new comments are posted"
318
+ msgstr "Mettre à jour Twitter lorsque de nouveaux commentaires sont publiés"
319
+
320
+ #: wp-to-twitter-manager.php:515
321
+ msgid "Text for new comments:"
322
+ msgstr "Texte pour les nouveaux commentaires :"
323
+
324
+ #: wp-to-twitter-manager.php:517
325
+ 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."
326
+ msgstr "En plus des balises courtes ci-dessus, les modèles de commentaire pouvent utiliser <code>#commenter#</code> pour afficher le nom du commentateur fourni dans le Tweet. <em> Utilisez cette fonction à vos risques et périls </em>, car elle permettra à quiconque qui peut publier un commentaire sur votre site de publier une phrase dans votre flux Twitter."
327
+
328
+ #: wp-to-twitter-manager.php:520
329
+ msgid "Settings for Links"
330
+ msgstr "Réglages des liens."
331
+
332
+ #: wp-to-twitter-manager.php:523
333
+ msgid "Update Twitter when you post a Blogroll link"
334
+ msgstr "Mettre à jour Twitter lorsque vous publier un lien dans votre Blogroll"
335
+
336
+ #: wp-to-twitter-manager.php:524
337
+ msgid "Text for new link updates:"
338
+ msgstr "Texte pour l'annonce d'un nouveau lien :"
339
+
340
+ #: wp-to-twitter-manager.php:524
341
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
342
+ msgstr "Raccourcis disponibles : <code>#url#</code>, <code>#title#</code>, et <code>#description#</code>."
343
+
344
+ #: wp-to-twitter-manager.php:539
345
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
346
+ msgstr "<abbr title=\"Uniform Resource Locator\">URL</abbr> Réglages du compte raccourcisseur"
347
+
348
+ #: wp-to-twitter-manager.php:543
349
+ msgid "Your Su.pr account details"
350
+ msgstr "Détails de votre compte Su.pr"
351
+
352
+ #: wp-to-twitter-manager.php:543
353
+ msgid "(optional)"
354
+ msgstr "(optionnel)"
355
+
356
+ #: wp-to-twitter-manager.php:547
357
+ msgid "Your Su.pr Username:"
358
+ msgstr "Votre identifiant Su.pr :"
359
+
360
+ #: wp-to-twitter-manager.php:551
361
+ msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
362
+ msgstr "Votre clef <abbr title='application programming interface'>API</abbr> Su.pr :"
363
+
364
+ #: wp-to-twitter-manager.php:558
365
+ 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."
366
+ msgstr "Vous n'avez pas de compte ou de clef API Su.pr ? <a href='http://su.pr/'>Obtenez-en une gratuitement </a>!<br /> Vous aurez besoin d'une clef API afin d'associer vos URLs à votre compte Su.pr."
367
+
368
+ #: wp-to-twitter-manager.php:564
369
+ msgid "Your Bit.ly account details"
370
+ msgstr "Détails de votre compte Bit.ly"
371
+
372
+ #: wp-to-twitter-manager.php:568
373
+ msgid "Your Bit.ly username:"
374
+ msgstr "Votre nom d'utilisateur Bit.ly :"
375
+
376
+ #: wp-to-twitter-manager.php:570
377
+ msgid "This must be a standard Bit.ly account. Your Twitter or Facebook log-in will not work."
378
+ msgstr "Ce doit être un compte Bit.ly standard. Votre connexion Twitter ou Facebook ne fonctionne pas."
379
+
380
+ #: wp-to-twitter-manager.php:572
381
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
382
+ msgstr "Votre clef <abbr title='application programming interface'>API</abbr> Bit.ly :"
383
+
384
+ #: wp-to-twitter-manager.php:575
385
+ msgid "View your Bit.ly username and API key"
386
+ msgstr "Voir votre nom d'utilisateur Bit.ly and la clef API"
387
+
388
+ #: wp-to-twitter-manager.php:580
389
+ msgid "Save Bit.ly API Key"
390
+ msgstr "Enregistrer votre clef API Bit.ly"
391
+
392
+ #: wp-to-twitter-manager.php:580
393
+ msgid "Clear Bit.ly API Key"
394
+ msgstr "Effacer votre clef API Bit.ly"
395
+
396
+ #: wp-to-twitter-manager.php:580
397
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
398
+ msgstr "Une clef API et un nom d'utilisateur Bit.ly sont nécessaires à la réduction d'URL via l'API de Bit.ly et l'extension WP toTwitter."
399
+
400
+ #: wp-to-twitter-manager.php:586
401
+ msgid "Your YOURLS account details"
402
+ msgstr "Détails de votre compte YOURLS"
403
+
404
+ #: wp-to-twitter-manager.php:590
405
+ msgid "Path to your YOURLS config file (Local installations)"
406
+ msgstr "Chemin vers votre fichier de configuration de YOURLS (installations locales)"
407
+
408
+ #: wp-to-twitter-manager.php:591
409
+ #: wp-to-twitter-manager.php:595
410
+ msgid "Example:"
411
+ msgstr "Exemple :"
412
+
413
+ #: wp-to-twitter-manager.php:594
414
+ msgid "URI to the YOURLS API (Remote installations)"
415
+ msgstr "URI vers l'API YOURLS (installation distante)"
416
+
417
+ #: wp-to-twitter-manager.php:598
418
+ msgid "Your YOURLS username:"
419
+ msgstr "Votre nom d'utilisateur YOURLS :"
420
+
421
+ #: wp-to-twitter-manager.php:602
422
+ msgid "Your YOURLS password:"
423
+ msgstr "Votre mot de passe YOURLS :"
424
+
425
+ #: wp-to-twitter-manager.php:602
426
+ msgid "<em>Saved</em>"
427
+ msgstr "<em>Enregistré</em>"
428
+
429
+ #: wp-to-twitter-manager.php:606
430
+ msgid "Post ID for YOURLS url slug."
431
+ msgstr "Utiliser un identifiant d'article pour l'identifiant votre URL YOURLS"
432
+
433
+ #: wp-to-twitter-manager.php:607
434
+ msgid "Custom keyword for YOURLS url slug."
435
+ msgstr "Utiliser un identifiant d'article pour l'identifiant de votre URL YOURLS"
436
+
437
+ #: wp-to-twitter-manager.php:608
438
+ msgid "Default: sequential URL numbering."
439
+ msgstr "Par défaut: numérotation URL séquentielle."
440
+
441
+ #: wp-to-twitter-manager.php:614
442
+ msgid "Save YOURLS Account Info"
443
+ msgstr "Enregistrer les informations de votre compte YOURLS"
444
+
445
+ #: wp-to-twitter-manager.php:614
446
+ msgid "Clear YOURLS password"
447
+ msgstr "Effacer votre mot de passe YOURLS"
448
+
449
+ #: wp-to-twitter-manager.php:614
450
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
451
+ msgstr "Un mot de passe et un nom d'utilisateur YOURLS sont nécessaires à la réduction d'URL via l'API distante de YOURLS et l'extension WP to Twitter."
452
+
453
+ #: wp-to-twitter-manager.php:619
454
+ msgid "Your shortener does not require any account settings."
455
+ msgstr "Votre raccourcisseur ne nécessite pas de paramètres de compte."
456
+
457
+ #: wp-to-twitter-manager.php:627
458
+ msgid "Advanced Settings"
459
+ msgstr "Réglages avancés"
460
+
461
+ #: wp-to-twitter-manager.php:632
462
+ #: wp-to-twitter-manager.php:790
463
+ msgid "Save Advanced WP->Twitter Options"
464
+ msgstr "Enregistrer les options avancées de WP->Twitter "
465
+
466
+ #: wp-to-twitter-manager.php:634
467
+ msgid "Advanced Tweet settings"
468
+ msgstr "Réglages avancés des Tweets"
469
+
470
+ #: wp-to-twitter-manager.php:636
471
+ msgid "Strip nonalphanumeric characters from tags"
472
+ msgstr "Retirer les caractères non alphanumériques à partir des mots-clefs"
473
+
474
+ #: wp-to-twitter-manager.php:637
475
+ msgid "Spaces in tags replaced with:"
476
+ msgstr "Les espaces dans les mots-clefs remplacées par :"
477
+
478
+ #: wp-to-twitter-manager.php:639
479
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
480
+ msgstr "Par défaut, le caractère de remplacement est un underscore (<code>_</code>). Pour supprimer entièrement les espaces, utilisez le code suivant : <code>[ ]</code>."
481
+
482
+ #: wp-to-twitter-manager.php:642
483
+ msgid "Maximum number of tags to include:"
484
+ msgstr "Nombre maximal de mots-clefs à ajouter :"
485
+
486
+ #: wp-to-twitter-manager.php:643
487
+ msgid "Maximum length in characters for included tags:"
488
+ msgstr "Nombre de caractères maximum pour un mot-clef ajouté :"
489
+
490
+ #: wp-to-twitter-manager.php:644
491
+ 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."
492
+ msgstr "Ces options vous permettent de restreindre la longueur et le nombre de mots-clefs WordPress envoyés sur Twitter sous forme de hashtags. Configurer ainsi : <code>0</code> ou laisser un espace vide pour autoriser toute sorte de mots-clefs."
493
+
494
+ #: wp-to-twitter-manager.php:647
495
+ msgid "Length of post excerpt (in characters):"
496
+ msgstr "Longueur de l'extrait de l'article (en nombre de caractères) :"
497
+
498
+ #: wp-to-twitter-manager.php:647
499
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
500
+ msgstr "Par défaut extrait du contenu de l'article. Si vous spécifiez le champ \"Excerpt\", son contenu sera utilisé à la place."
501
+
502
+ #: wp-to-twitter-manager.php:650
503
+ msgid "WP to Twitter Date Formatting:"
504
+ msgstr "Date de formatage de l'extension WP to Twitter :"
505
+
506
+ #: wp-to-twitter-manager.php:651
507
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
508
+ msgstr "L'ensemble de vos réglages sont des réglages par défaut. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Informations sur la date de formatage</a>."
509
+
510
+ #: wp-to-twitter-manager.php:655
511
+ msgid "Custom text before all Tweets:"
512
+ msgstr "Personnaliser le texte avant chaque tweet :"
513
+
514
+ #: wp-to-twitter-manager.php:656
515
+ msgid "Custom text after all Tweets:"
516
+ msgstr "Personnaliser le texte après chaque tweet :"
517
+
518
+ #: wp-to-twitter-manager.php:659
519
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
520
+ msgstr "Personnaliser le champ pour une URL alternative à réduire et à publier sur Twitter :"
521
+
522
+ #: wp-to-twitter-manager.php:660
523
+ 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."
524
+ msgstr "Vous pouvez utiliser un champ personnalisé pour envoyer une URL alternative pour vos articles. La valeur est le nom d'un champ personnalisé contenant votre URL externe."
525
+
526
+ #: wp-to-twitter-manager.php:683
527
+ msgid "Preferred status update truncation sequence"
528
+ msgstr "Séquence d'abbreviation préférée de la mise a jour de votre statut"
529
+
530
+ #: wp-to-twitter-manager.php:686
531
+ 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."
532
+ msgstr "C'est l'ordre dans lequel les articles seront abrégés ou supprimés de votre mise à jour de statut s'il est trop long pour être envoyé sur Twitter."
533
+
534
+ #: wp-to-twitter-manager.php:691
535
+ msgid "Special Cases when WordPress should send a Tweet"
536
+ msgstr "Cas particuliers lorsque WordPress doit envoyer un tweet"
537
+
538
+ # mauvais
539
+ #: wp-to-twitter-manager.php:694
540
+ msgid "Do not post Tweets by default"
541
+ msgstr "Ne pas publier de Tweets par défaut"
542
+
543
+ # mauvais
544
+ #: wp-to-twitter-manager.php:696
545
+ msgid "Do not post Tweets by default (editing only)"
546
+ msgstr "Ne pas publier de Tweets par défaut (modification uniquement)"
547
+
548
+ # post n'est pas commentaire
549
+ # A revoir
550
+ #: wp-to-twitter-manager.php:697
551
+ msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
552
+ msgstr "Tous les articles répondant à d'autres modalités seront postés par défaut sur Twitter. Cochez cette case pour changer le réglage."
553
+
554
+ #: wp-to-twitter-manager.php:701
555
+ msgid "Allow status updates from Quick Edit"
556
+ msgstr "Autoriser les mises à jour de statut dans le Press-Minute"
557
+
558
+ #: wp-to-twitter-manager.php:702
559
+ msgid "If checked, all posts edited individually or in bulk through the Quick Edit feature will be Tweeted."
560
+ msgstr "Si cochée, tous les articles modifiés individuellement ou en actions groupées grâce à la fonction Modification Rapide seront tweetés."
561
+
562
+ #: wp-to-twitter-manager.php:707
563
+ msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
564
+ msgstr "Retarder les tweets avec WP Tweets PRO transforme le tweeting en une action d'édition indépendante."
565
+
566
+ #: wp-to-twitter-manager.php:714
567
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
568
+ msgstr "Envoyer les mises à jour Twitter sur publication distante (Posté par Email ou Client XMLRPC )"
569
+
570
+ #: wp-to-twitter-manager.php:719
571
+ msgid "Google Analytics Settings"
572
+ msgstr "Réglages Google Analytics"
573
+
574
+ # indificateur pas bon
575
+ # Modifier pour identifiant
576
+ #: wp-to-twitter-manager.php:720
577
+ 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."
578
+ msgstr "Vous pouvez suivre la réponse depuis Twitter grâce à Google Analytics en spécifiant un identifiant de campagne. Vous avez le choix entre un identifiant statique ou dynamique. Les identifiants statiques ne changent pas d'un article à un autre tandis que les dynamiques sont tirés d'informations liées à un article spécifique. Les identifiants dynamiques vous permettront d'analyser vos statistiques par variable additionnelle."
579
+
580
+ #: wp-to-twitter-manager.php:724
581
+ msgid "Use a Static Identifier with WP-to-Twitter"
582
+ msgstr "Choisir un identifiant statique avec l'extension WP to Twitter"
583
+
584
+ #: wp-to-twitter-manager.php:725
585
+ msgid "Static Campaign identifier for Google Analytics:"
586
+ msgstr "Identifiant de campagne statique pour Google Analytics :"
587
+
588
+ #: wp-to-twitter-manager.php:729
589
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
590
+ msgstr "Choisir un identifiant dynamique avec Google Analytics et l'extension WP to Twitter"
591
+
592
+ #: wp-to-twitter-manager.php:730
593
+ msgid "What dynamic identifier would you like to use?"
594
+ msgstr "Quel identifiant dynamique choisissez-vous ?"
595
+
596
+ #: wp-to-twitter-manager.php:732
597
+ msgid "Category"
598
+ msgstr "Catégorie"
599
+
600
+ #: wp-to-twitter-manager.php:733
601
+ msgid "Post ID"
602
+ msgstr "ID de l'article"
603
+
604
+ #: wp-to-twitter-manager.php:734
605
+ msgid "Post Title"
606
+ msgstr "Titre de l'article"
607
+
608
+ #: wp-to-twitter-manager.php:735
609
+ msgid "Author"
610
+ msgstr "Auteur"
611
+
612
+ #: wp-to-twitter-manager.php:740
613
+ msgid "Individual Authors"
614
+ msgstr "Auteurs individuels"
615
+
616
+ #: wp-to-twitter-manager.php:743
617
+ msgid "Authors have individual Twitter accounts"
618
+ msgstr "Auteurs avec compte Twitter personnel"
619
+
620
+ #: wp-to-twitter-manager.php:743
621
+ 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."
622
+ msgstr "Les auteurs peuvent ajouter leur nom d'utilisateur dans leur profil utilisateur. Cette fonction ne peut ajouter une référence @ à l'auteur. La référence @ est placé en utilisant le raccourci <code>#account#</code>, qui reprendra le compte principal, si les comptes d'utilisateurs ne sont pas activés."
623
+
624
+ #: wp-to-twitter-manager.php:758
625
+ msgid "Choose the lowest user group that can add their Twitter information"
626
+ msgstr "Choisissez le groupe d'utilisateur le plus faible qui peut ajouter des informations à Twitter"
627
+
628
+ #: wp-to-twitter-manager.php:763
629
+ msgid "Choose the lowest user group that can see the Custom Tweet options when posting"
630
+ msgstr "Choisissez le groupe d'utilisateur le plus faible qui peut voir les options Tweet personnalisés lors de la publication"
631
+
632
+ #: wp-to-twitter-manager.php:768
633
+ msgid "User groups above this can toggle the Tweet/Don't Tweet option, but not see other custom tweet options."
634
+ msgstr "Les groupes d'utilisateurs ci-dessus peuvent changer l'option Tweet/Tweet Pas, mais ne pas voir d'autres options de tweets personnalisés."
635
+
636
+ #: wp-to-twitter-manager.php:774
637
+ msgid "Disable Error Messages"
638
+ msgstr "Désactiver les messages d'erreurs"
639
+
640
+ #: wp-to-twitter-manager.php:776
641
+ msgid "Disable global URL shortener error messages."
642
+ msgstr "Désactiver l'ensemble des messages d'erreurs de réduction d'URL."
643
+
644
+ #: wp-to-twitter-manager.php:777
645
+ msgid "Disable global Twitter API error messages."
646
+ msgstr "Désactiver l'ensemble des messages d'erreurs d'API sur Twitter."
647
+
648
+ #: wp-to-twitter-manager.php:778
649
+ msgid "Disable notification to implement OAuth"
650
+ msgstr "Désactiver la notification d'implementation d'OAuth"
651
+
652
+ #: wp-to-twitter-manager.php:780
653
+ msgid "Get Debugging Data for OAuth Connection"
654
+ msgstr "Obtenir le débogage des données pour la connexion OAuth"
655
+
656
+ #: wp-to-twitter-manager.php:782
657
+ msgid "Switch to <code>http</code> connection. (Default is https)"
658
+ msgstr "Passer en connexion<code>http </code>. (La valeur par défaut est https)"
659
+
660
+ #: wp-to-twitter-manager.php:784
661
+ msgid "I made a donation, so stop whinging at me, please."
662
+ msgstr "J'ai fait un don, vous pouvez arrêter de me demander maintenant, s'il vous plaît."
663
+
664
+ #: wp-to-twitter-manager.php:798
665
+ msgid "Limit Updating Categories"
666
+ msgstr "Limitation des catégories mises à jour"
667
+
668
+ #: wp-to-twitter-manager.php:801
669
+ msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
670
+ msgstr "Si aucune catégorie n'est cochée, la limitation par catégorie sera ignorée, et toutes les catégories seront tweetées."
671
+
672
+ #: wp-to-twitter-manager.php:802
673
+ msgid "<em>Category limits are disabled.</em>"
674
+ msgstr " <em>Les limitations de catégories sont désactivées.</em>"
675
+
676
+ #: wp-to-twitter-manager.php:811
677
+ msgid "Get Plug-in Support"
678
+ msgstr "Besoin d'aide ?"
679
+
680
+ #: wp-to-twitter-manager.php:814
681
+ msgid "Support requests without a donation will not be answered, but will be treated as bug reports."
682
+ msgstr "Les demandes de soutien sans don n'obtiendront pas de réponses, mais seront traitées comme des rapports de bugs."
683
+
684
+ #: wp-to-twitter-manager.php:825
685
+ msgid "Check Support"
686
+ msgstr "Support de vérification"
687
+
688
+ #: wp-to-twitter-manager.php:825
689
+ 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."
690
+ msgstr "Vérifiez que votre serveur supporte les demandes de <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">l'extension WP to Twitter</a> vers Twitter et les API de réduction d'URL. Une mise à jour de statut sera envoyée à Twitter ainsi qu'une réduction d'URL réalisée en utilisant les méthodes que vous aurez choisies."
691
+
692
+ #: wp-to-twitter-manager.php:836
693
+ msgid "Support WP to Twitter"
694
+ msgstr "Soutenir WP to Twitter"
695
+
696
+ #: wp-to-twitter-manager.php:838
697
+ msgid "WP to Twitter Support"
698
+ msgstr "Soutenir WP to Twitter"
699
+
700
+ #: wp-to-twitter-manager.php:842
701
+ msgid "View Settings"
702
+ msgstr "Afficher les réglages"
703
+
704
+ #: wp-to-twitter-manager.php:844
705
+ #: wp-to-twitter.php:1299
706
+ #: wp-to-twitter.php:1301
707
+ msgid "Get Support"
708
+ msgstr "Obtenir de l'aide"
709
+
710
+ #: wp-to-twitter-manager.php:848
711
+ 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!"
712
+ msgstr "<a href=\"http://www.joedolson.com/donate.php\">Faites un don aujourd'hui !</a> Tous les dons comptes- donner $2, $10, or $100 et aider moi à garder cette extension au top !"
713
+
714
+ #: wp-to-twitter-manager.php:865
715
+ msgid "Upgrade Now!"
716
+ msgstr "Mettre à jour maintenant !"
717
+
718
+ #: wp-to-twitter-manager.php:867
719
+ msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
720
+ msgstr "Mettre à jour vers <strong>WP Tweets PRO</strong> pour plus d'options !"
721
+
722
+ #: wp-to-twitter-manager.php:868
723
+ msgid "Extra features with the PRO upgrade:"
724
+ msgstr "Les fonctionnalités supplémentaires avec la version PRO :"
725
+
726
+ #: wp-to-twitter-manager.php:870
727
+ msgid "Users can post to their own Twitter accounts"
728
+ msgstr "Les utilisateurs peuvent publier sur leurs propres comptes Twitter"
729
+
730
+ #: wp-to-twitter-manager.php:871
731
+ msgid "Set a timer to send your Tweet minutes or hours after you publish the post"
732
+ msgstr "Réglez une minuterie pour envoyer vos Tweets à un moment différents de l'heure de publication de l'article"
733
+
734
+ #: wp-to-twitter-manager.php:872
735
+ msgid "Automatically re-send Tweets at an assigned time after publishing"
736
+ msgstr "Automatiquement ré-envoyer les tweets à un temps imparti après la publication"
737
+
738
+ #: wp-to-twitter-manager.php:881
739
+ msgid "Shortcodes"
740
+ msgstr "Raccourcis"
741
+
742
+ #: wp-to-twitter-manager.php:883
743
+ msgid "Available in post update templates:"
744
+ msgstr "Raccourcis disponibles dans les modèles de mises à jour d'article :"
745
+
746
+ #: wp-to-twitter-manager.php:885
747
+ msgid "<code>#title#</code>: the title of your blog post"
748
+ msgstr "<code>#title#</code>: le titre de votre article"
749
+
750
+ #: wp-to-twitter-manager.php:886
751
+ msgid "<code>#blog#</code>: the title of your blog"
752
+ msgstr "<code>#blog#</code>: titre de votre blog"
753
+
754
+ #: wp-to-twitter-manager.php:887
755
+ msgid "<code>#post#</code>: a short excerpt of the post content"
756
+ msgstr "<code>#post#</code>: un court extrait du contenu de l'article"
757
+
758
+ #: wp-to-twitter-manager.php:888
759
+ msgid "<code>#category#</code>: the first selected category for the post"
760
+ msgstr "<code>#category#</code>: la première catégorie sélectionnée pour l'article"
761
+
762
+ #: wp-to-twitter-manager.php:889
763
+ msgid "<code>#date#</code>: the post date"
764
+ msgstr "<code>#date#</code>: la date de l'article"
765
+
766
+ #: wp-to-twitter-manager.php:890
767
+ msgid "<code>#modified#</code>: the post modified date"
768
+ msgstr "<code>#modified#</code> : la date de modification de l'article."
769
+
770
+ #: wp-to-twitter-manager.php:891
771
+ msgid "<code>#url#</code>: the post URL"
772
+ msgstr "<code>#url#</code>: l'URL de l'article"
773
+
774
+ #: wp-to-twitter-manager.php:892
775
+ msgid "<code>#author#</code>: the post author"
776
+ msgstr "<code>#author#</code>: l'auteur de l'article"
777
+
778
+ #: wp-to-twitter-manager.php:893
779
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
780
+ msgstr "<code>#account#</code>: la référence twitter @ pour le compte (ou l'auteur, si les paramètres d'auteur sont activés et réglés.)"
781
+
782
+ #: wp-to-twitter-manager.php:894
783
+ msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
784
+ msgstr "<code>#tags#</code>: vos mots-clefs changés en hashtags. Voir les options dans la section Réglages avancés, ci-dessous."
785
+
786
+ #: wp-to-twitter-manager.php:896
787
+ 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."
788
+ msgstr "<code>#reference#</code>: Utilisé uniquement en co-tweeting. référence@ au compte principal lorsque publié pour compte d'auteur, référence@ au compte de l'auteur lorsque publié pour le compte principal."
789
+
790
+ #: wp-to-twitter-manager.php:899
791
+ 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>"
792
+ msgstr "Vous pouvez également créer des raccourcis personnalisés afin d'accéder aux champs personnalisés de WordPress. Utiliser les doubles crochets pour encadrer le nom de votre champ personnalisé afin d'ajouter la valeur de ce champ à la mise à jour de votre statut. Exemple : <code>[[champ_personnalisé]]</code></p>"
793
+
794
+ #: wp-to-twitter-oauth.php:98
795
+ msgid "WP to Twitter was unable to establish a connection to Twitter."
796
+ msgstr "WP to Twitter est incapable d'établir la connexion avec Twitter."
797
+
798
+ #: wp-to-twitter-oauth.php:167
799
+ msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>.<br />"
800
+ msgstr "Problèmes de connexion ? Essayer <a href='#wpt_http'>de passer en requète <code>http</code></a>.<br />"
801
+
802
+ #: wp-to-twitter-oauth.php:168
803
+ msgid "There was an error querying Twitter's servers"
804
+ msgstr "Il y a eu une erreur en interrogeant les serveurs de Twitter"
805
+
806
+ #: wp-to-twitter-oauth.php:184
807
+ #: wp-to-twitter-oauth.php:186
808
+ msgid "Connect to Twitter"
809
+ msgstr "Connectez-vous à Twitter"
810
+
811
+ #: wp-to-twitter-oauth.php:189
812
+ msgid "WP to Twitter Set-up"
813
+ msgstr "Configuration de WP to Twitter"
814
+
815
+ #: wp-to-twitter-oauth.php:190
816
+ #: wp-to-twitter-oauth.php:281
817
+ msgid "Your server time:"
818
+ msgstr "Heure de votre serveur : "
819
+
820
+ #: wp-to-twitter-oauth.php:190
821
+ msgid "Twitter's time:"
822
+ msgstr "Heure Twitter :"
823
+
824
+ #: wp-to-twitter-oauth.php:190
825
+ msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
826
+ msgstr "Si ces horodatages ne sont pas séparés de moins de 5 minutes l'un de l'autre, votre serveur ne se connectera pas à Twitter."
827
+
828
+ #: wp-to-twitter-oauth.php:192
829
+ msgid "<em>Note</em>: you will not add your Twitter user information to WP to Twitter; it is not used in this authentication method."
830
+ msgstr "<em>Remarque </em>: vous n'ajouterai pas vos informations d'utilisateur Twitter à WP to Twitter, elles ne sont pas utilisées dans cette méthode d'authentification."
831
+
832
+ #: wp-to-twitter-oauth.php:196
833
+ msgid "1. Register this site as an application on "
834
+ msgstr "1. Enregistrer ce site comme une application sur "
835
+
836
+ #: wp-to-twitter-oauth.php:196
837
+ msgid "Twitter's application registration page"
838
+ msgstr "la page Twitter d'enregistrement d'application"
839
+
840
+ #: wp-to-twitter-oauth.php:198
841
+ msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
842
+ msgstr "Si vous n'êtes pas actuellement connecté à Twitter, connectez-vous au compte que vous souhaitez associer à ce site"
843
+
844
+ #: wp-to-twitter-oauth.php:199
845
+ msgid "Your Application's Name will show up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\""
846
+ msgstr "Le nom de votre application sera affiché après \"via \" dans votre flux twitter. Votre nom d'application ne peut pas inclure le mot \"Twitter.\""
847
+
848
+ #: wp-to-twitter-oauth.php:200
849
+ msgid "Your Application Description can be anything."
850
+ msgstr "La description de votre application peut être n'importe quoi"
851
+
852
+ #: wp-to-twitter-oauth.php:201
853
+ msgid "The WebSite and Callback URL should be "
854
+ msgstr "L'URL du site et de callback doit être "
855
+
856
+ #: wp-to-twitter-oauth.php:203
857
+ msgid "Agree to the Developer Rules of the Road and continue."
858
+ msgstr "Accepter 'the Developper Rules of the Road' et continuer."
859
+
860
+ #: wp-to-twitter-oauth.php:204
861
+ msgid "2. Switch to the \"Settings\" tab in Twitter apps"
862
+ msgstr "2. Passez dans l'onglet \"Settings\" de l'application Twitter"
863
+
864
+ #: wp-to-twitter-oauth.php:206
865
+ msgid "Select \"Read and Write\" for the Application Type"
866
+ msgstr "Sélectionnez \"Read and Write\" pour le type d'application"
867
+
868
+ #: wp-to-twitter-oauth.php:207
869
+ msgid "Update the application settings"
870
+ msgstr "Mettre à jour les réglages de l'application"
871
+
872
+ #: wp-to-twitter-oauth.php:208
873
+ msgid "Return to the Details tab and create your access token. Refresh page to view your access tokens."
874
+ msgstr "Revenez à l'onglet Détails et créez votre jeton d'accès. Actualiser la page pour voir vos jetons d'accès."
875
+
876
+ #: wp-to-twitter-oauth.php:210
877
+ msgid "Once you have registered your site as an application, you will be provided with four keys."
878
+ msgstr "Une fois que vous avez enregistré votre site en tant qu'application, il vous sera fourni quatre clefs."
879
+
880
+ #: wp-to-twitter-oauth.php:211
881
+ msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
882
+ msgstr "3. Copiez et collez votre clef (consumer key) et votre clef secrète (consumer secret) dans les champs ci-dessous"
883
+
884
+ #: wp-to-twitter-oauth.php:214
885
+ msgid "Twitter Consumer Key"
886
+ msgstr "Twitter Consumer Key"
887
+
888
+ #: wp-to-twitter-oauth.php:218
889
+ msgid "Twitter Consumer Secret"
890
+ msgstr "Twitter Consumer Secret"
891
+
892
+ #: wp-to-twitter-oauth.php:222
893
+ msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
894
+ msgstr "4. Copiez et collez votre jeton d'accès et votre jeton d'accès secret (Token and Access Token Secret ) dans les champs ci-dessous"
895
+
896
+ #: wp-to-twitter-oauth.php:223
897
+ 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."
898
+ msgstr "Si le niveau d'accès pour votre jeton d'accès (Access Token) n'est pas \"<em>Read and write</em>\", vous devez retourner à l'étape 2 et générer un nouveau jeton d'accès."
899
+
900
+ #: wp-to-twitter-oauth.php:226
901
+ msgid "Access Token"
902
+ msgstr "Access Token"
903
+
904
+ #: wp-to-twitter-oauth.php:230
905
+ msgid "Access Token Secret"
906
+ msgstr "Access Token Secret"
907
+
908
+ #: wp-to-twitter-oauth.php:249
909
+ msgid "Disconnect Your WordPress and Twitter Account"
910
+ msgstr "Déconnecter votre WordPress de votre compte Twitter"
911
+
912
+ #: wp-to-twitter-oauth.php:253
913
+ msgid "Disconnect your WordPress and Twitter Account"
914
+ msgstr "Déconnecter votre WordPress de votre compte Twitter"
915
+
916
+ #: wp-to-twitter-oauth.php:255
917
+ 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."
918
+ msgstr "<strong>Astuce de Dépannage : </strong> Connecté, mais recevant un avis que vos informations d'authentification sont manquantes ou incorrectes? Vérifiez si votre jeton d'accès a la permission de lecture et d'écriture. Si non, vous aurez besoin pour créer un nouveau jeton."
919
+
920
+ #: wp-to-twitter-oauth.php:257
921
+ msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
922
+ msgstr "Vos horodatages ont plus de 5 minutes d'intervalle. Votre serveur peut perdre sa connexion avec Twitter."
923
+
924
+ #: wp-to-twitter-oauth.php:259
925
+ msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
926
+ msgstr "WP to Twitter n'a pas pu contacter le serveur distant de Twitter. Voici l'erreur trouvée :"
927
+
928
+ #: wp-to-twitter-oauth.php:263
929
+ msgid "Disconnect from Twitter"
930
+ msgstr "Vous deconnectez de Twitter"
931
+
932
+ #: wp-to-twitter-oauth.php:269
933
+ msgid "Twitter Username "
934
+ msgstr "Nom d'utilisateur Twitter"
935
+
936
+ #: wp-to-twitter-oauth.php:270
937
+ msgid "Consumer Key "
938
+ msgstr "Consumer Key "
939
+
940
+ #: wp-to-twitter-oauth.php:271
941
+ msgid "Consumer Secret "
942
+ msgstr "Secret d'utilisateur"
943
+
944
+ #: wp-to-twitter-oauth.php:272
945
+ msgid "Access Token "
946
+ msgstr "Access Token "
947
+
948
+ #: wp-to-twitter-oauth.php:273
949
+ msgid "Access Token Secret "
950
+ msgstr "Access Token Secret "
951
+
952
+ #: wp-to-twitter-oauth.php:281
953
+ msgid "Twitter's current server time: "
954
+ msgstr "Heure actuelle du serveur Twitter :"
955
+
956
+ #: wp-to-twitter.php:51
957
+ msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
958
+ msgstr "WP to Twitter requiert la version PHP 5 ou supérieur. S'il vous plaît mettre à jour PHP pour exécuter WP to Twitter."
959
+
960
+ #: wp-to-twitter.php:72
961
+ 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>"
962
+ msgstr "WP to Twitter exige WordPress 2.9.2 ou une version plus récente, mais certaines fonctionnalités ne fonctionnent pas ci-dessous 3.0.6. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\"> S'il vous plaît mettez à jour WordPress pour continuer à utiliser WP to Twitter avec toutes les fonctionnalités ! </a>"
963
+
964
+ #: wp-to-twitter.php:90
965
+ #, php-format
966
+ msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
967
+ msgstr "Twitter requiert une authentification par OAuth. Vous avez besoin de <a href='%s'>mettre à jour</a> vos réglages pour terminer l'installation de WP to Twitter."
968
+
969
+ #: wp-to-twitter.php:257
970
+ msgid "This account is not authorized to post to Twitter."
971
+ msgstr "Ce compte n'est pas autorisé à publier sur Twitter."
972
+
973
+ #: wp-to-twitter.php:263
974
+ msgid "This tweet is identical to another Tweet recently sent to this account."
975
+ msgstr "Ce tweeter est identique à un autre Tweet récemment envoyé à ce compte."
976
+
977
+ #: wp-to-twitter.php:275
978
+ #, php-format
979
+ msgid "Your Twitter application does not have read and write permissions. Go to <a href=\"%s\">your Twitter apps</a> to modify these settings."
980
+ msgstr "Votre application Twitter n'a pas les droits en lecture et en écriture. Aller à la <a href=\"%s\"> votre application Twitter </a> pour modifier ces paramètres."
981
+
982
+ #: wp-to-twitter.php:279
983
+ msgid "200 OK: Success!"
984
+ msgstr "200 OK : Succès !"
985
+
986
+ #: wp-to-twitter.php:284
987
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
988
+ msgstr "400 Bad Request : La demande n'était pas valide. C'est le code d'état retourné lors de la limitation du débit."
989
+
990
+ #: wp-to-twitter.php:288
991
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
992
+ msgstr "401 Unauthorized : informations d'authentification sont manquantes ou incorrectes."
993
+
994
+ #: wp-to-twitter.php:293
995
+ 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."
996
+ msgstr "403 Forbidden : La requète est comprise, mais a été refusée. Ce code est utilisé lorsque les requètes sont comprises, mais sont refusées par Twitter. Ces raisons peuvent inclure : Trop de Tweets créés dans un laps de temps trop court ou le même Tweet a été présenté deux fois de suite, entre autres. Ce n'est pas une erreur de WP to Twitter."
997
+
998
+ #: wp-to-twitter.php:297
999
+ msgid "500 Internal Server Error: Something is broken at Twitter."
1000
+ msgstr "500 Internal Server Error : Quelque chose est cassé chez Twitter."
1001
+
1002
+ #: wp-to-twitter.php:301
1003
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
1004
+ msgstr "503 Service Unavailable : Les serveurs de Twitter fonctionnent, mais sont surchargés de demandes - Veuillez réessayer plus tard."
1005
+
1006
+ #: wp-to-twitter.php:305
1007
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
1008
+ msgstr "502 Bad Gateway : Twitter est en panne ou en cours de mis à jour."
1009
+
1010
+ #: wp-to-twitter.php:333
1011
+ msgid "No Twitter OAuth connection found."
1012
+ msgstr "Pas de connexion Twitter OAuth trouvé."
1013
+
1014
+ #: wp-to-twitter.php:1167
1015
+ msgid "WP Tweets"
1016
+ msgstr "WP Tweets"
1017
+
1018
+ #: wp-to-twitter.php:1213
1019
+ msgid "Previous Tweets"
1020
+ msgstr "Tweets précédents"
1021
+
1022
+ #: wp-to-twitter.php:1225
1023
+ msgid "Failed Tweets"
1024
+ msgstr "Tweets raté"
1025
+
1026
+ #: wp-to-twitter.php:1237
1027
+ msgid "No failed tweets on this post."
1028
+ msgstr "Pas de tweet raté sur cette article."
1029
+
1030
+ #: wp-to-twitter.php:1241
1031
+ msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
1032
+ msgstr "WP to Twitter peut faire plus pour vous ! Jetez un oeil à WP Tweets Pro !"
1033
+
1034
+ #: wp-to-twitter.php:1244
1035
+ msgid "Custom Twitter Post"
1036
+ msgstr "Message personnalisé Twitter"
1037
+
1038
+ #: wp-to-twitter.php:1246
1039
+ msgid "Your template:"
1040
+ msgstr "Votre modèle :"
1041
+
1042
+ #: wp-to-twitter.php:1250
1043
+ msgid "YOURLS Custom Keyword"
1044
+ msgstr "Mot-clef personnalisé de YOURLS"
1045
+
1046
+ #: wp-to-twitter.php:1260
1047
+ msgid "Don't Tweet this post."
1048
+ msgstr "Ne pas publier cet article sur Twitter."
1049
+
1050
+ #: wp-to-twitter.php:1260
1051
+ msgid "Tweet this post."
1052
+ msgstr "Tweeter cet article."
1053
+
1054
+ #: wp-to-twitter.php:1270
1055
+ msgid "Access to customizing WP to Twitter values is not allowed for your user role."
1056
+ msgstr "L'accès à la personnalisation des valeurs de WP to Twitter n'est pas autorisée pour votre rôle d'utilisateur."
1057
+
1058
+ #: wp-to-twitter.php:1289
1059
+ msgid "This URL is direct and has not been shortened: "
1060
+ msgstr "C'est une URL directe qui n'a pas été réduite :"
1061
+
1062
+ #: wp-to-twitter.php:1295
1063
+ 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>."
1064
+ msgstr "Les messages Twitter font un maximum de 140 caractères; l'url Twitter compte pour 19 caractères. Balises de modèle : <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>, ou <code>#blog#</code>."
1065
+
1066
+ #: wp-to-twitter.php:1299
1067
+ msgid "Upgrade to WP Tweets Pro"
1068
+ msgstr "Mise à niveau vers WP Tweets Pro"
1069
+
1070
+ #: wp-to-twitter.php:1345
1071
+ msgid "Characters left: "
1072
+ msgstr "Caractères restants :"
1073
+
1074
+ #: wp-to-twitter.php:1403
1075
+ msgid "WP Tweets User Settings"
1076
+ msgstr "Réglages de l'utilisateur de WP to Twitter"
1077
+
1078
+ #: wp-to-twitter.php:1407
1079
+ msgid "Use My Twitter Username"
1080
+ msgstr "Utiliser votre nom d'utilisateur Twitter"
1081
+
1082
+ #: wp-to-twitter.php:1408
1083
+ msgid "Tweet my posts with an @ reference to my username."
1084
+ msgstr "Tweeter mes articles avec une référence @ à mon nom d'utilisateur."
1085
+
1086
+ #: wp-to-twitter.php:1409
1087
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
1088
+ msgstr "Tweeter mes articles avec une référence @ à la fois à mon nom d'utilisateur et au nom d'utilisateur du site principal."
1089
+
1090
+ #: wp-to-twitter.php:1413
1091
+ msgid "Your Twitter Username"
1092
+ msgstr "Nom d'utilisateur Twitter"
1093
+
1094
+ #: wp-to-twitter.php:1414
1095
+ msgid "Enter your own Twitter username."
1096
+ msgstr "Saisissez votre nom d'utilisateur Twitter."
1097
+
1098
+ #: wp-to-twitter.php:1419
1099
+ 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."
1100
+ msgstr "Remarque : si tous les administrateurs du site ont mis en place leurs propres comptes Twitter, le compte du site principal (tel que défini sur la page des réglages) n'est pas nécessaire, et ne sera pas utilisé."
1101
+
1102
+ #: wp-to-twitter.php:1462
1103
+ msgid "Check off categories to tweet"
1104
+ msgstr "Cochez les catégories que vous souhaitez tweeter"
1105
+
1106
+ #: wp-to-twitter.php:1466
1107
+ msgid "Do not tweet posts in checked categories (Reverses default behavior)"
1108
+ msgstr "Ne pas tweeter les articles dans les catégories cochées (Inverse le comportement par défaut)"
1109
+
1110
+ #: wp-to-twitter.php:1483
1111
+ 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."
1112
+ msgstr "Les limitations sont exclusives. Si un article est dans une catégorie qui devrait être affichée et une catégorie qui ne devrait pas, il ne sera pas affiché."
1113
+
1114
+ #: wp-to-twitter.php:1486
1115
+ msgid "Set Categories"
1116
+ msgstr "Configurer les catégories"
1117
+
1118
+ #: wp-to-twitter.php:1510
1119
+ msgid "Settings"
1120
+ msgstr "Réglages"
1121
+
1122
+ #: wp-to-twitter.php:1545
1123
+ #, php-format
1124
+ msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
1125
+ msgstr "<br /><strong>Remarque :</strong> S'il vous plaît examiner le <a class=\"thickbox\" href=\"%1$s\">changelog</a> avant de faire la mise à jour."
1126
+
1127
+ #~ msgid ""
1128
+ #~ "I have read <a href=\"http://www.joedolson.com/articles/wp-to-twitter/"
1129
+ #~ "support-2/\">the FAQ for this plug-in</a>."
1130
+ #~ msgstr ""
1131
+ #~ "J'ai lu <a href=\"http://www.joedolson.com/articles/wp-to-twitter/"
1132
+ #~ "support-2/\">la FAQ de l'extension</a>."
1133
+
1134
+ #~ msgid "Save Su.pr API Key"
1135
+ #~ msgstr "Enregistrer votre clef API Su.pr"
1136
+
1137
+ #~ msgid "Clear Su.pr API Key"
1138
+ #~ msgstr "Effacer votre clef API Su.pr"
1139
+
1140
+ #~ msgid "Please <a href='#twitterpw'>add your Twitter password</a>. "
1141
+ #~ msgstr ""
1142
+ #~ "Merci d'<a href='#twitterpw'>ajouter votre mot de passe Twitter</a>."
1143
+
1144
+ #~ msgid ""
1145
+ #~ "Twitter API settings reset. You may need to change your username and "
1146
+ #~ "password settings, if they are not the same as the alternate service "
1147
+ #~ "previously in use."
1148
+ #~ msgstr ""
1149
+ #~ "Reconfiguration d'API Twitter. Il vous sera peut être demandé de changer "
1150
+ #~ "de nom d'utilisateur ainsi que de mot de passe s'ils diffèrent des "
1151
+ #~ "valeurs précédentes."
1152
+
1153
+ #~ msgid "Twitter-compatible API settings updated. "
1154
+ #~ msgstr "Réglages d'API compatible avec Twitter mis à jour."
1155
+
1156
+ #~ msgid ""
1157
+ #~ "You have configured WP to Twitter to use both Twitter and your selected "
1158
+ #~ "service. Remember to add your username and login information for both "
1159
+ #~ "services."
1160
+ #~ msgstr ""
1161
+ #~ "Vous avez configuré le plugin WP to Twitter pour utiliser à la fois "
1162
+ #~ "Twitter et le service de votre choix. Veillez à ajouter votre nom "
1163
+ #~ "d'utilisateur et votre identifiant aux deux services."
1164
+
1165
+ #~ msgid ""
1166
+ #~ "Sorry! I couldn't get in touch with the Twitter servers to post your new "
1167
+ #~ "blog post. Your tweet has been stored in a custom field attached to the "
1168
+ #~ "post, so you can Tweet it manually if you wish! "
1169
+ #~ msgstr ""
1170
+ #~ "Désolé, je n'ai pas réussi à me connecter aux serveurs afin de créer "
1171
+ #~ "votre nouveau billet de blog. Votre tweet a été enregistré dans un champ "
1172
+ #~ "personnalisé joint au billet, vous pouvez le tweeter manuellement si vous "
1173
+ #~ "le souhaitez."
1174
+
1175
+ #~ msgid "Twitter login and password updated. "
1176
+ #~ msgstr "Identifiant et mot de passe Twitter mis à jour."
1177
+
1178
+ #~ msgid "You need to provide your Twitter login and password! "
1179
+ #~ msgstr ""
1180
+ #~ "Vous devez renseigner les champs \"identifiant\" et \"mot de passe\" "
1181
+ #~ "Twitter !"
1182
+
1183
+ #~ msgid "Cligs API Key Updated"
1184
+ #~ msgstr "Clé API Cligs mise à jour"
1185
+
1186
+ #~ msgid ""
1187
+ #~ "<li><strong>Your selected URL shortener does not require testing.</"
1188
+ #~ "strong></li>"
1189
+ #~ msgstr ""
1190
+ #~ "<li><strong>Aucun test n'est requis pour le réducteur d'URL que vous avez "
1191
+ #~ "choisi.</strong></li>"
1192
+
1193
+ #~ msgid ""
1194
+ #~ "<li class=\"error\"><strong>WP to Twitter failed to contact your primary "
1195
+ #~ "update service.</strong></li>"
1196
+ #~ msgstr ""
1197
+ #~ "<li class=\"error\"><strong>Le plugin WP to Twitter n'a pas réussi à se "
1198
+ #~ "connecter à votre service de mise à jour primaire </strong></li>"
1199
+
1200
+ #~ msgid "No error was returned."
1201
+ #~ msgstr "Aucune erreur détectée."
1202
+
1203
+ #~ msgid ""
1204
+ #~ "<li><strong>WP to Twitter successfully submitted a status update to your "
1205
+ #~ "secondary update service.</strong></li>"
1206
+ #~ msgstr ""
1207
+ #~ "<li><strong>Le plugin WP to Twitter a soumis avec succès une mise à jour "
1208
+ #~ "de statut à votre service de mise à jour secondaire.</strong></li>"
1209
+
1210
+ #~ msgid ""
1211
+ #~ "<li class=\"error\"><strong>WP to Twitter failed to submit an update to "
1212
+ #~ "your secondary update service.</strong></li>"
1213
+ #~ msgstr ""
1214
+ #~ "<li class=\"error\"><strong>Le plugin WP to Twitter n'a pas réussi à "
1215
+ #~ "soumettre une mise à jour à votre service de mise à jour secondaire.</"
1216
+ #~ "strong></li>"
1217
+
1218
+ #~ msgid "The service returned this error:"
1219
+ #~ msgstr "Erreur renvoyée par le service :"
1220
+
1221
+ #~ msgid ""
1222
+ #~ "This plugin may not fully work in your server environment. The plugin "
1223
+ #~ "failed to contact both a URL shortener API and the Twitter service API."
1224
+ #~ msgstr ""
1225
+ #~ "Il se peut que ce plugin ne fonctionne pas entièrement dans votre "
1226
+ #~ "environnement serveur. Le plugin n'a pas réussi à se connecter à l'API du "
1227
+ #~ "réducteur d'URL et au service API de Twitter."
1228
+
1229
+ #~ msgid "Export Settings"
1230
+ #~ msgstr "Exporter les réglages"
1231
+
1232
+ #~ msgid "Make a Donation"
1233
+ #~ msgstr "Faites un don"
1234
+
1235
+ #~ msgid "Tweet Templates"
1236
+ #~ msgstr "Modèles de tweet"
1237
+
1238
+ #~ msgid "Update when a post is published"
1239
+ #~ msgstr "Mettre à jour lorsqu'un billet est publié"
1240
+
1241
+ #~ msgid "Update when a post is edited"
1242
+ #~ msgstr "Mettre à jour lorsqu'un billet est modifié"
1243
+
1244
+ #~ msgid "Text for editing updates:"
1245
+ #~ msgstr "Texte pour l'annonce de modification :"
1246
+
1247
+ #~ msgid "Text for new page updates:"
1248
+ #~ msgstr "Texte pour l'annonce d'une nouvelle page :"
1249
+
1250
+ #~ msgid "Update Twitter when WordPress Pages are edited"
1251
+ #~ msgstr "Mettre à jour Twitter lorsque des pages WordPress sont modifiées"
1252
+
1253
+ #~ msgid "Text for page edit updates:"
1254
+ #~ msgstr "Texte pour l'annonce d'une modification de page"
1255
+
1256
+ #~ msgid ""
1257
+ #~ "Using WordPress as a URL shortener will send URLs to Twitter in the "
1258
+ #~ "default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</"
1259
+ #~ "code>. Google Analytics is not available when using WordPress shortened "
1260
+ #~ "URLs."
1261
+ #~ msgstr ""
1262
+ #~ "En choisssant WordPress comme réducteur d'URL vous enverrez des URL sur "
1263
+ #~ "Twitter au format URL par défaut pour WordPress : <code>http://domain.com/"
1264
+ #~ "wpdir/?p=123</code>. Lorsque vous utilisez des URL réduites avec "
1265
+ #~ "WordPress, Google Analytics n'est pas disponible."
1266
+
1267
+ #~ msgid "(<em>Saved</em>)"
1268
+ #~ msgstr "(<em>Enregistré</em>)"
1269
+
1270
+ #~ msgid ""
1271
+ #~ "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter."
1272
+ #~ "com'>Get one for free here</a>"
1273
+ #~ msgstr ""
1274
+ #~ "&raquo; <small>Vous ne connaissez pas Twitter ? <a href='http://www."
1275
+ #~ "twitter.com'>Inscrivez-vous dès maintenant</a>"
1276
+
1277
+ #~ msgid "Your Twitter account details"
1278
+ #~ msgstr "Détails de votre compte Twitter"
1279
+
1280
+ #~ msgid "These are your settings for Twitter as a second update service."
1281
+ #~ msgstr ""
1282
+ #~ "Voici vos réglages pour Twitter en tant que service secondaire de miseq à "
1283
+ #~ "jour."
1284
+
1285
+ #~ msgid "Your Twitter password:"
1286
+ #~ msgstr "Votre mot de passe Twitter :"
1287
+
1288
+ #~ msgid "Save Twitter Login Info"
1289
+ #~ msgstr "Enregistrer vos informations personnelles Twitter"
1290
+
1291
+ #~ msgid "Change Twitter-compatible Service"
1292
+ #~ msgstr "Changez de service compatible avec Twitter"
1293
+
1294
+ #~ msgid "URI for Twitter-compatible Post Status API"
1295
+ #~ msgstr "URI de l'API de notification de statuts compatible Twitter"
1296
+
1297
+ #~ msgid "Service Name"
1298
+ #~ msgstr "Nom du service"
1299
+
1300
+ #~ msgid "Status Update Character Limit"
1301
+ #~ msgstr "Limitation de caractères dans la mise à jour de statuts"
1302
+
1303
+ #~ msgid "Post status updates to both services."
1304
+ #~ msgstr "Poster des mises à jours de statuts sur les deux services."
1305
+
1306
+ #~ msgid "Reset to normal Twitter settings"
1307
+ #~ msgstr "Réinitialiser les réglages de Twitter"
1308
+
1309
+ #~ msgid ""
1310
+ #~ "&raquo; <small>You can use any service using the Twitter-compatible REST "
1311
+ #~ "API returning data in JSON format with this plugin. Twitter-compatible "
1312
+ #~ "services include <a href='http://identi.ca'>Identi.ca</a>, <a "
1313
+ #~ "href='http://shoutem.com'>Shoutem.com</a> and <a href='http://chirup."
1314
+ #~ "com'>Chirup.com</a>. <strong>No support will be provided for services "
1315
+ #~ "other than Twitter.</strong>"
1316
+ #~ msgstr ""
1317
+ #~ "&raquo; <small>Vous pouvez utiliser avec ce plugin tous les services "
1318
+ #~ "utilisant une API REST compatible avec Twitter et renvoyant les données "
1319
+ #~ "au format JSON. Les services compatibles avec Twitter comprennent <a "
1320
+ #~ "href='http://identi.ca'>Identi.ca</a>, <a href='http://shoutem."
1321
+ #~ "com'>Shoutem.com</a> et <a href='http://chirup.com'>Chirup.com</a>. "
1322
+ #~ "<strong>Aucune aide ne sera fournie pour les services autres que Twitter. "
1323
+
1324
+ #~ msgid "Add tags as hashtags on Tweets"
1325
+ #~ msgstr "Ajouter des hashtags (informations additionnelles) aux tweets"
1326
+
1327
+ #~ msgid "Update Twitter when a post is published using QuickPress"
1328
+ #~ msgstr ""
1329
+ #~ "Mettre à jour Twitter lorsqu'un billet est publié à l'aide de QuickPress"
1330
+
1331
+ #~ msgid ""
1332
+ #~ "Authors can set their own Twitter username and password in their user "
1333
+ #~ "profile."
1334
+ #~ msgstr ""
1335
+ #~ "Les auteurs peuvent choisir leur nom d'utilisateur et mot de passe "
1336
+ #~ "Twitter dans leur profil."
1337
+
1338
+ #~ msgid "Select which blog categories will be Tweeted. "
1339
+ #~ msgstr "Sélectionner les catégories du blog à tweeter"
1340
+
1341
+ #~ msgid "Enter your own Twitter password."
1342
+ #~ msgstr "Saisissez votre mot de passe Twitter"
1343
+
1344
+ #~ msgid "<em>Password saved</em>"
1345
+ #~ msgstr "<em>Mot de passe enregistré</em>"
1346
+
1347
+ #~ msgid "Your Twitter Password"
1348
+ #~ msgstr "Mot de passe Twitter"
1349
+
1350
+ #~ msgid "<p>Couldn't locate the settings page.</p>"
1351
+ #~ msgstr "<p>Page de réglages introuvable.</p>"
1352
+
1353
+ #~ msgid ""
1354
+ #~ "Updates Twitter when you create a new blog post or add to your blogroll "
1355
+ #~ "using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs "
1356
+ #~ "account with the name of your post as the title."
1357
+ #~ msgstr ""
1358
+ #~ "Mises à jour Twitter lorsque vous créez un nouveau billet ou ajoutez un "
1359
+ #~ "lien à votre blogroll à l'aide de Cli.gs. La clé API Cli.gs vous permet "
1360
+ #~ "de créer un clig dans votre compte Cli.gs en prenant le nom de votre "
1361
+ #~ "billet comme titre."
1362
+
1363
+ #~ msgid "Joseph Dolson"
1364
+ #~ msgstr "Joseph Dolson"
1365
+
1366
+ #~ msgid "http://www.joedolson.com/"
1367
+ #~ msgstr "http://www.joedolson.com/"
wp-to-twitter-ga_IR.po CHANGED
@@ -1,585 +1,585 @@
1
- # SOME DESCRIPTIVE TITLE.
2
- # Copyright (C) YEAR Joseph Dolson
3
- # This file is distributed under the same license as the PACKAGE package.
4
- # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
- #
6
- msgid ""
7
- msgstr ""
8
- "Project-Id-Version: WP to Twitter\n"
9
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
- "POT-Creation-Date: 2009-12-13 16:56+0000\n"
11
- "PO-Revision-Date: 2011-06-29 17:34+0530\n"
12
- "Last-Translator: Sarvita Kuamri <sarvita@outshinesolutions.com>\n"
13
- "Language-Team: Lets Be Famous.com <ray.s@letsbefamous.com>\n"
14
- "MIME-Version: 1.0\n"
15
- "Content-Type: text/plain; charset=UTF-8\n"
16
- "Content-Transfer-Encoding: 8bit\n"
17
- "X-Poedit-Language: Irish\n"
18
- "X-Poedit-Country: IRELAND\n"
19
-
20
- #: functions.php:123
21
- msgid "Twitter Password Saved"
22
- msgstr "Pasfhocal twitter Sábháilte"
23
-
24
- #: functions.php:125
25
- msgid "Twitter Password Not Saved"
26
- msgstr "Pasfhocal twitter Sábháilte"
27
-
28
- #: functions.php:128
29
- msgid "Bit.ly API Saved"
30
- msgstr "Bit.ly Sábháilte API"
31
-
32
- #: functions.php:130
33
- msgid "Bit.ly API Not Saved"
34
- msgstr "Gan API Sábháilte Bit.ly"
35
-
36
- #: functions.php:136
37
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Nascondi</a>] Má tá tú ag fulaingt dtrioblóid, le do thoil cóip na socruithe seo isteach in aon iarratas le haghaidh tacaíochta."
39
-
40
- #: wp-to-twitter-manager.php:63
41
- msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
- msgstr "Socraigh do chuid faisnéise agus URL Shortener logáil isteach Twitter API eolas seo a úsáid breiseán!"
43
-
44
- #: wp-to-twitter-manager.php:69
45
- msgid "Please add your Twitter password. "
46
- msgstr "Cuir do phasfhocal Twitter."
47
-
48
- #: wp-to-twitter-manager.php:75
49
- msgid "WP to Twitter Errors Cleared"
50
- msgstr "Cuir phasfhocal a dhéanamh Twitter."
51
-
52
- #: wp-to-twitter-manager.php:82
53
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
- msgstr "Tá brón orainn! Ní raibh mé in ann dul i dteagmháil leis na freastalaithe Twitter go hiar do blog post nua. Tá do tweet bheith stóráilte i réimse saincheaptha ghabhann leis an bpost, ionas gur féidir leat Tweet de láimh más mian leat!"
55
-
56
- #: wp-to-twitter-manager.php:84
57
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
- msgstr "Tá brón orainn! Ní raibh mé in ann dul i dteagmháil leis na freastalaithe Twitter go hiar do nasc nua <strong> </ strong>! Feicfidh tú a phost é de láimh, tá mé eagla."
59
-
60
- #: wp-to-twitter-manager.php:149
61
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
- msgstr "Tá Foinse Orainn! Ní raibh mé i dteagmháil ann dul i Leis na freastalaithe Twitter dul hiar dhéanamh NASC Nua <strong> </ strong>! Feicfidh Just a phost é de láimh, Tá Mé eagla."
63
-
64
- #: wp-to-twitter-manager.php:158
65
- msgid "WP to Twitter Options Updated"
66
- msgstr "WP le Roghanna Twitter Nuashonraithe"
67
-
68
- #: wp-to-twitter-manager.php:168
69
- msgid "Twitter login and password updated. "
70
- msgstr "Íomhá Réamhamhairc de Twitter WP Roghanna Nuashonraithe"
71
-
72
- #: wp-to-twitter-manager.php:170
73
- msgid "You need to provide your twitter login and password! "
74
- msgstr "Ní mór duit a chur ar fáil do twitter logáil isteach agus do phasfhocal!"
75
-
76
- #: wp-to-twitter-manager.php:177
77
- msgid "Cligs API Key Updated"
78
- msgstr "Cligs API Key Nuashonraithe"
79
-
80
- #: wp-to-twitter-manager.php:180
81
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
- msgstr "Cli.gs API Key scriosadh. Beidh Cli.gs cruthaithe ag WP le Twitter a thuilleadh a bheith bainteach le do chuntas."
83
-
84
- #: wp-to-twitter-manager.php:182
85
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
- msgstr "Cli.gs API Key nach gcuirtear isteach<a í - href='http://cli.gs/user/api/'> ceann a fháil anseo </ a>!"
87
-
88
- #: wp-to-twitter-manager.php:188
89
- msgid "Bit.ly API Key Updated."
90
- msgstr "API Key Nuashonraithe Bit.ly."
91
-
92
- #: wp-to-twitter-manager.php:191
93
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
- msgstr "API Key Bit.ly scriosadh. Ní féidir leat úsáid a bhaint ar an API Bit.ly gan eochair API."
95
-
96
- #: wp-to-twitter-manager.php:193
97
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
- msgstr "API Key Bit.ly scriosadh. Ní féidir Leat úsáid a bhaint Cruinniú le API gan Bit.ly Eochair API."
99
-
100
- #: wp-to-twitter-manager.php:197
101
- msgid " Bit.ly User Login Updated."
102
- msgstr "Logáil isteach Úsáideoir Nuashonraithe Bit.ly."
103
-
104
- #: wp-to-twitter-manager.php:200
105
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
- msgstr "Logáil isteach Úsáideoir Bit.ly scriosadh. Ní féidir leat úsáid a bhaint ar an API Bit.ly gan foráil a dhéanamh d'ainm úsáideora."
107
-
108
- #: wp-to-twitter-manager.php:202
109
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
- msgstr "Ní Logáil isteach Bit.ly - <a href='http://bit.ly/account/'> ceann a fháil anseo </ a>!"
111
-
112
- #: wp-to-twitter-manager.php:236
113
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
- msgstr "<li> teagmháil D'éirigh an API Cli.gs via Snoopy, ach theip ar an cruthú URL. </ li>"
115
-
116
- #: wp-to-twitter-manager.php:238
117
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
- msgstr "<li> teagmháil D'éirigh an API Cli.gs via Snoopy, ach earráid freastalaí Cli.gs cosc ar an URL ó bheith shrotened. </ li>"
119
-
120
- #: wp-to-twitter-manager.php:240
121
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy and created a shortened link.</li>"
122
- msgstr "<li> teagmháil D'Eirigh Cruinniú Cli.gs via API Snoopy, ACH earráid freastalaí Cli.gs Cosc Cruinniú URL Ó bheith shrotened. </ Li>"
123
-
124
- #: wp-to-twitter-manager.php:249
125
- #: wp-to-twitter-manager.php:274
126
- msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
- msgstr "<li> teagmháil D'éirigh an API Bit.ly trí Snoopy. </ li>"
128
-
129
- #: wp-to-twitter-manager.php:251
130
- #: wp-to-twitter-manager.php:276
131
- msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
- msgstr "<li> Theip dul i dteagmháil leis an API Bit.ly trí Snoopy. </ li>"
133
-
134
- #: wp-to-twitter-manager.php:254
135
- msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
- msgstr "Ní féidir <li> seiceáil ar an API Bit.ly gan eochair API bailí. </ li>"
137
-
138
- #: wp-to-twitter-manager.php:258
139
- msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
- msgstr "<li> teagmháil D'éirigh an API Twitter trí Snoopy. </ li>"
141
-
142
- #: wp-to-twitter-manager.php:260
143
- msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
- msgstr "<li> teagmháil D'Eirigh a Twitter API Trí Snoopy. </ Li>"
145
-
146
- #: wp-to-twitter-manager.php:266
147
- msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
- msgstr "<li> teagmháil D'éirigh an API Twitter trí curl. </ li>"
149
-
150
- #: wp-to-twitter-manager.php:268
151
- msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
- msgstr "<li> Theip dul i dteagmháil leis an API Twitter trí curl. </ li>"
153
-
154
- #: wp-to-twitter-manager.php:280
155
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
- msgstr "<li> teagmháil D'éirigh an API Cli.gs trí Snoopy. </ li>"
157
-
158
- #: wp-to-twitter-manager.php:283
159
- msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
- msgstr "<li> Theip dul i dteagmháil leis an API Cli.gs trí Snoopy. </ li>"
161
-
162
- #: wp-to-twitter-manager.php:288
163
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
- msgstr "<li> <strong> Ba chóir do fhreastalaí WP reáchtáil go rathúil le Twitter. </ strong> </ li>"
165
-
166
- #: wp-to-twitter-manager.php:293
167
- msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
- msgstr "<li> Níthacaíonn do fhreastalaí tacaíocht fputs <code> </ cód>. </ li>"
169
-
170
- #: wp-to-twitter-manager.php:297
171
- msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
- msgstr "<li> Ní thacaíonn do fhreastalaí tacaíocht file_get_contents <code> </ cód> nó <code> curl </ cód> feidhmeanna. </ li>"
173
-
174
- #: wp-to-twitter-manager.php:301
175
- msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
- msgstr "<li> Níthacaíonn do fhreastalaí tacaíocht <code> Snoopy </ cód>. </ li>"
177
-
178
- #: wp-to-twitter-manager.php:304
179
- msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
- msgstr "<li> Ní thacaíonn dhéanamh fhreastalaí tacaíocht file_get_contents <code> </ COD> aon <code> curl </ COD> feidhmeanna. </ Li>"
181
-
182
- #: wp-to-twitter-manager.php:313
183
- msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
- msgstr "<li> Ní thacaíonn dhéanamh fhreastalaí tacaíocht file_get_contents <code> </ COD> AON <code> curl </ COD> feidhmeanna. </ Li>"
185
-
186
- #: wp-to-twitter-manager.php:328
187
- msgid "WP to Twitter Options"
188
- msgstr "WP le Roghanna Twitter"
189
-
190
- #: wp-to-twitter-manager.php:332
191
- #: wp-to-twitter.php:794
192
- msgid "Get Support"
193
- msgstr "Faigh Tacaíocht"
194
-
195
- #: wp-to-twitter-manager.php:333
196
- msgid "Export Settings"
197
- msgstr "Socruithe Easpórtáil"
198
-
199
- #: wp-to-twitter-manager.php:347
200
- msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
- msgstr "I gcás aon réimse a thabhairt cothrom le dáta an bpost, is féidir leat úsáid an <code> cóid # teideal # </ cód> le haghaidh an teideal do blog post, <code> # blog # </ cód> le haghaidh an teideal do bhlag, <code> # iar # </ cód> do sliocht gearr ar ábhar an phoist, <code> # chatagóir # </ cód> don chéad chatagóir roghnaithe don phost, <code> # dáta # </ cód> do dháta an bpost, nó <code> # url # </ cód> don URL phost (ní giorraithe nó, ag brath ar do chuid sainroghanna.) Is féidir leat a chruthú chomh maith shortcodes saincheaptha chun rochtain a WordPress réimsí saincheaptha. Bain úsáid as lúibíní cearnacha dhó mórthimpeall an t-ainm de do réimse saincheaptha le luach na réimse sin saincheaptha a chur le do stádas cothrom le dáta. Sampla: <code> [[custom_field]] </ cód>"
202
-
203
- #: wp-to-twitter-manager.php:353
204
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
- msgstr "<p> Tá amháin nó níos mó de do phoist seo caite theip a sheoladh stádas cothrom le dáta é le Twitter. Tá do Tweet Sábháladh do réimsí saincheaptha i bpost, agus is féidir leat ath-Tweet sé ar do fóillíochta. </ P>"
206
-
207
- #: wp-to-twitter-manager.php:356
208
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
- msgstr "<p> an cheist leis an URL Shortener API theip, agus ní do URL raibh shrunk. Bhí ceangailte leis an URL phost iomlán le do Tweet. Seiceáil le do sholáthraí ghiorrú URL a fheiceáil má tá aon cheisteanna ar eolas. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
210
-
211
- #: wp-to-twitter-manager.php:363
212
- msgid "Clear 'WP to Twitter' Error Messages"
213
- msgstr "'WP le Twitter' Clear Teachtaireachtaí Earráid"
214
-
215
- #: wp-to-twitter-manager.php:371
216
- msgid "Set what should be in a Tweet"
217
- msgstr "Socraigh cad ba cheart a bheith i Tweet"
218
-
219
- #: wp-to-twitter-manager.php:374
220
- msgid "Update when a post is published"
221
- msgstr "Thabhairt cothrom le dáta nuair a bhíonn post foilsithe"
222
-
223
- #: wp-to-twitter-manager.php:374
224
- msgid "Text for new post updates:"
225
- msgstr "Téacs sé nuashonruithe phost nua:"
226
-
227
- #: wp-to-twitter-manager.php:379
228
- msgid "Update when a post is edited"
229
- msgstr "Thabhairt cothrom le dáta nuair a bhíonn post in eagar"
230
-
231
- #: wp-to-twitter-manager.php:379
232
- msgid "Text for editing updates:"
233
- msgstr "Téacs sé nuashonruithe eagarthóireacht:"
234
-
235
- #: wp-to-twitter-manager.php:383
236
- msgid "Update Twitter when new Wordpress Pages are published"
237
- msgstr "Thabhairt cothrom le dáta nuair a Twitter nua Leathanaigh Wordpress Foilsítear"
238
-
239
- #: wp-to-twitter-manager.php:383
240
- msgid "Text for new page updates:"
241
- msgstr "Téacs sé nuashonruithe Leathanach nua:"
242
-
243
- #: wp-to-twitter-manager.php:387
244
- msgid "Update Twitter when WordPress Pages are edited"
245
- msgstr "Thabhairt cothrom le dáta nuair a Twitter Leathanaigh WordPress atá in eagar"
246
-
247
- #: wp-to-twitter-manager.php:387
248
- msgid "Text for page edit updates:"
249
- msgstr "Téacs le haghaidh leathanach nuashonruithe in eagar:"
250
-
251
- #: wp-to-twitter-manager.php:391
252
- msgid "Add tags as hashtags on Tweets"
253
- msgstr "Clibeanna a chur leis mar hashtags ar Tweets"
254
-
255
- #: wp-to-twitter-manager.php:391
256
- msgid "Spaces replaced with:"
257
- msgstr "Spásanna in ionad sé le:"
258
-
259
- #: wp-to-twitter-manager.php:392
260
- msgid "Default replacement is an underscore (<code>_</code>)."
261
- msgstr "Is le béim a athsholáthar Réamhshocrú (<code>_</code>)."
262
-
263
- #: wp-to-twitter-manager.php:394
264
- msgid "Maximum number of tags to include:"
265
- msgstr "Líon uasta na clibeanna a chur san áireamh:"
266
-
267
- #: wp-to-twitter-manager.php:395
268
- msgid "Maximum length in characters for included tags:"
269
- msgstr "Fad uasta i gcarachtair do tags bhí:"
270
-
271
- #: wp-to-twitter-manager.php:396
272
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
- msgstr "Tugann na roghanna leat chun srian a chur ar an fad agus líon na clibeanna WordPress sheoladh chuig Twitter mar hashtags. Socraigh do <code> 0 </ cód> nó fág folamh chun deis a clibeanna ar bith agus go léir"
274
-
275
- #: wp-to-twitter-manager.php:400
276
- msgid "Update Twitter when you post a Blogroll link"
277
- msgstr "Thabhairt cothrom le dáta nuair a Twitter leat an bpost nasc Blogroll."
278
-
279
- #: wp-to-twitter-manager.php:401
280
- msgid "Text for new link updates:"
281
- msgstr "Téacs sé nuashonruithe nasc nua:"
282
-
283
- #: wp-to-twitter-manager.php:401
284
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
- msgstr "Shortcodes ar fáil:: <code>#url#</code>, <code>#title#</code> e <code>#description#</code>."
286
-
287
- #: wp-to-twitter-manager.php:404
288
- msgid "Length of post excerpt (in characters):"
289
- msgstr "Cruinniú Shortcodes available:"
290
-
291
- #: wp-to-twitter-manager.php:404
292
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
- msgstr "By default, bhaintear as an bpost é féin. Má úsáideann tú an 'Sliocht' réimse, a bheidh in úsáid ina áit."
294
-
295
- #: wp-to-twitter-manager.php:407
296
- msgid "WP to Twitter Date Formatting:"
297
- msgstr "WP a Formáidiú Dáta Twitter:"
298
-
299
- #: wp-to-twitter-manager.php:407
300
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
- msgstr "Réamhshocrú ó do socruithe ginearálta. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'> Doiciméadú Formáidiú Dáta </ a>."
302
-
303
- #: wp-to-twitter-manager.php:411
304
- msgid "Custom text before Tweets:"
305
- msgstr "Téacs an Chustaim roimh Curfá:"
306
-
307
- #: wp-to-twitter-manager.php:412
308
- msgid "Custom text after Tweets:"
309
- msgstr "Téacs an Chustaim i ndiaidh Curfá:"
310
-
311
- #: wp-to-twitter-manager.php:415
312
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
- msgstr "Réimse saincheaptha le haghaidh URL malartach a ghiorrú agus Tweeted:"
314
-
315
- #: wp-to-twitter-manager.php:416
316
- msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
- msgstr "Réimse saincheaptha le haghaidh URL malartach a ghiorrú agus Tweeted:"
318
-
319
- #: wp-to-twitter-manager.php:420
320
- msgid "Special Cases when WordPress should send a Tweet"
321
- msgstr "Cásanna speisialta nuair a ba chóir a sheoladh Tweet WordPress"
322
-
323
- #: wp-to-twitter-manager.php:423
324
- msgid "Set default Tweet status to 'No.'"
325
- msgstr "Stádas Tweet réamhshocraithe a shocraítear le 'Uimh'"
326
-
327
- #: wp-to-twitter-manager.php:424
328
- msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
- msgstr "Is féidir le nuashonruithe Twitter a shocrú ar an bpost í bhonn an bpost. By default, BEIDH post a chur sa phost le Twitter. Seo a sheiceáil leis an mainneachtain athrú UIMH."
330
-
331
- #: wp-to-twitter-manager.php:428
332
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
- msgstr "Seol Nuashonruithe Twitter ar fhoilseachán iargúlta (Post by R-phost nó XMLRPC Cliant)"
334
-
335
- #: wp-to-twitter-manager.php:432
336
- msgid "Update Twitter when a post is published using QuickPress"
337
- msgstr "Thabhairt cothrom le dáta nuair a bhíonn post Twitter foilsithe ag baint úsáide as QuickPress"
338
-
339
- #: wp-to-twitter-manager.php:436
340
- msgid "Special Fields"
341
- msgstr "Réimsí speisialta"
342
-
343
- #: wp-to-twitter-manager.php:439
344
- msgid "Use Google Analytics with WP-to-Twitter"
345
- msgstr "UBain úsáid as Google Analytics le WP-go-Twitter"
346
-
347
- #: wp-to-twitter-manager.php:440
348
- msgid "Campaign identifier for Google Analytics:"
349
- msgstr "Feachtas aitheantóir le haghaidh Google Analytics:"
350
-
351
- #: wp-to-twitter-manager.php:441
352
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
- msgstr "Feachtas aitheantóir le haghaidh Google Analytics:"
354
-
355
- #: wp-to-twitter-manager.php:446
356
- msgid "Authors have individual Twitter accounts"
357
- msgstr "Údair Tá cuntais Twitter aonair"
358
-
359
- #: wp-to-twitter-manager.php:446
360
- msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
- msgstr "Is féidir le gach údar a gcuid féin a leagtar Twitter ainm úsáideora agus pasfhocal i bpróifíl úsáideora. Beidh a gcuid post a sheoladh chuig gcuid cuntas Twitter féin."
362
-
363
- #: wp-to-twitter-manager.php:450
364
- msgid "Set your preferred URL Shortener"
365
- msgstr "Socraigh do URL Shortener fearr"
366
-
367
- #: wp-to-twitter-manager.php:453
368
- msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
- msgstr "Bain úsáid as Cli.gs <strong> </ strong> do mo URL Shortener."
370
-
371
- #: wp-to-twitter-manager.php:454
372
- msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
- msgstr "Bain úsáid as <strong> Bit.ly </ strong> do mo URL Shortener."
374
-
375
- #: wp-to-twitter-manager.php:455
376
- msgid "Use <strong>WordPress</strong> as a URL shortener."
377
- msgstr "Bain úsáid as WordPress <strong> </ strong> mar URL Shortener."
378
-
379
- #: wp-to-twitter-manager.php:456
380
- msgid "Don't shorten URLs."
381
- msgstr "Ná shorten URLs."
382
-
383
- #: wp-to-twitter-manager.php:457
384
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
- msgstr "Beidh úsáid WordPress mar URLanna a sheoladh chuig URL Shortener Twitter san fhormáid URL réamhshocraithe do WordPress: <code> http://domain.com/subdir/?p=123 </ cód>. Níl Google Analytics ar fáil nuair a úsáid WordPress URLanna ghiorrú."
386
-
387
- #: wp-to-twitter-manager.php:462
388
- msgid "Save WP->Twitter Options"
389
- msgstr "Sábháil WP-> Options Twitter"
390
-
391
- #: wp-to-twitter-manager.php:468
392
- msgid "Your Twitter account details"
393
- msgstr "Shonraí do chuntais Twitter"
394
-
395
- #: wp-to-twitter-manager.php:475
396
- msgid "Your Twitter username:"
397
- msgstr "Do Twitter ainm úsáideora:"
398
-
399
- #: wp-to-twitter-manager.php:479
400
- msgid "Your Twitter password:"
401
- msgstr "Do Twitter fhocal faire:"
402
-
403
- #: wp-to-twitter-manager.php:479
404
- msgid "(<em>Saved</em>)"
405
- msgstr "(<em>Salvato</em>)"
406
-
407
- #: wp-to-twitter-manager.php:483
408
- msgid "Save Twitter Login Info"
409
- msgstr "Sábháil Twitter Eolas Logáil isteach"
410
-
411
- #: wp-to-twitter-manager.php:483
412
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
- msgstr "Ná <small> bhfuil cuntas Twitter? <a href='http://www.twitter.com'> Faigh ceann saor in aisce anseo </ a>"
414
-
415
- #: wp-to-twitter-manager.php:487
416
- msgid "Your Cli.gs account details"
417
- msgstr "Shonraí do chuntais Cli.gs"
418
-
419
- #: wp-to-twitter-manager.php:494
420
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
- msgstr "Do Cli.gs cláir <abbr title='application programming interface'> API </ abbr> Eochair:"
422
-
423
- #: wp-to-twitter-manager.php:500
424
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
- msgstr "Ná bheith san áireamh Cli.gs nó Cligs eochair API? <a href='http://cli.gs/user/api/'> Faigh ceann saor in aisce anseo </ a>! <br /> Beidh ort eochair API d'fhonn a chomhlachú leis an Cligs a chruthú duit le do Cligs áireamh."
426
-
427
- #: wp-to-twitter-manager.php:505
428
- msgid "Your Bit.ly account details"
429
- msgstr "Shonraí do chuntais Bit.ly"
430
-
431
- #: wp-to-twitter-manager.php:510
432
- msgid "Your Bit.ly username:"
433
- msgstr "Do Bit.ly ainm úsáideora:"
434
-
435
- #: wp-to-twitter-manager.php:514
436
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
- msgstr "Do chláir title='application Bit.ly <abbr interface'> API </ abbr> Eochair:"
438
-
439
- #: wp-to-twitter-manager.php:521
440
- msgid "Save Bit.ly API Key"
441
- msgstr "Sábháil Bit.ly API Key"
442
-
443
- #: wp-to-twitter-manager.php:521
444
- msgid "Clear Bit.ly API Key"
445
- msgstr "Glan Bit.ly API Key"
446
-
447
- #: wp-to-twitter-manager.php:521
448
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
- msgstr "Tá eochair Bit.ly API agus ainm úsáideora gá URLanna a ghiorrú tríd an API Bit.ly agus WP le Twitter."
450
-
451
- #: wp-to-twitter-manager.php:530
452
- msgid "Check Support"
453
- msgstr "seiceáil Tacaíocht"
454
-
455
- #: wp-to-twitter-manager.php:530
456
- msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
- msgstr "Seiceáil an bhfuil tacaíocht do fhreastalaí WP a thabhairt ar cheisteanna Twitter chuig an Twitter agus APIs giorrú URL."
458
-
459
- #: wp-to-twitter-manager.php:538
460
- msgid "Need help?"
461
- msgstr "Cabhair uait?"
462
-
463
- #: wp-to-twitter-manager.php:539
464
- msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
- msgstr "An WP<a href='http://www.joedolson.com/articles/wp-to-twitter/'> <a Cuairt ar Twitter leathanach breiseán </ a>."
466
-
467
- #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
- #. Plugin Name of an extension
469
- #: wp-to-twitter.php:748
470
- msgid "WP to Twitter"
471
- msgstr "WP le Twitter"
472
-
473
- #: wp-to-twitter.php:789
474
- msgid "Twitter Post"
475
- msgstr "Iar twitter"
476
-
477
- #: wp-to-twitter.php:794
478
- msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
- msgstr "carachtair <br /> Twitter tá uasmhéid de 140 charachtair;. má tá do Cli.gs URL i gceangal leis an deireadh do doiciméad, tá tú 119 carachtair atá ar fáil. Is féidir leat úsáid <code> # url # </ cód>, <code> # teideal # </ cód>, <code> iar # # </ cód>, <code> # chatagóir # </ cód>, <code> # dáta # </ cód>, nó <code> # blag # </ cód> a chur isteach an URL a ghiorrú, teideal an phoist, an chéad chatagóir roghnaithe, an dáta an bpost, nó sliocht bpost í nó ainm bhlag isteach sa Tweet."
480
-
481
- #: wp-to-twitter.php:794
482
- msgid "Make a Donation"
483
- msgstr "Déan Síntiús"
484
-
485
- #: wp-to-twitter.php:797
486
- msgid "Don't Tweet this post."
487
- msgstr "Ná Tweet an post seo."
488
-
489
- #: wp-to-twitter.php:846
490
- msgid "WP to Twitter User Settings"
491
- msgstr "WP le Socruithe Úsáideoir Twitter"
492
-
493
- #: wp-to-twitter.php:850
494
- msgid "Use My Twitter Account"
495
- msgstr "Úsáid Mo Chuntas Twitter"
496
-
497
- #: wp-to-twitter.php:851
498
- msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
- msgstr "Roghnaigh an rogha seo más mian leat do chuid postálacha a bheith Tweeted isteach i do chuntas Twitter féin gan aon tagairtí @."
500
-
501
- #: wp-to-twitter.php:852
502
- msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
- msgstr "Tweet mo phoist isteach i mo chuntas Twitter le tagairt @ ar an suíomh ar chuntas Twitter is mó."
504
-
505
- #: wp-to-twitter.php:853
506
- msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
- msgstr "Tweet mo post isteach sa chuntas suíomh is mó Twitter le tagairt @ le mo ainm úsáideora. (Ní gá Pasfhocal leis an rogha seo.)"
508
-
509
- #: wp-to-twitter.php:856
510
- msgid "Your Twitter Username"
511
- msgstr "Do Twitter Ainm Úsáideora"
512
-
513
- #: wp-to-twitter.php:857
514
- msgid "Enter your own Twitter username."
515
- msgstr "Cuir isteach d'ainm úsáideora féin Twitter."
516
-
517
- #: wp-to-twitter.php:860
518
- msgid "Your Twitter Password"
519
- msgstr "Do Twitter Pasfhocal"
520
-
521
- #: wp-to-twitter.php:861
522
- msgid "Enter your own Twitter password."
523
- msgstr "Cuir isteach do phasfhocal Twitter féin."
524
-
525
- #: wp-to-twitter.php:980
526
- msgid "<p>Couldn't locate the settings page.</p>"
527
- msgstr "<p>Níorbh fhéidir teacht ar an leathanach suímh</p>"
528
-
529
- #: wp-to-twitter.php:985
530
- msgid "Settings"
531
- msgstr "Socruithe"
532
-
533
- #. Plugin URI of an extension
534
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
-
537
- #. Description of an extension
538
- msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
- msgstr "Twitter Nuashonruithe nuair a chruthú duit a blog post nua nó a chur le do blogroll ag baint úsáide as Cli.gs. Le eochair ar API Cli.gs, cruthaítear clig i do chuntas Cli.gs leis an ainm do phost mar an teideal."
540
-
541
- #. Author of an extension
542
- msgid "Joseph Dolson"
543
- msgstr "Joseph Dolson"
544
-
545
- #. Author URI of an extension
546
- msgid "http://www.joedolson.com/"
547
- msgstr "http://www.joedolson.com/"
548
-
549
- #~ msgid ""
550
- #~ "The query to the URL shortener API failed, and your URL was not shrunk. "
551
- #~ "The full post URL was attached to your Tweet."
552
- #~ msgstr ""
553
- #~ "La richiesta API per la creazione dell'URL breve é fallita: il tuo URL "
554
- #~ "non é stato abbreviato. E' stato allegato l'URL completo al tuo messaggio."
555
-
556
- #~ msgid "Add_new_tag"
557
- #~ msgstr "Add_new_tag"
558
-
559
- #~ msgid "This plugin may not work in your server environment."
560
- #~ msgstr "Questo plugin non può funzionare sul tuo server."
561
-
562
- #~ msgid "Wordpress to Twitter Publishing Options"
563
- #~ msgstr "Opzioni editoriali Wordpress to Twitter"
564
-
565
- #~ msgid "Provide link to blog?"
566
- #~ msgstr "Desideri il link al blog?"
567
-
568
- #~ msgid "Use <strong>link title</strong> for Twitter updates"
569
- #~ msgstr ""
570
- #~ "Utilizza un <strong>link di testo</strong> per gli aggiornamenti di "
571
- #~ "Twitter"
572
-
573
- #~ msgid "Use <strong>link description</strong> for Twitter updates"
574
- #~ msgstr ""
575
- #~ "Utilizza un <strong>link descrittivo</strong> per gli aggiornamenti di "
576
- #~ "Twitter"
577
-
578
- #~ msgid ""
579
- #~ "Text for new link updates (used if title/description isn't available.):"
580
- #~ msgstr ""
581
- #~ "Testo per il link ai nuovi aggiornamenti (se titolo/descrizione non "
582
- #~ "fossero disponibili):"
583
-
584
- #~ msgid "Custom text prepended to Tweets:"
585
- #~ msgstr "Testo personalizzato davanti al messaggio:"
1
+ # SOME DESCRIPTIVE TITLE.
2
+ # Copyright (C) YEAR Joseph Dolson
3
+ # This file is distributed under the same license as the PACKAGE package.
4
+ # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
+ #
6
+ msgid ""
7
+ msgstr ""
8
+ "Project-Id-Version: WP to Twitter\n"
9
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
+ "POT-Creation-Date: 2009-12-13 16:56+0000\n"
11
+ "PO-Revision-Date: 2011-06-29 17:34+0530\n"
12
+ "Last-Translator: Sarvita Kuamri <sarvita@outshinesolutions.com>\n"
13
+ "Language-Team: Lets Be Famous.com <ray.s@letsbefamous.com>\n"
14
+ "MIME-Version: 1.0\n"
15
+ "Content-Type: text/plain; charset=UTF-8\n"
16
+ "Content-Transfer-Encoding: 8bit\n"
17
+ "X-Poedit-Language: Irish\n"
18
+ "X-Poedit-Country: IRELAND\n"
19
+
20
+ #: functions.php:123
21
+ msgid "Twitter Password Saved"
22
+ msgstr "Pasfhocal twitter Sábháilte"
23
+
24
+ #: functions.php:125
25
+ msgid "Twitter Password Not Saved"
26
+ msgstr "Pasfhocal twitter Sábháilte"
27
+
28
+ #: functions.php:128
29
+ msgid "Bit.ly API Saved"
30
+ msgstr "Bit.ly Sábháilte API"
31
+
32
+ #: functions.php:130
33
+ msgid "Bit.ly API Not Saved"
34
+ msgstr "Gan API Sábháilte Bit.ly"
35
+
36
+ #: functions.php:136
37
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Nascondi</a>] Má tá tú ag fulaingt dtrioblóid, le do thoil cóip na socruithe seo isteach in aon iarratas le haghaidh tacaíochta."
39
+
40
+ #: wp-to-twitter-manager.php:63
41
+ msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
+ msgstr "Socraigh do chuid faisnéise agus URL Shortener logáil isteach Twitter API eolas seo a úsáid breiseán!"
43
+
44
+ #: wp-to-twitter-manager.php:69
45
+ msgid "Please add your Twitter password. "
46
+ msgstr "Cuir do phasfhocal Twitter."
47
+
48
+ #: wp-to-twitter-manager.php:75
49
+ msgid "WP to Twitter Errors Cleared"
50
+ msgstr "Cuir phasfhocal a dhéanamh Twitter."
51
+
52
+ #: wp-to-twitter-manager.php:82
53
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
+ msgstr "Tá brón orainn! Ní raibh mé in ann dul i dteagmháil leis na freastalaithe Twitter go hiar do blog post nua. Tá do tweet bheith stóráilte i réimse saincheaptha ghabhann leis an bpost, ionas gur féidir leat Tweet de láimh más mian leat!"
55
+
56
+ #: wp-to-twitter-manager.php:84
57
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
+ msgstr "Tá brón orainn! Ní raibh mé in ann dul i dteagmháil leis na freastalaithe Twitter go hiar do nasc nua <strong> </ strong>! Feicfidh tú a phost é de láimh, tá mé eagla."
59
+
60
+ #: wp-to-twitter-manager.php:149
61
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
+ msgstr "Tá Foinse Orainn! Ní raibh mé i dteagmháil ann dul i Leis na freastalaithe Twitter dul hiar dhéanamh NASC Nua <strong> </ strong>! Feicfidh Just a phost é de láimh, Tá Mé eagla."
63
+
64
+ #: wp-to-twitter-manager.php:158
65
+ msgid "WP to Twitter Options Updated"
66
+ msgstr "WP le Roghanna Twitter Nuashonraithe"
67
+
68
+ #: wp-to-twitter-manager.php:168
69
+ msgid "Twitter login and password updated. "
70
+ msgstr "Íomhá Réamhamhairc de Twitter WP Roghanna Nuashonraithe"
71
+
72
+ #: wp-to-twitter-manager.php:170
73
+ msgid "You need to provide your twitter login and password! "
74
+ msgstr "Ní mór duit a chur ar fáil do twitter logáil isteach agus do phasfhocal!"
75
+
76
+ #: wp-to-twitter-manager.php:177
77
+ msgid "Cligs API Key Updated"
78
+ msgstr "Cligs API Key Nuashonraithe"
79
+
80
+ #: wp-to-twitter-manager.php:180
81
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
+ msgstr "Cli.gs API Key scriosadh. Beidh Cli.gs cruthaithe ag WP le Twitter a thuilleadh a bheith bainteach le do chuntas."
83
+
84
+ #: wp-to-twitter-manager.php:182
85
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
+ msgstr "Cli.gs API Key nach gcuirtear isteach<a í - href='http://cli.gs/user/api/'> ceann a fháil anseo </ a>!"
87
+
88
+ #: wp-to-twitter-manager.php:188
89
+ msgid "Bit.ly API Key Updated."
90
+ msgstr "API Key Nuashonraithe Bit.ly."
91
+
92
+ #: wp-to-twitter-manager.php:191
93
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
+ msgstr "API Key Bit.ly scriosadh. Ní féidir leat úsáid a bhaint ar an API Bit.ly gan eochair API."
95
+
96
+ #: wp-to-twitter-manager.php:193
97
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
+ msgstr "API Key Bit.ly scriosadh. Ní féidir Leat úsáid a bhaint Cruinniú le API gan Bit.ly Eochair API."
99
+
100
+ #: wp-to-twitter-manager.php:197
101
+ msgid " Bit.ly User Login Updated."
102
+ msgstr "Logáil isteach Úsáideoir Nuashonraithe Bit.ly."
103
+
104
+ #: wp-to-twitter-manager.php:200
105
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
+ msgstr "Logáil isteach Úsáideoir Bit.ly scriosadh. Ní féidir leat úsáid a bhaint ar an API Bit.ly gan foráil a dhéanamh d'ainm úsáideora."
107
+
108
+ #: wp-to-twitter-manager.php:202
109
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
+ msgstr "Ní Logáil isteach Bit.ly - <a href='http://bit.ly/account/'> ceann a fháil anseo </ a>!"
111
+
112
+ #: wp-to-twitter-manager.php:236
113
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
+ msgstr "<li> teagmháil D'éirigh an API Cli.gs via Snoopy, ach theip ar an cruthú URL. </ li>"
115
+
116
+ #: wp-to-twitter-manager.php:238
117
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
+ msgstr "<li> teagmháil D'éirigh an API Cli.gs via Snoopy, ach earráid freastalaí Cli.gs cosc ar an URL ó bheith shrotened. </ li>"
119
+
120
+ #: wp-to-twitter-manager.php:240
121
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy and created a shortened link.</li>"
122
+ msgstr "<li> teagmháil D'Eirigh Cruinniú Cli.gs via API Snoopy, ACH earráid freastalaí Cli.gs Cosc Cruinniú URL Ó bheith shrotened. </ Li>"
123
+
124
+ #: wp-to-twitter-manager.php:249
125
+ #: wp-to-twitter-manager.php:274
126
+ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
+ msgstr "<li> teagmháil D'éirigh an API Bit.ly trí Snoopy. </ li>"
128
+
129
+ #: wp-to-twitter-manager.php:251
130
+ #: wp-to-twitter-manager.php:276
131
+ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
+ msgstr "<li> Theip dul i dteagmháil leis an API Bit.ly trí Snoopy. </ li>"
133
+
134
+ #: wp-to-twitter-manager.php:254
135
+ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
+ msgstr "Ní féidir <li> seiceáil ar an API Bit.ly gan eochair API bailí. </ li>"
137
+
138
+ #: wp-to-twitter-manager.php:258
139
+ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
+ msgstr "<li> teagmháil D'éirigh an API Twitter trí Snoopy. </ li>"
141
+
142
+ #: wp-to-twitter-manager.php:260
143
+ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
+ msgstr "<li> teagmháil D'Eirigh a Twitter API Trí Snoopy. </ Li>"
145
+
146
+ #: wp-to-twitter-manager.php:266
147
+ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
+ msgstr "<li> teagmháil D'éirigh an API Twitter trí curl. </ li>"
149
+
150
+ #: wp-to-twitter-manager.php:268
151
+ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
+ msgstr "<li> Theip dul i dteagmháil leis an API Twitter trí curl. </ li>"
153
+
154
+ #: wp-to-twitter-manager.php:280
155
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
+ msgstr "<li> teagmháil D'éirigh an API Cli.gs trí Snoopy. </ li>"
157
+
158
+ #: wp-to-twitter-manager.php:283
159
+ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
+ msgstr "<li> Theip dul i dteagmháil leis an API Cli.gs trí Snoopy. </ li>"
161
+
162
+ #: wp-to-twitter-manager.php:288
163
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
+ msgstr "<li> <strong> Ba chóir do fhreastalaí WP reáchtáil go rathúil le Twitter. </ strong> </ li>"
165
+
166
+ #: wp-to-twitter-manager.php:293
167
+ msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
+ msgstr "<li> Níthacaíonn do fhreastalaí tacaíocht fputs <code> </ cód>. </ li>"
169
+
170
+ #: wp-to-twitter-manager.php:297
171
+ msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
+ msgstr "<li> Ní thacaíonn do fhreastalaí tacaíocht file_get_contents <code> </ cód> nó <code> curl </ cód> feidhmeanna. </ li>"
173
+
174
+ #: wp-to-twitter-manager.php:301
175
+ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
+ msgstr "<li> Níthacaíonn do fhreastalaí tacaíocht <code> Snoopy </ cód>. </ li>"
177
+
178
+ #: wp-to-twitter-manager.php:304
179
+ msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
+ msgstr "<li> Ní thacaíonn dhéanamh fhreastalaí tacaíocht file_get_contents <code> </ COD> aon <code> curl </ COD> feidhmeanna. </ Li>"
181
+
182
+ #: wp-to-twitter-manager.php:313
183
+ msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
+ msgstr "<li> Ní thacaíonn dhéanamh fhreastalaí tacaíocht file_get_contents <code> </ COD> AON <code> curl </ COD> feidhmeanna. </ Li>"
185
+
186
+ #: wp-to-twitter-manager.php:328
187
+ msgid "WP to Twitter Options"
188
+ msgstr "WP le Roghanna Twitter"
189
+
190
+ #: wp-to-twitter-manager.php:332
191
+ #: wp-to-twitter.php:794
192
+ msgid "Get Support"
193
+ msgstr "Faigh Tacaíocht"
194
+
195
+ #: wp-to-twitter-manager.php:333
196
+ msgid "Export Settings"
197
+ msgstr "Socruithe Easpórtáil"
198
+
199
+ #: wp-to-twitter-manager.php:347
200
+ msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
+ msgstr "I gcás aon réimse a thabhairt cothrom le dáta an bpost, is féidir leat úsáid an <code> cóid # teideal # </ cód> le haghaidh an teideal do blog post, <code> # blog # </ cód> le haghaidh an teideal do bhlag, <code> # iar # </ cód> do sliocht gearr ar ábhar an phoist, <code> # chatagóir # </ cód> don chéad chatagóir roghnaithe don phost, <code> # dáta # </ cód> do dháta an bpost, nó <code> # url # </ cód> don URL phost (ní giorraithe nó, ag brath ar do chuid sainroghanna.) Is féidir leat a chruthú chomh maith shortcodes saincheaptha chun rochtain a WordPress réimsí saincheaptha. Bain úsáid as lúibíní cearnacha dhó mórthimpeall an t-ainm de do réimse saincheaptha le luach na réimse sin saincheaptha a chur le do stádas cothrom le dáta. Sampla: <code> [[custom_field]] </ cód>"
202
+
203
+ #: wp-to-twitter-manager.php:353
204
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
+ msgstr "<p> Tá amháin nó níos mó de do phoist seo caite theip a sheoladh stádas cothrom le dáta é le Twitter. Tá do Tweet Sábháladh do réimsí saincheaptha i bpost, agus is féidir leat ath-Tweet sé ar do fóillíochta. </ P>"
206
+
207
+ #: wp-to-twitter-manager.php:356
208
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
+ msgstr "<p> an cheist leis an URL Shortener API theip, agus ní do URL raibh shrunk. Bhí ceangailte leis an URL phost iomlán le do Tweet. Seiceáil le do sholáthraí ghiorrú URL a fheiceáil má tá aon cheisteanna ar eolas. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
210
+
211
+ #: wp-to-twitter-manager.php:363
212
+ msgid "Clear 'WP to Twitter' Error Messages"
213
+ msgstr "'WP le Twitter' Clear Teachtaireachtaí Earráid"
214
+
215
+ #: wp-to-twitter-manager.php:371
216
+ msgid "Set what should be in a Tweet"
217
+ msgstr "Socraigh cad ba cheart a bheith i Tweet"
218
+
219
+ #: wp-to-twitter-manager.php:374
220
+ msgid "Update when a post is published"
221
+ msgstr "Thabhairt cothrom le dáta nuair a bhíonn post foilsithe"
222
+
223
+ #: wp-to-twitter-manager.php:374
224
+ msgid "Text for new post updates:"
225
+ msgstr "Téacs sé nuashonruithe phost nua:"
226
+
227
+ #: wp-to-twitter-manager.php:379
228
+ msgid "Update when a post is edited"
229
+ msgstr "Thabhairt cothrom le dáta nuair a bhíonn post in eagar"
230
+
231
+ #: wp-to-twitter-manager.php:379
232
+ msgid "Text for editing updates:"
233
+ msgstr "Téacs sé nuashonruithe eagarthóireacht:"
234
+
235
+ #: wp-to-twitter-manager.php:383
236
+ msgid "Update Twitter when new Wordpress Pages are published"
237
+ msgstr "Thabhairt cothrom le dáta nuair a Twitter nua Leathanaigh Wordpress Foilsítear"
238
+
239
+ #: wp-to-twitter-manager.php:383
240
+ msgid "Text for new page updates:"
241
+ msgstr "Téacs sé nuashonruithe Leathanach nua:"
242
+
243
+ #: wp-to-twitter-manager.php:387
244
+ msgid "Update Twitter when WordPress Pages are edited"
245
+ msgstr "Thabhairt cothrom le dáta nuair a Twitter Leathanaigh WordPress atá in eagar"
246
+
247
+ #: wp-to-twitter-manager.php:387
248
+ msgid "Text for page edit updates:"
249
+ msgstr "Téacs le haghaidh leathanach nuashonruithe in eagar:"
250
+
251
+ #: wp-to-twitter-manager.php:391
252
+ msgid "Add tags as hashtags on Tweets"
253
+ msgstr "Clibeanna a chur leis mar hashtags ar Tweets"
254
+
255
+ #: wp-to-twitter-manager.php:391
256
+ msgid "Spaces replaced with:"
257
+ msgstr "Spásanna in ionad sé le:"
258
+
259
+ #: wp-to-twitter-manager.php:392
260
+ msgid "Default replacement is an underscore (<code>_</code>)."
261
+ msgstr "Is le béim a athsholáthar Réamhshocrú (<code>_</code>)."
262
+
263
+ #: wp-to-twitter-manager.php:394
264
+ msgid "Maximum number of tags to include:"
265
+ msgstr "Líon uasta na clibeanna a chur san áireamh:"
266
+
267
+ #: wp-to-twitter-manager.php:395
268
+ msgid "Maximum length in characters for included tags:"
269
+ msgstr "Fad uasta i gcarachtair do tags bhí:"
270
+
271
+ #: wp-to-twitter-manager.php:396
272
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
+ msgstr "Tugann na roghanna leat chun srian a chur ar an fad agus líon na clibeanna WordPress sheoladh chuig Twitter mar hashtags. Socraigh do <code> 0 </ cód> nó fág folamh chun deis a clibeanna ar bith agus go léir"
274
+
275
+ #: wp-to-twitter-manager.php:400
276
+ msgid "Update Twitter when you post a Blogroll link"
277
+ msgstr "Thabhairt cothrom le dáta nuair a Twitter leat an bpost nasc Blogroll."
278
+
279
+ #: wp-to-twitter-manager.php:401
280
+ msgid "Text for new link updates:"
281
+ msgstr "Téacs sé nuashonruithe nasc nua:"
282
+
283
+ #: wp-to-twitter-manager.php:401
284
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
+ msgstr "Shortcodes ar fáil:: <code>#url#</code>, <code>#title#</code> e <code>#description#</code>."
286
+
287
+ #: wp-to-twitter-manager.php:404
288
+ msgid "Length of post excerpt (in characters):"
289
+ msgstr "Cruinniú Shortcodes available:"
290
+
291
+ #: wp-to-twitter-manager.php:404
292
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
+ msgstr "By default, bhaintear as an bpost é féin. Má úsáideann tú an 'Sliocht' réimse, a bheidh in úsáid ina áit."
294
+
295
+ #: wp-to-twitter-manager.php:407
296
+ msgid "WP to Twitter Date Formatting:"
297
+ msgstr "WP a Formáidiú Dáta Twitter:"
298
+
299
+ #: wp-to-twitter-manager.php:407
300
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
+ msgstr "Réamhshocrú ó do socruithe ginearálta. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'> Doiciméadú Formáidiú Dáta </ a>."
302
+
303
+ #: wp-to-twitter-manager.php:411
304
+ msgid "Custom text before Tweets:"
305
+ msgstr "Téacs an Chustaim roimh Curfá:"
306
+
307
+ #: wp-to-twitter-manager.php:412
308
+ msgid "Custom text after Tweets:"
309
+ msgstr "Téacs an Chustaim i ndiaidh Curfá:"
310
+
311
+ #: wp-to-twitter-manager.php:415
312
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
+ msgstr "Réimse saincheaptha le haghaidh URL malartach a ghiorrú agus Tweeted:"
314
+
315
+ #: wp-to-twitter-manager.php:416
316
+ msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
+ msgstr "Réimse saincheaptha le haghaidh URL malartach a ghiorrú agus Tweeted:"
318
+
319
+ #: wp-to-twitter-manager.php:420
320
+ msgid "Special Cases when WordPress should send a Tweet"
321
+ msgstr "Cásanna speisialta nuair a ba chóir a sheoladh Tweet WordPress"
322
+
323
+ #: wp-to-twitter-manager.php:423
324
+ msgid "Set default Tweet status to 'No.'"
325
+ msgstr "Stádas Tweet réamhshocraithe a shocraítear le 'Uimh'"
326
+
327
+ #: wp-to-twitter-manager.php:424
328
+ msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
+ msgstr "Is féidir le nuashonruithe Twitter a shocrú ar an bpost í bhonn an bpost. By default, BEIDH post a chur sa phost le Twitter. Seo a sheiceáil leis an mainneachtain athrú UIMH."
330
+
331
+ #: wp-to-twitter-manager.php:428
332
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
+ msgstr "Seol Nuashonruithe Twitter ar fhoilseachán iargúlta (Post by R-phost nó XMLRPC Cliant)"
334
+
335
+ #: wp-to-twitter-manager.php:432
336
+ msgid "Update Twitter when a post is published using QuickPress"
337
+ msgstr "Thabhairt cothrom le dáta nuair a bhíonn post Twitter foilsithe ag baint úsáide as QuickPress"
338
+
339
+ #: wp-to-twitter-manager.php:436
340
+ msgid "Special Fields"
341
+ msgstr "Réimsí speisialta"
342
+
343
+ #: wp-to-twitter-manager.php:439
344
+ msgid "Use Google Analytics with WP-to-Twitter"
345
+ msgstr "UBain úsáid as Google Analytics le WP-go-Twitter"
346
+
347
+ #: wp-to-twitter-manager.php:440
348
+ msgid "Campaign identifier for Google Analytics:"
349
+ msgstr "Feachtas aitheantóir le haghaidh Google Analytics:"
350
+
351
+ #: wp-to-twitter-manager.php:441
352
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
+ msgstr "Feachtas aitheantóir le haghaidh Google Analytics:"
354
+
355
+ #: wp-to-twitter-manager.php:446
356
+ msgid "Authors have individual Twitter accounts"
357
+ msgstr "Údair Tá cuntais Twitter aonair"
358
+
359
+ #: wp-to-twitter-manager.php:446
360
+ msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
+ msgstr "Is féidir le gach údar a gcuid féin a leagtar Twitter ainm úsáideora agus pasfhocal i bpróifíl úsáideora. Beidh a gcuid post a sheoladh chuig gcuid cuntas Twitter féin."
362
+
363
+ #: wp-to-twitter-manager.php:450
364
+ msgid "Set your preferred URL Shortener"
365
+ msgstr "Socraigh do URL Shortener fearr"
366
+
367
+ #: wp-to-twitter-manager.php:453
368
+ msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
+ msgstr "Bain úsáid as Cli.gs <strong> </ strong> do mo URL Shortener."
370
+
371
+ #: wp-to-twitter-manager.php:454
372
+ msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
+ msgstr "Bain úsáid as <strong> Bit.ly </ strong> do mo URL Shortener."
374
+
375
+ #: wp-to-twitter-manager.php:455
376
+ msgid "Use <strong>WordPress</strong> as a URL shortener."
377
+ msgstr "Bain úsáid as WordPress <strong> </ strong> mar URL Shortener."
378
+
379
+ #: wp-to-twitter-manager.php:456
380
+ msgid "Don't shorten URLs."
381
+ msgstr "Ná shorten URLs."
382
+
383
+ #: wp-to-twitter-manager.php:457
384
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
+ msgstr "Beidh úsáid WordPress mar URLanna a sheoladh chuig URL Shortener Twitter san fhormáid URL réamhshocraithe do WordPress: <code> http://domain.com/subdir/?p=123 </ cód>. Níl Google Analytics ar fáil nuair a úsáid WordPress URLanna ghiorrú."
386
+
387
+ #: wp-to-twitter-manager.php:462
388
+ msgid "Save WP->Twitter Options"
389
+ msgstr "Sábháil WP-> Options Twitter"
390
+
391
+ #: wp-to-twitter-manager.php:468
392
+ msgid "Your Twitter account details"
393
+ msgstr "Shonraí do chuntais Twitter"
394
+
395
+ #: wp-to-twitter-manager.php:475
396
+ msgid "Your Twitter username:"
397
+ msgstr "Do Twitter ainm úsáideora:"
398
+
399
+ #: wp-to-twitter-manager.php:479
400
+ msgid "Your Twitter password:"
401
+ msgstr "Do Twitter fhocal faire:"
402
+
403
+ #: wp-to-twitter-manager.php:479
404
+ msgid "(<em>Saved</em>)"
405
+ msgstr "(<em>Salvato</em>)"
406
+
407
+ #: wp-to-twitter-manager.php:483
408
+ msgid "Save Twitter Login Info"
409
+ msgstr "Sábháil Twitter Eolas Logáil isteach"
410
+
411
+ #: wp-to-twitter-manager.php:483
412
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
+ msgstr "Ná <small> bhfuil cuntas Twitter? <a href='http://www.twitter.com'> Faigh ceann saor in aisce anseo </ a>"
414
+
415
+ #: wp-to-twitter-manager.php:487
416
+ msgid "Your Cli.gs account details"
417
+ msgstr "Shonraí do chuntais Cli.gs"
418
+
419
+ #: wp-to-twitter-manager.php:494
420
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
+ msgstr "Do Cli.gs cláir <abbr title='application programming interface'> API </ abbr> Eochair:"
422
+
423
+ #: wp-to-twitter-manager.php:500
424
+ msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
+ msgstr "Ná bheith san áireamh Cli.gs nó Cligs eochair API? <a href='http://cli.gs/user/api/'> Faigh ceann saor in aisce anseo </ a>! <br /> Beidh ort eochair API d'fhonn a chomhlachú leis an Cligs a chruthú duit le do Cligs áireamh."
426
+
427
+ #: wp-to-twitter-manager.php:505
428
+ msgid "Your Bit.ly account details"
429
+ msgstr "Shonraí do chuntais Bit.ly"
430
+
431
+ #: wp-to-twitter-manager.php:510
432
+ msgid "Your Bit.ly username:"
433
+ msgstr "Do Bit.ly ainm úsáideora:"
434
+
435
+ #: wp-to-twitter-manager.php:514
436
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
+ msgstr "Do chláir title='application Bit.ly <abbr interface'> API </ abbr> Eochair:"
438
+
439
+ #: wp-to-twitter-manager.php:521
440
+ msgid "Save Bit.ly API Key"
441
+ msgstr "Sábháil Bit.ly API Key"
442
+
443
+ #: wp-to-twitter-manager.php:521
444
+ msgid "Clear Bit.ly API Key"
445
+ msgstr "Glan Bit.ly API Key"
446
+
447
+ #: wp-to-twitter-manager.php:521
448
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
+ msgstr "Tá eochair Bit.ly API agus ainm úsáideora gá URLanna a ghiorrú tríd an API Bit.ly agus WP le Twitter."
450
+
451
+ #: wp-to-twitter-manager.php:530
452
+ msgid "Check Support"
453
+ msgstr "seiceáil Tacaíocht"
454
+
455
+ #: wp-to-twitter-manager.php:530
456
+ msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
+ msgstr "Seiceáil an bhfuil tacaíocht do fhreastalaí WP a thabhairt ar cheisteanna Twitter chuig an Twitter agus APIs giorrú URL."
458
+
459
+ #: wp-to-twitter-manager.php:538
460
+ msgid "Need help?"
461
+ msgstr "Cabhair uait?"
462
+
463
+ #: wp-to-twitter-manager.php:539
464
+ msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
+ msgstr "An WP<a href='http://www.joedolson.com/articles/wp-to-twitter/'> <a Cuairt ar Twitter leathanach breiseán </ a>."
466
+
467
+ #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
+ #. Plugin Name of an extension
469
+ #: wp-to-twitter.php:748
470
+ msgid "WP to Twitter"
471
+ msgstr "WP le Twitter"
472
+
473
+ #: wp-to-twitter.php:789
474
+ msgid "Twitter Post"
475
+ msgstr "Iar twitter"
476
+
477
+ #: wp-to-twitter.php:794
478
+ msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
+ msgstr "carachtair <br /> Twitter tá uasmhéid de 140 charachtair;. má tá do Cli.gs URL i gceangal leis an deireadh do doiciméad, tá tú 119 carachtair atá ar fáil. Is féidir leat úsáid <code> # url # </ cód>, <code> # teideal # </ cód>, <code> iar # # </ cód>, <code> # chatagóir # </ cód>, <code> # dáta # </ cód>, nó <code> # blag # </ cód> a chur isteach an URL a ghiorrú, teideal an phoist, an chéad chatagóir roghnaithe, an dáta an bpost, nó sliocht bpost í nó ainm bhlag isteach sa Tweet."
480
+
481
+ #: wp-to-twitter.php:794
482
+ msgid "Make a Donation"
483
+ msgstr "Déan Síntiús"
484
+
485
+ #: wp-to-twitter.php:797
486
+ msgid "Don't Tweet this post."
487
+ msgstr "Ná Tweet an post seo."
488
+
489
+ #: wp-to-twitter.php:846
490
+ msgid "WP to Twitter User Settings"
491
+ msgstr "WP le Socruithe Úsáideoir Twitter"
492
+
493
+ #: wp-to-twitter.php:850
494
+ msgid "Use My Twitter Account"
495
+ msgstr "Úsáid Mo Chuntas Twitter"
496
+
497
+ #: wp-to-twitter.php:851
498
+ msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
+ msgstr "Roghnaigh an rogha seo más mian leat do chuid postálacha a bheith Tweeted isteach i do chuntas Twitter féin gan aon tagairtí @."
500
+
501
+ #: wp-to-twitter.php:852
502
+ msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
+ msgstr "Tweet mo phoist isteach i mo chuntas Twitter le tagairt @ ar an suíomh ar chuntas Twitter is mó."
504
+
505
+ #: wp-to-twitter.php:853
506
+ msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
+ msgstr "Tweet mo post isteach sa chuntas suíomh is mó Twitter le tagairt @ le mo ainm úsáideora. (Ní gá Pasfhocal leis an rogha seo.)"
508
+
509
+ #: wp-to-twitter.php:856
510
+ msgid "Your Twitter Username"
511
+ msgstr "Do Twitter Ainm Úsáideora"
512
+
513
+ #: wp-to-twitter.php:857
514
+ msgid "Enter your own Twitter username."
515
+ msgstr "Cuir isteach d'ainm úsáideora féin Twitter."
516
+
517
+ #: wp-to-twitter.php:860
518
+ msgid "Your Twitter Password"
519
+ msgstr "Do Twitter Pasfhocal"
520
+
521
+ #: wp-to-twitter.php:861
522
+ msgid "Enter your own Twitter password."
523
+ msgstr "Cuir isteach do phasfhocal Twitter féin."
524
+
525
+ #: wp-to-twitter.php:980
526
+ msgid "<p>Couldn't locate the settings page.</p>"
527
+ msgstr "<p>Níorbh fhéidir teacht ar an leathanach suímh</p>"
528
+
529
+ #: wp-to-twitter.php:985
530
+ msgid "Settings"
531
+ msgstr "Socruithe"
532
+
533
+ #. Plugin URI of an extension
534
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
+
537
+ #. Description of an extension
538
+ msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
+ msgstr "Twitter Nuashonruithe nuair a chruthú duit a blog post nua nó a chur le do blogroll ag baint úsáide as Cli.gs. Le eochair ar API Cli.gs, cruthaítear clig i do chuntas Cli.gs leis an ainm do phost mar an teideal."
540
+
541
+ #. Author of an extension
542
+ msgid "Joseph Dolson"
543
+ msgstr "Joseph Dolson"
544
+
545
+ #. Author URI of an extension
546
+ msgid "http://www.joedolson.com/"
547
+ msgstr "http://www.joedolson.com/"
548
+
549
+ #~ msgid ""
550
+ #~ "The query to the URL shortener API failed, and your URL was not shrunk. "
551
+ #~ "The full post URL was attached to your Tweet."
552
+ #~ msgstr ""
553
+ #~ "La richiesta API per la creazione dell'URL breve é fallita: il tuo URL "
554
+ #~ "non é stato abbreviato. E' stato allegato l'URL completo al tuo messaggio."
555
+
556
+ #~ msgid "Add_new_tag"
557
+ #~ msgstr "Add_new_tag"
558
+
559
+ #~ msgid "This plugin may not work in your server environment."
560
+ #~ msgstr "Questo plugin non può funzionare sul tuo server."
561
+
562
+ #~ msgid "Wordpress to Twitter Publishing Options"
563
+ #~ msgstr "Opzioni editoriali Wordpress to Twitter"
564
+
565
+ #~ msgid "Provide link to blog?"
566
+ #~ msgstr "Desideri il link al blog?"
567
+
568
+ #~ msgid "Use <strong>link title</strong> for Twitter updates"
569
+ #~ msgstr ""
570
+ #~ "Utilizza un <strong>link di testo</strong> per gli aggiornamenti di "
571
+ #~ "Twitter"
572
+
573
+ #~ msgid "Use <strong>link description</strong> for Twitter updates"
574
+ #~ msgstr ""
575
+ #~ "Utilizza un <strong>link descrittivo</strong> per gli aggiornamenti di "
576
+ #~ "Twitter"
577
+
578
+ #~ msgid ""
579
+ #~ "Text for new link updates (used if title/description isn't available.):"
580
+ #~ msgstr ""
581
+ #~ "Testo per il link ai nuovi aggiornamenti (se titolo/descrizione non "
582
+ #~ "fossero disponibili):"
583
+
584
+ #~ msgid "Custom text prepended to Tweets:"
585
+ #~ msgstr "Testo personalizzato davanti al messaggio:"
wp-to-twitter-it_IT.mo CHANGED
Binary file
wp-to-twitter-it_IT.po CHANGED
@@ -1,1462 +1,1082 @@
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 italiano\n"
9
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
- "POT-Creation-Date: 2012-01-05 21:17:55+00:00\n"
11
- "PO-Revision-Date: 2012-01-11 09:50+0100\n"
12
- "Last-Translator: Gianni Diurno (aka gidibao) <gidibao[at]gmail[dot]com>\n"
13
- "Language-Team: Gianni Diurno | gidibao.net & charmingpress.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: Italian\n"
18
- "X-Poedit-Country: ITALY\n"
19
- "X-Poedit-KeywordsList: __;_e\n"
20
- "X-Poedit-Basepath: ../\n"
21
- "X-Poedit-SourceCharset: utf-8\n"
22
- "X-Poedit-SearchPath-0: .\n"
23
-
24
- #: wp-to-twitter-manager.php:6
25
- msgid "WP to Twitter Errors Cleared"
26
- msgstr "Gli errori WP to Twitter sono stati azzerati"
27
-
28
- #: wp-to-twitter-manager.php:94
29
- msgid "WP to Twitter is now connected with Twitter."
30
- msgstr "WP to Twitter é ora connesso a Twitter."
31
-
32
- #: wp-to-twitter-manager.php:104
33
- msgid "OAuth Authentication Data Cleared."
34
- msgstr "I dati della autentificazione OAuth sono stati svuotati."
35
-
36
- #: wp-to-twitter-manager.php:111
37
- 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."
38
- msgstr "Autentificazione OAuth fallita. L'ora del tuo sever non é sicronizzata con i server di Twitter. Comunica il problema al tuo fornitore di hosting."
39
-
40
- #: wp-to-twitter-manager.php:118
41
- msgid "OAuth Authentication response not understood."
42
- msgstr "Risposta Autentificazione OAuth non valida."
43
-
44
- #: wp-to-twitter-manager.php:128
45
- 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! "
46
- msgstr "Non é stato possibile contattare i server di Twitter per comunicare l'aggiornamento avvenuto. Il tuo messaggio é stato inserito in un campo personalizzato in allegato all'articolo in modo tale che tu possa compiere manualmente l'operazione!"
47
-
48
- #: wp-to-twitter-manager.php:130
49
- 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. "
50
- msgstr "Non é stato possibile contattare i server di Twitter per comunicare il tuo <strong>nuovo link</strong>. Prova a compiere manualmente l'operazione."
51
-
52
- #: wp-to-twitter-manager.php:162
53
- msgid "WP to Twitter Advanced Options Updated"
54
- msgstr "Le opzioni avanzate di WP to Twitter sono state aggiornate"
55
-
56
- #: wp-to-twitter-manager.php:184
57
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
58
- msgstr "E' necessario che tu inserisca i dati per il login e la chiave API di Bit.ly in modo da potere abbreviare gli URL con Bit.ly."
59
-
60
- #: wp-to-twitter-manager.php:188
61
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
62
- msgstr "E' necessario che tu inserisca il tuo URL remoto a YOURLS, il login e la password in modo da potere abbreviare gli URL attraverso la tua installazione remota di YOURLS."
63
-
64
- #: wp-to-twitter-manager.php:192
65
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
66
- msgstr "E' necessario che tu inserisca il percorso al server del tuo YOURLS in modo da potere abbreviare gli URL attraverso la tua installazione remota di YOURLS."
67
-
68
- #: wp-to-twitter-manager.php:195
69
- msgid "WP to Twitter Options Updated"
70
- msgstr "Le opzioni di WP to Twitter sono state aggiornate"
71
-
72
- #: wp-to-twitter-manager.php:203
73
- msgid "Category limits updated."
74
- msgstr "I limiti per la categoria sono stati aggiornati."
75
-
76
- #: wp-to-twitter-manager.php:207
77
- msgid "Category limits unset."
78
- msgstr "Le limitazioni alle categorie non sono state impostate."
79
-
80
- #: wp-to-twitter-manager.php:214
81
- msgid "YOURLS password updated. "
82
- msgstr "La password di YOURLS é stata aggiornata."
83
-
84
- #: wp-to-twitter-manager.php:217
85
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
86
- msgstr "La tua password di YOURLS é stata cancellata. Non potrai utilizzare il tuo account remoto YOURLS per la creazione di URL brevi."
87
-
88
- #: wp-to-twitter-manager.php:219
89
- msgid "Failed to save your YOURLS password! "
90
- msgstr "Non é stato possibile salvare la tua password di YOURLS!"
91
-
92
- #: wp-to-twitter-manager.php:223
93
- msgid "YOURLS username added. "
94
- msgstr "Il nome utente YOURLS é stato aggiunto."
95
-
96
- #: wp-to-twitter-manager.php:227
97
- msgid "YOURLS API url added. "
98
- msgstr "L'url alla API YOURLS é stato aggiunto. "
99
-
100
- #: wp-to-twitter-manager.php:230
101
- msgid "YOURLS API url removed. "
102
- msgstr "L'url alla API YOURLS é stato rimosso. "
103
-
104
- #: wp-to-twitter-manager.php:235
105
- msgid "YOURLS local server path added. "
106
- msgstr "Il percorso al server locale di YOURLS é stato aggiunto. "
107
-
108
- #: wp-to-twitter-manager.php:237
109
- msgid "The path to your YOURLS installation is not correct. "
110
- msgstr "Il percorso alla tua installazione di YOURLS non é corretto. "
111
-
112
- #: wp-to-twitter-manager.php:241
113
- msgid "YOURLS local server path removed. "
114
- msgstr "Il percorso al server locale di YOURLS é stato rimosso. "
115
-
116
- #: wp-to-twitter-manager.php:246
117
- msgid "YOURLS will use Post ID for short URL slug."
118
- msgstr "YOURLS utilizzerà Post ID per lo slug degli URL brevi."
119
-
120
- #: wp-to-twitter-manager.php:248
121
- msgid "YOURLS will use your custom keyword for short URL slug."
122
- msgstr "YOURLS utilizzerà la tua keyword personalizzata per lo slug degli URL brevi."
123
-
124
- #: wp-to-twitter-manager.php:252
125
- msgid "YOURLS will not use Post ID for the short URL slug."
126
- msgstr "YOURLS non utilizzerà Post ID per lo slug degli URL brevi."
127
-
128
- #: wp-to-twitter-manager.php:260
129
- msgid "Su.pr API Key and Username Updated"
130
- msgstr "La chiave API ed il nome utente di Su.pr sono stati aggiornati"
131
-
132
- #: wp-to-twitter-manager.php:264
133
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
134
- 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. "
135
-
136
- #: wp-to-twitter-manager.php:266
137
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
138
- msgstr "Non é stata inserita la chiave API di Su.pr - <a href='http://su.pr/'>vai qui</a>! "
139
-
140
- #: wp-to-twitter-manager.php:272
141
- msgid "Bit.ly API Key Updated."
142
- msgstr "La chiave API di Bit.ly é stata aggiornata."
143
-
144
- #: wp-to-twitter-manager.php:275
145
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
146
- msgstr "La chiave API di Bit.ly é stata cancellata. Non puoi utilizzare la API di Bit.ly senza la chiave API. "
147
-
148
- #: wp-to-twitter-manager.php:277
149
- 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."
150
- 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."
151
-
152
- #: wp-to-twitter-manager.php:281
153
- msgid " Bit.ly User Login Updated."
154
- msgstr " Il login utente per Bit.ly é stato aggiornato."
155
-
156
- #: wp-to-twitter-manager.php:284
157
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
158
- 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. "
159
-
160
- #: wp-to-twitter-manager.php:286
161
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
162
- msgstr "Non sono stati inseriti i dati per il login a Bit.ly - <a href='http://bit.ly/account/'>vai qui</a>! "
163
-
164
- #: wp-to-twitter-manager.php:309
165
- msgid "No error information is available for your shortener."
166
- msgstr "Nessuna informazione di errore disponibile per il tuo abbreviatore."
167
-
168
- #: wp-to-twitter-manager.php:311
169
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
170
- 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>"
171
-
172
- #: wp-to-twitter-manager.php:314
173
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
174
- 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:"
175
-
176
- #: wp-to-twitter-manager.php:322
177
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
178
- msgstr "<li><strong>WP to Twitter ha inviato con successo l'aggiornamento dello stato a Twitter.</strong></li>"
179
-
180
- #: wp-to-twitter-manager.php:325
181
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
182
- msgstr "<li class=\"error\"><strong>WP to Twitter non é stato in grado di inviare l'aggiornamento a Twitter.</strong></li>"
183
-
184
- #: wp-to-twitter-manager.php:329
185
- msgid "You have not connected WordPress to Twitter."
186
- msgstr "Non hai connesso WordPress a Twitter."
187
-
188
- #: wp-to-twitter-manager.php:333
189
- 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>"
190
- 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>"
191
-
192
- #: wp-to-twitter-manager.php:337
193
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
194
- msgstr "<li><strong>WP to Twitter funziona correttamente per il tuo server.</strong></li>"
195
-
196
- #: wp-to-twitter-manager.php:354
197
- msgid "WP to Twitter Options"
198
- msgstr "Opzioni WP to Twitter"
199
-
200
- #: wp-to-twitter-manager.php:359
201
- msgid "Pledge to new features"
202
- msgstr "Nuove funzioni in arrivo"
203
-
204
- #: wp-to-twitter-manager.php:360
205
- #: wp-to-twitter.php:906
206
- msgid "Make a Donation"
207
- msgstr "Effettua una donazione"
208
-
209
- #: wp-to-twitter-manager.php:360
210
- msgid "View Settings"
211
- msgstr "Visualizza impostazioni"
212
-
213
- #: wp-to-twitter-manager.php:360
214
- #: wp-to-twitter.php:906
215
- msgid "Get Support"
216
- msgstr "Supporto"
217
-
218
- #: wp-to-twitter-manager.php:376
219
- msgid "<strong>Notice</strong>: I can no longer provide help with WP to Twitter without your support. My apologies."
220
- msgstr "<strong>Avviso</strong>: non sono più in grado di offrire un supporto gratuito su WP to Twitter."
221
-
222
- #: wp-to-twitter-manager.php:381
223
- msgid "Shortcodes available in post update templates:"
224
- msgstr "Shortcode disponibili nei template aggiornamento post:"
225
-
226
- #: wp-to-twitter-manager.php:383
227
- msgid "<code>#title#</code>: the title of your blog post"
228
- msgstr "<code>#title#</code>: il titolo del tuo post"
229
-
230
- #: wp-to-twitter-manager.php:384
231
- msgid "<code>#blog#</code>: the title of your blog"
232
- msgstr "<code>#blog#</code>: il titolo del tuo blog"
233
-
234
- #: wp-to-twitter-manager.php:385
235
- msgid "<code>#post#</code>: a short excerpt of the post content"
236
- msgstr "<code>#post#</code>: un breve riassunto dei contenuti del post"
237
-
238
- #: wp-to-twitter-manager.php:386
239
- msgid "<code>#category#</code>: the first selected category for the post"
240
- msgstr "<code>#category#</code>: la prima categoria selezionata per il post"
241
-
242
- #: wp-to-twitter-manager.php:387
243
- msgid "<code>#date#</code>: the post date"
244
- msgstr "<code>#date#</code>: la data del post"
245
-
246
- #: wp-to-twitter-manager.php:388
247
- msgid "<code>#url#</code>: the post URL"
248
- msgstr "<code>#url#</code>: l'URL del post"
249
-
250
- #: wp-to-twitter-manager.php:389
251
- msgid "<code>#author#</code>: the post author"
252
- msgstr "<code>#author#</code>: l'autore del post"
253
-
254
- #: wp-to-twitter-manager.php:390
255
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
256
- msgstr "<code>#account#</code>: il riferimento Twitter @ per l'account (o per l'autore, previa attivazione ed impostazione.)"
257
-
258
- #: wp-to-twitter-manager.php:392
259
- 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>"
260
- 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>"
261
-
262
- #: wp-to-twitter-manager.php:397
263
- 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>"
264
- msgstr "<p>Uno o più dei tuoi articoli recenti non é stato in grado di comunicare l'aggiornamento a Twitter. Il tuo messaggio é stato inserito nei dati meta del campo personalizzato del tuo articolo in modo tale che tu possa ripetere l'operazione a tuo piacere.</p>"
265
-
266
- #: wp-to-twitter-manager.php:401
267
- 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>"
268
- msgstr "<p>La richiesta alla API é fallita! Non essendo stato possibile abbreviare l'URL abbiamo utilizzato per il messaggio l'URL completo. Verifica la documentazione in merito presso il tuo provider di URL brevi. [<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>"
269
-
270
- #: wp-to-twitter-manager.php:408
271
- msgid "Clear 'WP to Twitter' Error Messages"
272
- msgstr "Svuota i messaggiodi errore 'WP to Twitter'"
273
-
274
- #: wp-to-twitter-manager.php:421
275
- msgid "Basic Settings"
276
- msgstr "Impostazioni di base"
277
-
278
- #: wp-to-twitter-manager.php:425
279
- #: wp-to-twitter-manager.php:489
280
- msgid "Save WP->Twitter Options"
281
- msgstr "Salva le opzioni WP->Twitter"
282
-
283
- #: wp-to-twitter-manager.php:455
284
- msgid "Settings for Comments"
285
- msgstr "Impostazioni commenti"
286
-
287
- #: wp-to-twitter-manager.php:458
288
- msgid "Update Twitter when new comments are posted"
289
- msgstr "Aggiorna Twitter quando vengono inviati nuovi commenti"
290
-
291
- #: wp-to-twitter-manager.php:459
292
- msgid "Text for new comments:"
293
- msgstr "Testo per nuovi commenti:"
294
-
295
- #: wp-to-twitter-manager.php:461
296
- 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. <strong>Use this feature at your own risk</strong>, as it provides the ability for anybody who can post a comment on your site to post a phrase of their choice in your Twitter stream."
297
- msgstr "In aggiunta agli short tag di cui sopra, puoi utilizzare <code>#commenter#</code> per pubblicare il nome del commentatore del messaggio. <strong>Usa a tuo rischio questa funzione</strong> perchè chiunque possa inserire un commento nei tuoi articoli sarà in grado di pubblicare una frase di suo piacimento nel tuo Twitter stream."
298
-
299
- #: wp-to-twitter-manager.php:464
300
- msgid "Settings for Links"
301
- msgstr "Impostazioni link"
302
-
303
- #: wp-to-twitter-manager.php:467
304
- msgid "Update Twitter when you post a Blogroll link"
305
- msgstr "Aggiorna Twitter quando viene aggiunto un nuovo link al blogroll"
306
-
307
- #: wp-to-twitter-manager.php:468
308
- msgid "Text for new link updates:"
309
- msgstr "Testo per gli aggiornamenti di un nuovo link:"
310
-
311
- #: wp-to-twitter-manager.php:468
312
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
313
- msgstr "Shortcode disponibili: <code>#url#</code>, <code>#title#</code> e <code>#description#</code>."
314
-
315
- #: wp-to-twitter-manager.php:472
316
- msgid "Choose your short URL service (account settings below)"
317
- msgstr "Scegli il tuo servizio per gli URL brevi (impostazioni account qui sotto)"
318
-
319
- #: wp-to-twitter-manager.php:475
320
- msgid "Don't shorten URLs."
321
- msgstr "Non usare gli URL brevi"
322
-
323
- #: wp-to-twitter-manager.php:476
324
- msgid "Use Su.pr for my URL shortener."
325
- msgstr "Usa Su.pr per creare gli URL brevi."
326
-
327
- #: wp-to-twitter-manager.php:477
328
- msgid "Use Bit.ly for my URL shortener."
329
- msgstr "Usa Bit.ly per gli URL brevi"
330
-
331
- #: wp-to-twitter-manager.php:478
332
- msgid "Use Goo.gl as a URL shortener."
333
- msgstr "Usa Goo.gl per gli URL brevi."
334
-
335
- #: wp-to-twitter-manager.php:479
336
- msgid "YOURLS (installed on this server)"
337
- msgstr "YOURLS (intallato in questo server)"
338
-
339
- #: wp-to-twitter-manager.php:480
340
- msgid "YOURLS (installed on a remote server)"
341
- msgstr "YOURLS (intallato in un server remoto)"
342
-
343
- #: wp-to-twitter-manager.php:481
344
- msgid "Use WordPress as a URL shortener."
345
- msgstr "Usa WordPress per gli URL brevi."
346
-
347
- #: wp-to-twitter-manager.php:483
348
- 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."
349
- msgstr "L'utilizzo di WordPress per la creazione di URL brevi farà sì che verranno inviati a Twitter gli URL nel formato predefinito di WordPress: <code>http://domain.com/wpdir/?p=123</code> . Google Analytics non sarà disponibile durante l'utilizzo di WordPress per la creazione di URL brevi."
350
-
351
- #: wp-to-twitter-manager.php:498
352
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
353
- msgstr "Impostazione account abbreviatore <abbr title=\"Uniform Resource Locator\">URL</abbr>"
354
-
355
- #: wp-to-twitter-manager.php:502
356
- msgid "Your Su.pr account details"
357
- msgstr "Dati account Su.pr"
358
-
359
- #: wp-to-twitter-manager.php:507
360
- msgid "Your Su.pr Username:"
361
- msgstr "Nome utente Su.pr:"
362
-
363
- #: wp-to-twitter-manager.php:511
364
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
365
- msgstr "La tua chiave <abbr title='application programming interface'>API</abbr> di Su.pr:"
366
-
367
- #: wp-to-twitter-manager.php:517
368
- 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."
369
- 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."
370
-
371
- #: wp-to-twitter-manager.php:522
372
- msgid "Your Bit.ly account details"
373
- msgstr "Dati account Bit.ly"
374
-
375
- #: wp-to-twitter-manager.php:526
376
- msgid "Your Bit.ly username:"
377
- msgstr "Nome utente Bit.ly:"
378
-
379
- #: wp-to-twitter-manager.php:528
380
- msgid "This must be a standard Bit.ly account. Your Twitter or Facebook log-in will not work."
381
- msgstr "Deve essere un account Bit.ly standard. Il tuo login Twitter o Facebook non funzionerà."
382
-
383
- #: wp-to-twitter-manager.php:530
384
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
385
- msgstr "La tua chiave <abbr title='application programming interface'>API</abbr> di Bit.ly:"
386
-
387
- #: wp-to-twitter-manager.php:537
388
- msgid "Save Bit.ly API Key"
389
- msgstr "Salva la chiave API di Bit.ly"
390
-
391
- #: wp-to-twitter-manager.php:537
392
- msgid "Clear Bit.ly API Key"
393
- msgstr "Svuota la chiave API di Bit.ly"
394
-
395
- #: wp-to-twitter-manager.php:537
396
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
397
- 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."
398
-
399
- #: wp-to-twitter-manager.php:542
400
- msgid "Your YOURLS account details"
401
- msgstr "I dettagli del tuo account YOURLS"
402
-
403
- #: wp-to-twitter-manager.php:546
404
- msgid "Path to your YOURLS config file (Local installations)"
405
- msgstr "Percorso al file di configurazione YOURLS (installazioni locali)"
406
-
407
- #: wp-to-twitter-manager.php:547
408
- #: wp-to-twitter-manager.php:551
409
- msgid "Example:"
410
- msgstr "Esempio:"
411
-
412
- #: wp-to-twitter-manager.php:550
413
- msgid "URI to the YOURLS API (Remote installations)"
414
- msgstr "URI alla API di YOURLS (installazioni remote)"
415
-
416
- #: wp-to-twitter-manager.php:554
417
- msgid "Your YOURLS username:"
418
- msgstr "Nome utente YOURLS:"
419
-
420
- #: wp-to-twitter-manager.php:558
421
- msgid "Your YOURLS password:"
422
- msgstr "Password YOURLS:"
423
-
424
- #: wp-to-twitter-manager.php:558
425
- msgid "<em>Saved</em>"
426
- msgstr "<em>Salvato</em>"
427
-
428
- #: wp-to-twitter-manager.php:562
429
- msgid "Post ID for YOURLS url slug."
430
- msgstr "ID post per lo slug degli url di YOURLS."
431
-
432
- #: wp-to-twitter-manager.php:563
433
- msgid "Custom keyword for YOURLS url slug."
434
- msgstr "Keyword personalizzata per lo slug degli url di YOURLS."
435
-
436
- #: wp-to-twitter-manager.php:564
437
- msgid "Default: sequential URL numbering."
438
- msgstr "Predefinito: numerazione sequenziale URL."
439
-
440
- #: wp-to-twitter-manager.php:570
441
- msgid "Save YOURLS Account Info"
442
- msgstr "Salva le info account di YOURLS"
443
-
444
- #: wp-to-twitter-manager.php:570
445
- msgid "Clear YOURLS password"
446
- msgstr "Svuota la password di YOURLS"
447
-
448
- #: wp-to-twitter-manager.php:570
449
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
450
- msgstr "E' necessario il nome utente e la password di affinché possano essere abbreviati gli URL via l'API remoto di YOURLS e di WP to Twitter."
451
-
452
- #: wp-to-twitter-manager.php:582
453
- msgid "Advanced Settings"
454
- msgstr "Impostazioni avanzate"
455
-
456
- #: wp-to-twitter-manager.php:586
457
- #: wp-to-twitter-manager.php:687
458
- msgid "Save Advanced WP->Twitter Options"
459
- msgstr "Salva avanzate WP->Opzioni Twitter"
460
-
461
- #: wp-to-twitter-manager.php:588
462
- msgid "Advanced Tweet settings"
463
- msgstr "Opzioni messaggio avanzate"
464
-
465
- #: wp-to-twitter-manager.php:590
466
- msgid "Add tags as hashtags on Tweets"
467
- msgstr "Aggiungi ai messaggi i tag come fossero degli hashtag "
468
-
469
- #: wp-to-twitter-manager.php:590
470
- msgid "Strip nonalphanumeric characters"
471
- msgstr "Rimuovi caratteri non alfanumerici"
472
-
473
- #: wp-to-twitter-manager.php:591
474
- msgid "Spaces replaced with:"
475
- msgstr "Sostituisci gli spazi con:"
476
-
477
- #: wp-to-twitter-manager.php:593
478
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
479
- msgstr "Il sostituto predefinito é un trattino breve (<code>_</code>). Usa <code>[ ]</code> per rimuovere gli spazi completamente."
480
-
481
- #: wp-to-twitter-manager.php:596
482
- msgid "Maximum number of tags to include:"
483
- msgstr "Numero massimo di tag da includere:"
484
-
485
- #: wp-to-twitter-manager.php:597
486
- msgid "Maximum length in characters for included tags:"
487
- msgstr "Lunghezza massima in caratteri per i tag inclusi:"
488
-
489
- #: wp-to-twitter-manager.php:598
490
- 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."
491
- msgstr "Queste opzioni ti permetteranno di limitare la lunghezza ed il numero dei tag WordPress inviati a Twitter come hashtags. Imposta a <code>0</code> oppure lascia in bianco per permettere ogni tag."
492
-
493
- #: wp-to-twitter-manager.php:601
494
- msgid "Length of post excerpt (in characters):"
495
- msgstr "Lunghezza riassunto messaggi (in caratteri)"
496
-
497
- #: wp-to-twitter-manager.php:601
498
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
499
- msgstr "Come funzione predefinita, gli estratti verranno generati in automatico. Utilizzassi il campo 'Excerpt', questi avrà la priorità."
500
-
501
- #: wp-to-twitter-manager.php:604
502
- msgid "WP to Twitter Date Formatting:"
503
- msgstr "Formattazione data WP to Twitter:"
504
-
505
- #: wp-to-twitter-manager.php:605
506
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
507
- msgstr "Predefinito dalle impostazioni generali. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Info formattazione data</a>."
508
-
509
- #: wp-to-twitter-manager.php:609
510
- msgid "Custom text before all Tweets:"
511
- msgstr "Testo personalizzato prima di tutti i messaggi:"
512
-
513
- #: wp-to-twitter-manager.php:610
514
- msgid "Custom text after all Tweets:"
515
- msgstr "Testo personalizzato dopo tutti i messaggi:"
516
-
517
- #: wp-to-twitter-manager.php:613
518
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
519
- msgstr "Campo personalizzato riferito ad un URL alternativo da abbreviare ed inviare a Twitter:"
520
-
521
- #: wp-to-twitter-manager.php:614
522
- 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."
523
- msgstr "Puoi utilizzare un campo personalizzato per inviare un URL alternativo per il tuo articolo. Questo valore é il nome del campo personalizzato che utilizzerai per aggiungere un URL esterno."
524
-
525
- #: wp-to-twitter-manager.php:618
526
- msgid "Special Cases when WordPress should send a Tweet"
527
- msgstr "Casi particolari nei quali WordPress dovrebbe inviare un messaggio"
528
-
529
- #: wp-to-twitter-manager.php:621
530
- msgid "Do not post status updates by default"
531
- msgstr "Non aggiornare lo stato dei post (predefinito)"
532
-
533
- #: wp-to-twitter-manager.php:622
534
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
535
- msgstr "Come funzione predefinita, tutti i post che soddisfano i requisiti saranno pubblicati su Twitter. Metti il segno di spunta per modificare le impostazioni."
536
-
537
- #: wp-to-twitter-manager.php:626
538
- msgid "Allow status updates from Quick Edit"
539
- msgstr "Permetti aggiornamenti stato via Quick Edit"
540
-
541
- #: wp-to-twitter-manager.php:627
542
- msgid "If checked, all posts edited individually or in bulk through the Quick Edit feature will be tweeted."
543
- msgstr "Se attivo, tutti gli articoli modificati singolarmente/massa via Quick Edit saranno inviati a Twitter."
544
-
545
- #: wp-to-twitter-manager.php:632
546
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
547
- msgstr "Invio degli aggiornamenti di Twitter via punti di pubblicazione remoti (Email o client XMLRPC)"
548
-
549
- #: wp-to-twitter-manager.php:636
550
- msgid "Google Analytics Settings"
551
- msgstr "Impostazioni Google Analytics"
552
-
553
- #: wp-to-twitter-manager.php:637
554
- 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."
555
- 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."
556
-
557
- #: wp-to-twitter-manager.php:641
558
- msgid "Use a Static Identifier with WP-to-Twitter"
559
- msgstr "Utilizza un identificatore statico per WP-to-Twitter"
560
-
561
- #: wp-to-twitter-manager.php:642
562
- msgid "Static Campaign identifier for Google Analytics:"
563
- msgstr "Identificatore statico Google Analytics:"
564
-
565
- #: wp-to-twitter-manager.php:646
566
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
567
- msgstr "Utilizza un identificatore dinamico per Google Analytics e WP-to-Twitter"
568
-
569
- #: wp-to-twitter-manager.php:647
570
- msgid "What dynamic identifier would you like to use?"
571
- msgstr "Quale identificatore dinamico desideri utilizzare?"
572
-
573
- #: wp-to-twitter-manager.php:649
574
- msgid "Category"
575
- msgstr "Categoria"
576
-
577
- #: wp-to-twitter-manager.php:650
578
- msgid "Post ID"
579
- msgstr "ID post"
580
-
581
- #: wp-to-twitter-manager.php:651
582
- msgid "Post Title"
583
- msgstr "Titolo post"
584
-
585
- #: wp-to-twitter-manager.php:652
586
- #: wp-to-twitter-manager.php:666
587
- msgid "Author"
588
- msgstr "Autore"
589
-
590
- #: wp-to-twitter-manager.php:657
591
- msgid "Individual Authors"
592
- msgstr "Autori singoli"
593
-
594
- #: wp-to-twitter-manager.php:660
595
- msgid "Authors have individual Twitter accounts"
596
- msgstr "Gli autori hanno degli account personali su Twitter"
597
-
598
- #: wp-to-twitter-manager.php:660
599
- 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."
600
- msgstr "Gli autori possono impostare il proprio nome utente nel loro profilo utente. Potrà essere aggiunto il solo riferimento @ all'autore. Questo riferimento @ verrà posizionato facendo uso dello shortcode <code>#account#</code>. (Verrà utilizzato l'account principale se gli account utente non saranno attivati.)"
601
-
602
- #: wp-to-twitter-manager.php:663
603
- msgid "Choose the lowest user group that can add their Twitter information"
604
- msgstr "Scegli il ruolo utente di minima che può aggiungere le proprie info Twitter "
605
-
606
- #: wp-to-twitter-manager.php:664
607
- msgid "Subscriber"
608
- msgstr "Sottoscrittore"
609
-
610
- #: wp-to-twitter-manager.php:665
611
- msgid "Contributor"
612
- msgstr "Collaboratore"
613
-
614
- #: wp-to-twitter-manager.php:667
615
- msgid "Editor"
616
- msgstr "Editore"
617
-
618
- #: wp-to-twitter-manager.php:668
619
- msgid "Administrator"
620
- msgstr "Amministratore"
621
-
622
- #: wp-to-twitter-manager.php:673
623
- msgid "Disable Error Messages"
624
- msgstr "Disattiva i messaggi di errore"
625
-
626
- #: wp-to-twitter-manager.php:675
627
- msgid "Disable global URL shortener error messages."
628
- msgstr "Disattiva i messaggi di errore abbreviatore URL globale."
629
-
630
- #: wp-to-twitter-manager.php:676
631
- msgid "Disable global Twitter API error messages."
632
- msgstr "Disattiva i messaggi di errore globali API Twitter."
633
-
634
- #: wp-to-twitter-manager.php:677
635
- msgid "Disable notification to implement OAuth"
636
- msgstr "Disattiva la notifica per implementare OAuth"
637
-
638
- #: wp-to-twitter-manager.php:679
639
- msgid "Get Debugging Data for OAuth Connection"
640
- msgstr "Ottieni i dati di Debugging per la connessione OAuth"
641
-
642
- #: wp-to-twitter-manager.php:681
643
- msgid "I made a donation, so stop whinging at me, please."
644
- msgstr "Ho effettuato una donazione."
645
-
646
- #: wp-to-twitter-manager.php:695
647
- msgid "Limit Updating Categories"
648
- msgstr "Limite aggiornamento categorie"
649
-
650
- #: wp-to-twitter-manager.php:698
651
- msgid "Select which blog categories will be Tweeted. Uncheck all categories to disable category limits."
652
- msgstr "Seleziona quali categorie del blog saranno oggetto dei messaggi su Twitter. Seleziona tutte le categorie per disattivare i limiti categoria. "
653
-
654
- #: wp-to-twitter-manager.php:701
655
- msgid "<em>Category limits are disabled.</em>"
656
- msgstr "<em>Le limitazioni alle categorie non sono attive.</em>"
657
-
658
- #: wp-to-twitter-manager.php:712
659
- msgid "Get Plug-in Support"
660
- msgstr "Supporto plugin"
661
-
662
- #: wp-to-twitter-manager.php:714
663
- msgid "Support requests without a donation will not be answered, but will be treated as bug reports."
664
- msgstr "Le richieste di supporto prive di una donazione non riceveranno risposta (saranno considerate come bug report)."
665
-
666
- #: wp-to-twitter-manager.php:723
667
- msgid "Check Support"
668
- msgstr "Attiva"
669
-
670
- #: wp-to-twitter-manager.php:723
671
- 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."
672
- msgstr "Utilizzare nel caso in cui il tuo server supportasse le query di <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> per Twitter e per le API per l'abbreviazione degli URL. Questo test invierà a Twitter un aggiornamento dello stato e renderà breve l'URL utilizzando il metodo da te selezionato."
673
-
674
- #: wp-to-twitter-oauth.php:104
675
- msgid "There was an error querying Twitter's servers."
676
- msgstr "Si è verificato un errore durante la richiesta ai server di Twitter."
677
-
678
- #: wp-to-twitter-oauth.php:111
679
- #: wp-to-twitter-oauth.php:154
680
- msgid "Connect to Twitter"
681
- msgstr "Collegati a Twitter"
682
-
683
- #: wp-to-twitter-oauth.php:113
684
- #: wp-to-twitter-oauth.php:185
685
- msgid "Your server time:"
686
- msgstr "Ora del tuo server:"
687
-
688
- #: wp-to-twitter-oauth.php:113
689
- msgid "Twitter\\'s current server time:"
690
- msgstr "Ora del server di Twitter:"
691
-
692
- #: wp-to-twitter-oauth.php:113
693
- msgid "If these times are not within 5 minutes of each other, your server will not be able to connect to Twitter."
694
- msgstr "Se questi tempi non fossero entro 5 minnuti, il tuo server non sarà in grado di connettersi con Twitter."
695
-
696
- #: wp-to-twitter-oauth.php:114
697
- 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."
698
- msgstr "La procedura di impostazione della autentificazione OAuth per il tuo sito é piuttosto laboriosa nonché confusa. Comunque, questa é l'unica soluzione disponibile. Ti ricordo che non potrai inserire il tuo nome utente oppure la password di Twitter in WP to Twitter poiché essi non verranno utilizzati per l'autentificazione OAuth."
699
-
700
- #: wp-to-twitter-oauth.php:117
701
- msgid "1. Register this site as an application on "
702
- msgstr "1. Registra questo sito come una applicazione sulla "
703
-
704
- #: wp-to-twitter-oauth.php:117
705
- msgid "Twitter's application registration page"
706
- msgstr "pagina di registrazione applicazione Twitter"
707
-
708
- #: wp-to-twitter-oauth.php:119
709
- msgid "If you're not currently logged in, log-in with the Twitter username and password which you want associated with this site"
710
- msgstr "Qualora non fossi collegato, utilizza il nome utente e la password di Twitter che desideri associare a questo sito"
711
-
712
- #: wp-to-twitter-oauth.php:120
713
- 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."
714
- msgstr "Il nome della tua applicazione sarà quello che appare dopo \"via\" nel tuo twitter stream. Il nome per la tua applicazione non potrà includere la parola \"Twitter.\" Usa il nome del tuo sito."
715
-
716
- #: wp-to-twitter-oauth.php:121
717
- msgid "Your Application Description can be whatever you want."
718
- msgstr "La descrizione per la tua applicazione é un testo a tua discrezione."
719
-
720
- #: wp-to-twitter-oauth.php:122
721
- msgid "The WebSite and Callback URL should be "
722
- msgstr "Il sito web ed il Callback URL dovrebbere essere "
723
-
724
- #: wp-to-twitter-oauth.php:124
725
- msgid "Agree to the Developer Rules of the Road and continue."
726
- msgstr "Acconsenti a Developer Rules of the Road e prosegui."
727
-
728
- #: wp-to-twitter-oauth.php:125
729
- msgid "2. Switch to \"Settings\" tab in Twitter apps"
730
- msgstr "2. Vai alla tab \"Settings\" sotto Twitter apps"
731
-
732
- #: wp-to-twitter-oauth.php:127
733
- msgid "Select \"Read and Write\" for the Application Type"
734
- msgstr "Seleziona \"Read and Write\" per il tipo di applicazione"
735
-
736
- #: wp-to-twitter-oauth.php:128
737
- msgid "Update the application settings"
738
- msgstr "Aggiorna impostazioni applicazione"
739
-
740
- #: wp-to-twitter-oauth.php:129
741
- msgid "Return to Details tab and create your access token. Refresh page to view your access tokens."
742
- msgstr "Ritorna alla tab Dettaglio e crea il tuo token di accesso. Ricarica la pagina per vedere i tuoi token."
743
-
744
- #: wp-to-twitter-oauth.php:131
745
- msgid "Once you have registered your site as an application, you will be provided with four keys."
746
- msgstr "Una volta registrato il tuo sito come applicazione, ti saranno fornite quattro chiavi."
747
-
748
- #: wp-to-twitter-oauth.php:132
749
- msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
750
- msgstr "2. Copia ed incolla nei campi qui sotto la tua consumer key ed il consumer secret"
751
-
752
- #: wp-to-twitter-oauth.php:135
753
- msgid "Twitter Consumer Key"
754
- msgstr "Twitter Consumer Key"
755
-
756
- #: wp-to-twitter-oauth.php:139
757
- msgid "Twitter Consumer Secret"
758
- msgstr "Twitter Consumer Secret"
759
-
760
- #: wp-to-twitter-oauth.php:142
761
- msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
762
- msgstr "3. Copia ed incolla nei campi qui sotto il tuo token di accesso e secret"
763
-
764
- #: wp-to-twitter-oauth.php:143
765
- msgid "If the Access level reported for your Access Token is not \"Read and write\", you need to go back to step 2 and generate a new Access Token."
766
- msgstr "Qualora ti venisse comunicato che il tuo token di accesso non fosse \"Read and write\", dovrai ritornare al passo 2 e generare un nuovo token di accesso."
767
-
768
- #: wp-to-twitter-oauth.php:145
769
- msgid "Access Token"
770
- msgstr "Token d'accesso"
771
-
772
- #: wp-to-twitter-oauth.php:149
773
- msgid "Access Token Secret"
774
- msgstr "Token d'accesso - Secret"
775
-
776
- #: wp-to-twitter-oauth.php:164
777
- msgid "Disconnect from Twitter"
778
- msgstr "Disconnettiti da Twitter"
779
-
780
- #: wp-to-twitter-oauth.php:168
781
- 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."
782
- msgstr "<strong>Suggerimento:</strong> Sei connesso ma ricevi un avviso nel quale viene indicato che le tue credenziali non sono corrette o inesistenti? Controlla se il tuo token di accesso abbia i permessi di scrittura. Se così non fosse, crea un nuovo token."
783
-
784
- #: wp-to-twitter-oauth.php:171
785
- msgid "Twitter Username "
786
- msgstr "Nome utente Twitter"
787
-
788
- #: wp-to-twitter-oauth.php:172
789
- msgid "Consumer Key "
790
- msgstr "Consumer Key "
791
-
792
- #: wp-to-twitter-oauth.php:173
793
- msgid "Consumer Secret "
794
- msgstr "Consumer Secret "
795
-
796
- #: wp-to-twitter-oauth.php:174
797
- msgid "Access Token "
798
- msgstr "Token d'accesso"
799
-
800
- #: wp-to-twitter-oauth.php:175
801
- msgid "Access Token Secret "
802
- msgstr "Token d'accesso - Secret"
803
-
804
- #: wp-to-twitter-oauth.php:179
805
- msgid "Disconnect Your WordPress and Twitter Account"
806
- msgstr "Scollega il tuo account WordPress e Twitter"
807
-
808
- #: wp-to-twitter-oauth.php:185
809
- msgid "Twitter's current server time: "
810
- msgstr "Ora del server di Twitter:"
811
-
812
- #: wp-to-twitter-oauth.php:185
813
- msgid "If these times are not within 5 minutes of each other, your server could lose it's connection with Twitter."
814
- msgstr "Se questi tempi non fossero entro 5 minnuti, il tuo server potrebbe perdere la sua connessione con Twitter."
815
-
816
- #: functions.php:201
817
- 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."
818
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Nascondi</a>] Qualora avessi riscontrato dei problemi, allega queste impostazioni alle richieste di supporto."
819
-
820
- #: functions.php:295
821
- msgid "Please read the FAQ and other Help documents before making a support request."
822
- msgstr "Leggi le FAQ e le documentazioni di aiuto prima di inviare una richiesta di supporto."
823
-
824
- #: functions.php:297
825
- msgid "Please describe your problem. I'm not psychic."
826
- msgstr "Descrivi il tuo problema. Grazie."
827
-
828
- #: functions.php:302
829
- msgid "Thank you for supporting the continuing development of this plug-in! I'll get back to you as soon as I can."
830
- msgstr "Grazie per il tuo supporto allo sviluppo del plugin. A presto."
831
-
832
- #: functions.php:304
833
- 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."
834
- msgstr "Sebbene non sia più in grado di fornire un supporto gratuito, farò comunque tesoro delle segnalazioni (bug, etc.) per migliorare il plugin. "
835
-
836
- #: functions.php:314
837
- 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."
838
- 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."
839
-
840
- #: functions.php:317
841
- msgid "From:"
842
- msgstr "Da:"
843
-
844
- #: functions.php:320
845
- msgid "I have read <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/\">the FAQ for this plug-in</a>."
846
- msgstr "Ho letto la pagina <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/\">FAQ di WP to Twitter</a>."
847
-
848
- #: functions.php:323
849
- msgid "I have <a href=\"http://www.joedolson.com/donate.php\">made a donation to help support this plug-in</a>."
850
- msgstr "Ho contribuito economicamente allo svuiluppo di <a href=\"http://www.joedolson.com/donate.php\">WP to Twitter</a>."
851
-
852
- #: functions.php:329
853
- msgid "Send Support Request"
854
- msgstr "Invia richiesta supporto"
855
-
856
- #: functions.php:332
857
- msgid "The following additional information will be sent with your support request:"
858
- msgstr "Le seguenti informazioni saranno inviate insieme alla tua richiesta:"
859
-
860
- #: wp-to-twitter.php:48
861
- msgid "WP to Twitter requires PHP version 5 or above with cURL support. Please upgrade PHP or install cURL to run WP to Twitter."
862
- msgstr "WP to Twitter richiede una versione PHP 5 o superiore con il supporto cURL. Aggiorna il PHP o installa cURL per usare WP to Twitter."
863
-
864
- #: wp-to-twitter.php:70
865
- 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>"
866
- msgstr "WP to Twitter richiede WordPress 2.9.2 o superiore: alcune opzioni non funzioneranno nelle versioni inferiori alla 3.0.6. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Aggiorna la tua versione di WordPress per usare al meglio WP to Twitter!</a>"
867
-
868
- #: wp-to-twitter.php:85
869
- msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
870
- msgstr "Twitter necessita una autentificazione via OAuth. Aggiorna le tue <a href='%s'>impostazioni</a> per completare l'installazione di WP to Twitter."
871
-
872
- #: wp-to-twitter.php:194
873
- msgid "200 OK: Success!"
874
- msgstr "200 OK: Successo!"
875
-
876
- #: wp-to-twitter.php:198
877
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
878
- msgstr "400 Bad Request: La richiesta non é valida. L'utilizzo di questo codice é relativo al limite delle chiamate."
879
-
880
- #: wp-to-twitter.php:202
881
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
882
- msgstr "401 Unauthorized: quando mancano oppure sono inesatte le credenziali per l'autentificazione."
883
-
884
- #: wp-to-twitter.php:206
885
- 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 text was submitted twice in a row, among others. This is not an error by WP to Twitter."
886
- msgstr "403 Forbidden: La richiesta é stata compresa, ma viene rifiutata. Questo codice viene utilizzato per indicare che, sebbene le richieste siano state comprese, vengono rifiutate da Twitter (troppi messaggi creati in poco tempo oppure invio dello stesso testo su più messaggi). Questo tipo di errore non dipende da WP to Twitter."
887
-
888
- #: wp-to-twitter.php:210
889
- msgid "500 Internal Server Error: Something is broken at Twitter."
890
- msgstr "500 Internal Server Error: problemi interni a Twitter."
891
-
892
- #: wp-to-twitter.php:214
893
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
894
- msgstr "503 Service Unavailable: i server di Twitter funzionano, ma sono sommersi di richieste. Prova più tardi."
895
-
896
- #: wp-to-twitter.php:218
897
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
898
- msgstr "502 Bad Gateway: Twitter é down oppure sotto aggiornamento."
899
-
900
- #. #-#-#-#-# plugin.pot (WP to Twitter 2.3.13) #-#-#-#-#
901
- #. Plugin Name of the plugin/theme
902
- #: wp-to-twitter.php:815
903
- msgid "WP to Twitter"
904
- msgstr "WP to Twitter"
905
-
906
- #: wp-to-twitter.php:880
907
- msgid "Previous Tweets"
908
- msgstr "Tweet precedenti"
909
-
910
- #: wp-to-twitter.php:893
911
- msgid "Custom Twitter Post"
912
- msgstr "Messaggio personalizzato Twitter"
913
-
914
- #: wp-to-twitter.php:902
915
- msgid "YOURLS Custom Keyword"
916
- msgstr "YOURLS - Custom Keyword"
917
-
918
- #: wp-to-twitter.php:915
919
- msgid "Don't Tweet this post."
920
- msgstr "Non segnalare a Twitter questo articolo."
921
-
922
- #: wp-to-twitter.php:915
923
- msgid "Tweet this post."
924
- msgstr "Segnala a Twitter questo articolo."
925
-
926
- #: wp-to-twitter.php:925
927
- msgid "This URL is direct and has not been shortened: "
928
- msgstr "Questo URL é diretto e non può essere abbreviato: "
929
-
930
- #: wp-to-twitter.php:999
931
- msgid "WP to Twitter User Settings"
932
- msgstr "Impostazioni WP to Twitter User"
933
-
934
- #: wp-to-twitter.php:1003
935
- msgid "Use My Twitter Username"
936
- msgstr "Utilizza il mio nome utente Twitter"
937
-
938
- #: wp-to-twitter.php:1004
939
- msgid "Tweet my posts with an @ reference to my username."
940
- msgstr "Segnala i miei articoli con un riferimento @ correlato al mio nome utente."
941
-
942
- #: wp-to-twitter.php:1005
943
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
944
- msgstr "Segnala i miei articoli con un riferimento @ correlato tanto al mio nome utente per il sito principale quanto al mio nome utente."
945
-
946
- #: wp-to-twitter.php:1009
947
- msgid "Your Twitter Username"
948
- msgstr "Nome utente Twitter"
949
-
950
- #: wp-to-twitter.php:1010
951
- msgid "Enter your own Twitter username."
952
- msgstr "Inserisci il tuo nome utente Twitter"
953
-
954
- #: wp-to-twitter.php:1049
955
- msgid "Check the categories you want to tweet:"
956
- msgstr "Seleziona le gategorie per i messaggi:"
957
-
958
- #: wp-to-twitter.php:1066
959
- msgid "Set Categories"
960
- msgstr "Imposta le categorie"
961
-
962
- #: wp-to-twitter.php:1090
963
- msgid "<p>Couldn't locate the settings page.</p>"
964
- msgstr "<p>Non é possibile localizzare la pagina delle impostazioni.</p>"
965
-
966
- #: wp-to-twitter.php:1095
967
- msgid "Settings"
968
- msgstr "Impostazioni"
969
-
970
- #: wp-to-twitter.php:1129
971
- msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
972
- msgstr "<br /><strong>Nota:</strong> Leggi il <a class=\"thickbox\" href=\"%1$s\">changelog</a> prima di aggiornare."
973
-
974
- #. Plugin URI of the plugin/theme
975
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
976
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
977
-
978
- #. Description of the plugin/theme
979
- 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."
980
- msgstr "Pubblica un aggiornamento allo stato di Twitter quando aggiorni il tuo blog WordPress o blogroll utilizzando il servizio URL brevi da te scelto. Ricco di funzioni per la personalizzazione dei tuoi messaggi."
981
-
982
- #. Author of the plugin/theme
983
- msgid "Joseph Dolson"
984
- msgstr "Joseph Dolson"
985
-
986
- #. Author URI of the plugin/theme
987
- msgid "http://www.joedolson.com/"
988
- msgstr "http://www.joedolson.com/"
989
-
990
- #~ msgid ""
991
- #~ "I made a donation, so stop showing me ads, please. <a href='http://"
992
- #~ "pluginsponsors.com/privacy.html'>PluginSponsors.com Privacy Policy</a>"
993
- #~ msgstr ""
994
- #~ "Ho effettuato una donazione: non mostrare la pubblicità. <a href='http://"
995
- #~ "pluginsponsors.com/privacy.html'>PluginSponsors.com Privacy Policy</a>"
996
-
997
- #~ msgid ""
998
- #~ "If this is wrong, your server will not be able to connect with Twitter. "
999
- #~ "(<strong>Note:</strong> your server time may not match your current time, "
1000
- #~ "but it should be correct for it's own time zone.)"
1001
- #~ msgstr ""
1002
- #~ "Se errata, il tuo server non sarà in grado di connettersi a Twitter. "
1003
- #~ "(<strong>Nota:</strong> l'ora del server potrebbe non coincidere con il "
1004
- #~ "tuo fuso orario, ma deve essere esatta in relazione alla proprio.)"
1005
-
1006
- #~ msgid "Update Twitter when a post is published using QuickPress"
1007
- #~ msgstr ""
1008
- #~ "Aggiorna Twitter quando un articolo é stato pubblicato via QuickPress"
1009
-
1010
- #~ msgid "Application Type should be set on "
1011
- #~ msgstr "Il tipo di applicazione deve essere impostato a "
1012
-
1013
- #~ msgid "Browser"
1014
- #~ msgstr "Browser"
1015
-
1016
- #~ msgid "Default Access type must be set to "
1017
- #~ msgstr "Il tipo di accesso predefinito deve essere impostato a "
1018
-
1019
- #~ msgid "Read &amp; Write"
1020
- #~ msgstr "Leggi &amp; Scrivi"
1021
-
1022
- #~ msgid "(this is NOT the default)"
1023
- #~ msgstr "(questo NON é il predefinito)"
1024
-
1025
- #~ msgid ""
1026
- #~ "On the right hand side of your new application page at Twitter, click on "
1027
- #~ "'My Access Token'."
1028
- #~ msgstr ""
1029
- #~ "Clicca su 'My Access Token' posizionato alla destra della pagina della "
1030
- #~ "applicazione."
1031
-
1032
- #~ msgid "Tweet Templates"
1033
- #~ msgstr "Template messaggio"
1034
-
1035
- #~ msgid "Update when a post is published"
1036
- #~ msgstr "Aggiorna quando viene pubblicato un articolo"
1037
-
1038
- #~ msgid "Update when a post is edited"
1039
- #~ msgstr "Aggiorna quando modifichi un articolo"
1040
-
1041
- #~ msgid "Text for editing updates:"
1042
- #~ msgstr "Testo per aggiornamenti modifiche:"
1043
-
1044
- #~ msgid ""
1045
- #~ "You can not disable updates on edits when using Postie or similar plugins."
1046
- #~ msgstr ""
1047
- #~ "Non potrai disattivare gli aggiornamenti durante l'utilizzo di Postie o "
1048
- #~ "plugin simili."
1049
-
1050
- #~ msgid "Text for new page updates:"
1051
- #~ msgstr "Testo per aggiornamenti articolo:"
1052
-
1053
- #~ msgid "Update Twitter when WordPress Pages are edited"
1054
- #~ msgstr "Aggiorna Twitter quando viene modificata una pagina WordPress"
1055
-
1056
- #~ msgid "Text for page edit updates:"
1057
- #~ msgstr "Testo per la pagina di modifica aggiornamenti:"
1058
-
1059
- #~ msgid ""
1060
- #~ "I'm using a plugin to post by email, such as Postie. Only check this if "
1061
- #~ "your updates do not work."
1062
- #~ msgstr ""
1063
- #~ "Sto utilizzando un plugin per pubblicare gli articoli via email (del tipo "
1064
- #~ "Postie). Seleziona qualora gli aggiornamenti non funzionassero."
1065
-
1066
- #~ msgid "Cligs API Key Updated"
1067
- #~ msgstr "La chiave API di Cligs é stata aggiornata."
1068
-
1069
- #~ msgid ""
1070
- #~ "PLEASE NOTE: This is an internal server error at Cli.gs. If you continue "
1071
- #~ "to receive this error, you should change URL shorteners. This cannot be "
1072
- #~ "fixed in WP to Twitter."
1073
- #~ msgstr ""
1074
- #~ "NOTA: Questo é un errore relativo al server di Cli.gs. Qualora il "
1075
- #~ "problema continuasse a persistere, sarà necessario cambiare il servizio "
1076
- #~ "per l'abbreviazione degli URL. WP to Twitter non é in grado di risolvere "
1077
- #~ "questo problema."
1078
-
1079
- #~ msgid ""
1080
- #~ "OAuth Authentication Failed. Check your credentials and verify that <a "
1081
- #~ "href=\"http://www.twitter.com/\">Twitter</a> is running."
1082
- #~ msgstr ""
1083
- #~ "L'autentificazione OAuth é fallita. Controlla i tuoi dati e verifica che "
1084
- #~ "<a href=\"http://www.twitter.com/\">Twitter</a> sia in uso."
1085
-
1086
- #~ msgid "Export Settings"
1087
- #~ msgstr "Impostazioni esportazione"
1088
-
1089
- #~ msgid ""
1090
- #~ "Updates Twitter when you create a new blog post or add to your blogroll "
1091
- #~ "using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs "
1092
- #~ "account with the name of your post as the title."
1093
- #~ msgstr ""
1094
- #~ "Aggiorna Twitter quando crei un nuovo articolo oppure aggiungi al tuo "
1095
- #~ "blogroll utilizzando Cli.gs. Con una chiave API Cli.gs, crea un clig nel "
1096
- #~ "tuo account di Cli.gs con il nome del tuo articolo come titolo."
1097
-
1098
- #~ msgid "Non-Twitter login and password updated. "
1099
- #~ msgstr "Il login e la password Non-Twitter sono stati aggiornati."
1100
-
1101
- #~ msgid "You need to provide your login and password! "
1102
- #~ msgstr "E' necessario fornire i dati login e password!"
1103
-
1104
- #~ msgid "Twitter-compatible API settings updated. "
1105
- #~ msgstr "Le impostazioni compatibilità API Twittersono state aggiornate."
1106
-
1107
- #~ msgid ""
1108
- #~ "You have configured WP to Twitter to use both Twitter and your selected "
1109
- #~ "service."
1110
- #~ msgstr ""
1111
- #~ "Hai configurato WP to Twitter in modo tale che esso possa utilizzare "
1112
- #~ "Twitter ed il tuo servizio selezionato."
1113
-
1114
- #~ msgid ""
1115
- #~ "<li><strong>Your selected URL shortener does not require testing.</"
1116
- #~ "strong></li>"
1117
- #~ msgstr ""
1118
- #~ "<li><strong>Il servizio di URL brevi che hai selezionato non necessita di "
1119
- #~ "test.</strong></li>"
1120
-
1121
- #~ msgid ""
1122
- #~ "<li class=\"error\"><strong>WP to Twitter failed to contact your primary "
1123
- #~ "update service.</strong></li>"
1124
- #~ msgstr ""
1125
- #~ "<li class=\"error\"><strong>WP to Twitter non é stato in grado di "
1126
- #~ "contattare il tuo principale servizio aggiornamenti.</strong></li>"
1127
-
1128
- #~ msgid "No error was returned."
1129
- #~ msgstr "Nessun errore da riportare."
1130
-
1131
- #~ msgid ""
1132
- #~ "<li><strong>WP to Twitter successfully submitted a status update to your "
1133
- #~ "secondary update service.</strong></li>"
1134
- #~ msgstr ""
1135
- #~ "<li><strong>WP to Twitter ha inviato con successo l'aggiornamento dello "
1136
- #~ "stato al tuo servizio aggiornamenti secondario.</strong></li>"
1137
-
1138
- #~ msgid ""
1139
- #~ "<li class=\"error\"><strong>WP to Twitter failed to submit an update to "
1140
- #~ "your secondary update service.</strong></li>"
1141
- #~ msgstr ""
1142
- #~ "<li class=\"error\"><strong>WP to Twitter non é stato in grado di inviare "
1143
- #~ "l'aggiornamento dello stato al tuo servizio aggiornamenti secondario.</"
1144
- #~ "strong></li>"
1145
-
1146
- #~ msgid "The service returned this error:"
1147
- #~ msgstr "Il servizio ha rilevato questo errore:"
1148
-
1149
- #~ msgid ""
1150
- #~ "This plugin may not fully work in your server environment. The plugin "
1151
- #~ "failed to contact both a URL shortener API and the Twitter service API."
1152
- #~ msgstr ""
1153
- #~ "Con la configurazione del tuo server questo plugin non può funzionare al "
1154
- #~ "meglio. Il plugin non é stato in grado di conttatare tanto l'API di un "
1155
- #~ "URL breve API quanto l'API del servizio di Twitter."
1156
-
1157
- #~ msgid "Add Twitter-compatible Service"
1158
- #~ msgstr "Aggiungi il servizio Twitter-compatibile"
1159
-
1160
- #~ msgid "URI for Twitter-compatible Post Status API"
1161
- #~ msgstr "URI per la Post Status API Twitter-compatibile"
1162
-
1163
- #~ msgid "Service Name"
1164
- #~ msgstr "Nome del servizio"
1165
-
1166
- #~ msgid "Status Update Character Limit"
1167
- #~ msgstr "Limite caratteri aggiornamento stato"
1168
-
1169
- #~ msgid "Post status updates to both Twitter and this service."
1170
- #~ msgstr "Aggiornamenti stato del post per Twitter e per questo servizio."
1171
-
1172
- #~ msgid "Your service password:"
1173
- #~ msgstr "Password servizio:"
1174
-
1175
- #~ msgid "(<em>Saved</em>)"
1176
- #~ msgstr "(<em>Salvato</em>)"
1177
-
1178
- #~ msgid "Update Twitter Compatible Service"
1179
- #~ msgstr "Aggiorna il servizio Twitter Compatible"
1180
-
1181
- #~ msgid ""
1182
- #~ "&raquo; <small>You can use any service using the Twitter-compatible REST "
1183
- #~ "API returning data in JSON format with this plugin. Twitter-compatible "
1184
- #~ "services include <a href='http://identi.ca'>Identi.ca</a>, <a "
1185
- #~ "href='http://shoutem.com'>Shoutem.com</a> and <a href='http://chirup."
1186
- #~ "com'>Chirup.com</a>. <strong>No support will be provided for services "
1187
- #~ "other than Twitter.</strong>"
1188
- #~ msgstr ""
1189
- #~ "&raquo; <small>Puoi utilizzare ogni servizio facendo uso della Twitter-"
1190
- #~ "compatible REST API che porta i dati in formato JSON grazie a questo "
1191
- #~ "plugin. I servizi Twitter-compatibile includono <a href='http://identi."
1192
- #~ "ca'>Identi.ca</a>, <a href='http://shoutem.com'>Shoutem.com</a> e <a "
1193
- #~ "href='http://chirup.com'>Chirup.com</a>. <strong>Nessun supporto verrà "
1194
- #~ "fornito per quei servizi che non siano Twitter.</strong>"
1195
-
1196
- #~ msgid ""
1197
- #~ "Authors can set their own Twitter username and password in their user "
1198
- #~ "profile."
1199
- #~ msgstr ""
1200
- #~ "Ogni autore può impostare nel proprio profilo utente il nome utente e la "
1201
- #~ "password di Twitter."
1202
-
1203
- #~ msgid "Enter your own Twitter password."
1204
- #~ msgstr "Inserisci la tua password di Twitter"
1205
-
1206
- #~ msgid "<em>Password saved</em>"
1207
- #~ msgstr "<em>La password é stata salvata</em>"
1208
-
1209
- #~ msgid "Please <a href='#twitterpw'>add your Twitter password</a>. "
1210
- #~ msgstr "Aggiungi la tua <a href='#twitterpw'>password per Twitter</a>. "
1211
-
1212
- #~ msgid ""
1213
- #~ "Twitter API settings reset. You may need to change your username and "
1214
- #~ "password settings, if they are not the same as the alternate service "
1215
- #~ "previously in use."
1216
- #~ msgstr ""
1217
- #~ "Ripristino impostazioni API Twitter API. Dovrai cambiare le impostazioni "
1218
- #~ "per il tuo nome utente e password nel caso in cui esse non fossero le "
1219
- #~ "stesse del servizio alternativo utilizzato in precedenza."
1220
-
1221
- #~ msgid ""
1222
- #~ "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter."
1223
- #~ "com'>Get one for free here</a>"
1224
- #~ msgstr ""
1225
- #~ "&raquo; <small>Non hai un account di Twitter? <a href='http://www.twitter."
1226
- #~ "com'>Vai qui</a>"
1227
-
1228
- #~ msgid "Your Twitter account details"
1229
- #~ msgstr "Dati account Twitter"
1230
-
1231
- #~ msgid "These are your settings for Twitter as a second update service."
1232
- #~ msgstr ""
1233
- #~ "Queste sono le tue impostazioni per Twitter quale secondo servizio di "
1234
- #~ "aggiornamenti."
1235
-
1236
- #~ msgid "Save Twitter Login Info"
1237
- #~ msgstr "Salva le impostazioni di login a Twitter"
1238
-
1239
- #~ msgid "Reset to normal Twitter settings"
1240
- #~ msgstr "Ripristina alle impostazioni base di Twitter"
1241
-
1242
- #~ msgid "Your Twitter Password"
1243
- #~ msgstr "Twitter Password"
1244
-
1245
- #~ msgid "Twitter Password Saved"
1246
- #~ msgstr "La password di Twitter è stata salvata"
1247
-
1248
- #~ msgid "Twitter Password Not Saved"
1249
- #~ msgstr "La password di Twitter non é stata salvata"
1250
-
1251
- #~ msgid "Bit.ly API Saved"
1252
- #~ msgstr "La chiave API di Bit.ly é stata salvata."
1253
-
1254
- #~ msgid "Bit.ly API Not Saved"
1255
- #~ msgstr "La chiave API di Bit.ly non é stata salvata."
1256
-
1257
- #~ msgid ""
1258
- #~ "Set your Twitter login information and URL shortener API information to "
1259
- #~ "use this plugin!"
1260
- #~ msgstr ""
1261
- #~ "Per potere utilizzare questo plugin dovrai inserire i tuoi dati login di "
1262
- #~ "Twitter e le informazioni API per i servizi URL brevi! "
1263
-
1264
- #~ msgid ""
1265
- #~ "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL "
1266
- #~ "creation failed.</li>"
1267
- #~ msgstr ""
1268
- #~ "<li>Contattata con successo (via Snoopy) la API di Cli.gs. Purtroppo la "
1269
- #~ "creazione dell'URL é fallita.</li>"
1270
-
1271
- #~ msgid ""
1272
- #~ "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server "
1273
- #~ "error prevented the URL from being shrotened.</li>"
1274
- #~ msgstr ""
1275
- #~ "<li>Contattata con successo (via Snoopy) la API di Cli.gs. Purtroppo un "
1276
- #~ "errore del server Cli.gs non ha permesso l'abbreviazione dell'URL.</li>"
1277
-
1278
- #~ msgid ""
1279
- #~ "<li>Successfully contacted the Cli.gs API via Snoopy and created a "
1280
- #~ "shortened link.</li>"
1281
- #~ msgstr ""
1282
- #~ "<li>Contattata con successo (via Snoopy) la API di Cli.gs. Il link breve "
1283
- #~ "é stato creato.</li>"
1284
-
1285
- #~ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
1286
- #~ msgstr "<li>Contattata con successo (via Snoopy) la API di Bit.ly.</li>"
1287
-
1288
- #~ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
1289
- #~ msgstr ""
1290
- #~ "<li>Non é stato possibile contattare (via Snoopy) la API di Bit.ly.</li>"
1291
-
1292
- #~ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
1293
- #~ msgstr ""
1294
- #~ "<li>Non puoi utilizzare la API di Bit.ly senza una chiave API valida.</li>"
1295
-
1296
- #~ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
1297
- #~ msgstr "<li>Contattata con successo (via Snoopy) la API di Twitter.</li>"
1298
-
1299
- #~ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
1300
- #~ msgstr ""
1301
- #~ "<li>Non é stato possibile contattare (via Snoopy) la API di Twitter.</li>"
1302
-
1303
- #~ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
1304
- #~ msgstr "<li>Contattata con successo (via cURL) la API di Twitter.</li>"
1305
-
1306
- #~ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
1307
- #~ msgstr ""
1308
- #~ "<li>Non é stato possibile contattare (via cURL) la API di Twitter.</li>"
1309
-
1310
- #~ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
1311
- #~ msgstr "<li>Contattata con successo (via Snoopy) la API di Cli.gs.</li>"
1312
-
1313
- #~ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
1314
- #~ msgstr ""
1315
- #~ "<li>Non é stato possibile contattare (via Snoopy) la API di Cli.gs.</li>"
1316
-
1317
- #~ msgid "<li>Your server does not support <code>fputs</code>.</li>"
1318
- #~ msgstr "<li>Il tuo server non supporta <code>fputs</code>.</li>"
1319
-
1320
- #~ msgid ""
1321
- #~ "<li>Your server does not support <code>file_get_contents</code> or "
1322
- #~ "<code>cURL</code> functions.</li>"
1323
- #~ msgstr ""
1324
- #~ "<li>Il tuo server non supporta le funzioni <code>file_get_contents</code> "
1325
- #~ "oppure <code>cURL</code>.</li>"
1326
-
1327
- #~ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
1328
- #~ msgstr "<li>Il tuo server non supporta <code>Snoopy</code>.</li>"
1329
-
1330
- #~ msgid ""
1331
- #~ "For any post update field, you can use the codes <code>#title#</code> for "
1332
- #~ "the title of your blog post, <code>#blog#</code> for the title of your "
1333
- #~ "blog, <code>#post#</code> for a short excerpt of the post content, "
1334
- #~ "<code>#category#</code> for the first selected category for the post, "
1335
- #~ "<code>#date#</code> for the post date, or <code>#url#</code> for the post "
1336
- #~ "URL (shortened or not, depending on your preferences.) You can also "
1337
- #~ "create custom shortcodes to access WordPress custom fields. Use doubled "
1338
- #~ "square brackets surrounding the name of your custom field to add the "
1339
- #~ "value of that custom field to your status update. Example: <code>"
1340
- #~ "[[custom_field]]</code>"
1341
- #~ msgstr ""
1342
- #~ "Per aggiornare ogni campo potrai utilizzare i codici <code>#title#</code> "
1343
- #~ "per il titolo del tuo articolo, <code>#blog#</code> per il nome del tuo "
1344
- #~ "blog, <code>#post#</code> per un riassunto breve del contenuto "
1345
- #~ "dell'articolo, <code>#category#</code> per la prima categoria selezionata "
1346
- #~ "per l'articolo, <code>#date#</code> per la data dell'articolo oppure "
1347
- #~ "<code>#url#</code> per l'URL all'articolo (breve o normale, a tuo "
1348
- #~ "piacere). Potrai inoltre creare degli shortcode personalizzati in modo "
1349
- #~ "tale da potere accedere ai campi personalizzati di WordPress. Utilizza le "
1350
- #~ "doppie parentesi quadre intorno al nome del campo personalizzato affinché "
1351
- #~ "sia possibile aggiungere il valore di quel dato campo personalizzato al "
1352
- #~ "tuo aggiornamento dello stato. Ad esempio: <code>[[custom_field]]</code>"
1353
-
1354
- #~ msgid "Set what should be in a Tweet"
1355
- #~ msgstr "Imposta contenuto messaggio"
1356
-
1357
- #~ msgid "Set default Tweet status to 'No.'"
1358
- #~ msgstr "Imposta al 'No' lo stato predefinito per i messaggi"
1359
-
1360
- #~ msgid ""
1361
- #~ "Twitter updates can be set on a post by post basis. By default, posts "
1362
- #~ "WILL be posted to Twitter. Check this to change the default to NO."
1363
- #~ msgstr ""
1364
- #~ "Gli aggiornamenti per Twitter possono essere impostati in ogni singolo "
1365
- #~ "articolo. Come funzione predefinita, gli articoli VERRANNO segnalati a "
1366
- #~ "Twitter. Metti il segno di spunta per modificare al NO."
1367
-
1368
- #~ msgid "Special Fields"
1369
- #~ msgstr "Campi particolari"
1370
-
1371
- #~ msgid ""
1372
- #~ "You can track the response from Twitter using Google Analytics by "
1373
- #~ "defining a campaign identifier here."
1374
- #~ msgstr ""
1375
- #~ "Puoi tracciare i riscontri su Twitter utilizzando Google Analytics "
1376
- #~ "inserendo qui l'identificatore."
1377
-
1378
- #~ msgid "Set your preferred URL Shortener"
1379
- #~ msgstr "Seleziona il tuo servizio preferito di URL brevi"
1380
-
1381
- #~ msgid ""
1382
- #~ "Check whether your server supports WP to Twitter's queries to the Twitter "
1383
- #~ "and URL shortening APIs."
1384
- #~ msgstr ""
1385
- #~ "Verifica se il tuo server é in grado di supportare le richieste di WP to "
1386
- #~ "Twitter's per Twitter e per l'API dell'URL breve."
1387
-
1388
- #~ msgid "Need help?"
1389
- #~ msgstr "Serve aiuto?"
1390
-
1391
- #~ msgid ""
1392
- #~ " characters.<br />Twitter posts are a maximum of 140 characters; if your "
1393
- #~ "Cli.gs URL is appended to the end of your document, you have 119 "
1394
- #~ "characters available. You can use <code>#url#</code>, <code>#title#</"
1395
- #~ "code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, "
1396
- #~ "or <code>#blog#</code> to insert the shortened URL, post title, the first "
1397
- #~ "category selected, the post date, or a post excerpt or blog name into the "
1398
- #~ "Tweet."
1399
- #~ msgstr ""
1400
- #~ " caratteri.<br />I messaggi di Twitter possono contenere un massimo di "
1401
- #~ "140 caratteri; un URL generato da Cli.gs posto in coda al messaggio, "
1402
- #~ "lascerà disponibili 119 caratteri. Puoi utilizzare <code>#url#</code>, "
1403
- #~ "<code>#title#</code>, <code>#post#</code>, <code>#category#</code>, "
1404
- #~ "<code>#date#</code> oppure <code>#blog#</code> per inserire nel messaggio "
1405
- #~ "l'URL breve, il nome dell'articolo, la prima categoria selezionata, la "
1406
- #~ "data dell'articolo, un estratto dell'articolo oppure il nome del blog."
1407
-
1408
- #~ msgid "Use My Twitter Account"
1409
- #~ msgstr "Utilizza il mio account di Twitter"
1410
-
1411
- #~ msgid ""
1412
- #~ "Select this option if you would like your posts to be Tweeted into your "
1413
- #~ "own Twitter account with no @ references."
1414
- #~ msgstr ""
1415
- #~ "Seleziona questa opzione qualora gradissi che i tuoi articoli siano "
1416
- #~ "segnalati al tuo account personale di Twitter senza nessun riferimento @."
1417
-
1418
- #~ msgid ""
1419
- #~ "Tweet my posts into the main site Twitter account with an @ reference to "
1420
- #~ "my username. (Password not required with this option.)"
1421
- #~ msgstr ""
1422
- #~ "Segnala i miei articoli al sito principale dell'account su Twitter con un "
1423
- #~ "riferimento @ al mio nome utente. (per questa opzione non sarà necessaria "
1424
- #~ "la password)"
1425
-
1426
- #~ msgid ""
1427
- #~ "The query to the URL shortener API failed, and your URL was not shrunk. "
1428
- #~ "The full post URL was attached to your Tweet."
1429
- #~ msgstr ""
1430
- #~ "La richiesta API per la creazione dell'URL breve é fallita: il tuo URL "
1431
- #~ "non é stato abbreviato. E' stato allegato l'URL completo al tuo messaggio."
1432
-
1433
- #~ msgid "Add_new_tag"
1434
- #~ msgstr "Add_new_tag"
1435
-
1436
- #~ msgid "This plugin may not work in your server environment."
1437
- #~ msgstr "Questo plugin non può funzionare sul tuo server."
1438
-
1439
- #~ msgid "Wordpress to Twitter Publishing Options"
1440
- #~ msgstr "Opzioni editoriali Wordpress to Twitter"
1441
-
1442
- #~ msgid "Provide link to blog?"
1443
- #~ msgstr "Desideri il link al blog?"
1444
-
1445
- #~ msgid "Use <strong>link title</strong> for Twitter updates"
1446
- #~ msgstr ""
1447
- #~ "Utilizza un <strong>link di testo</strong> per gli aggiornamenti di "
1448
- #~ "Twitter"
1449
-
1450
- #~ msgid "Use <strong>link description</strong> for Twitter updates"
1451
- #~ msgstr ""
1452
- #~ "Utilizza un <strong>link descrittivo</strong> per gli aggiornamenti di "
1453
- #~ "Twitter"
1454
-
1455
- #~ msgid ""
1456
- #~ "Text for new link updates (used if title/description isn't available.):"
1457
- #~ msgstr ""
1458
- #~ "Testo per il link ai nuovi aggiornamenti (se titolo/descrizione non "
1459
- #~ "fossero disponibili):"
1460
-
1461
- #~ msgid "Custom text prepended to Tweets:"
1462
- #~ msgstr "Testo personalizzato davanti al messaggio:"
1
+ # Translation of WP to Twitter in Italian
2
+ # This file is distributed under the same license as the WP to Twitter package.
3
+ msgid ""
4
+ msgstr ""
5
+ "PO-Revision-Date: 2012-08-30 22:08:15+0000\n"
6
+ "MIME-Version: 1.0\n"
7
+ "Content-Type: text/plain; charset=UTF-8\n"
8
+ "Content-Transfer-Encoding: 8bit\n"
9
+ "Plural-Forms: nplurals=2; plural=n != 1;\n"
10
+ "X-Generator: GlotPress/0.1\n"
11
+ "Project-Id-Version: WP to Twitter\n"
12
+
13
+ #: wp-to-twitter-manager.php:860
14
+ msgid "Upgrade to <strong>WP Tweets PRO</strong> for more options!"
15
+ msgstr "Aggiorna a <strong>WP Tweets PRO</strong> per avere più opzioni!"
16
+
17
+ #: wp-to-twitter-manager.php:889
18
+ msgid "<code>#reference#</code>: Used only in co-tweeting. @reference to main account when posted to author account, @reference to author account in post to main account."
19
+ msgstr "<code>#reference#</code>: Usato solo nel co-tweeting. @riferisce all'account principale quando è inviato all'account dell'autore, @riferisce all'account dell'autore per i post all'account principale."
20
+
21
+ #: wp-to-twitter-oauth.php:168
22
+ msgid "Connection Problems? Try <a href='#wpt_http'>switching to <code>http</code> queries</a>.<br />"
23
+ msgstr "Problemi di connessione? Prova a <a href='#wpt_http'>passare alle richieste <code>http</code></a>.<br />"
24
+
25
+ #: wp-to-twitter-oauth.php:260
26
+ msgid "WP to Twitter could not contact Twitter's remote server. Here is the error triggered: "
27
+ msgstr "WP to Twitter non è riuscito a contattare i server di Twitter. Questo è l'errore ottenuto:"
28
+
29
+ #: wp-to-twitter.php:251
30
+ msgid "This account is not authorized to post to Twitter."
31
+ msgstr "Questo account non è autorizzato per inviare messaggi su Twitter."
32
+
33
+ #: wp-to-twitter.php:259
34
+ msgid "This tweet is identical to another Tweet recently sent to this account."
35
+ msgstr "Questo tweet è identico ad un altro tweet recentemente inviato a questo account."
36
+
37
+ #: wp-to-twitter.php:1215
38
+ msgid "WP to Twitter can do more for you! Take a look at WP Tweets Pro!"
39
+ msgstr "WP to Twitter può fare molto altro per te! Dai uno sguardo a WP Tweets Pro!"
40
+
41
+ #: wp-to-twitter-manager.php:502
42
+ msgid "In addition to the above short tags, comment templates can use <code>#commenter#</code> to post the commenter's provided name in the Tweet. <em>Use this feature at your own risk</em>, as it will let anybody who can post a comment on your site post a phrase in your Twitter stream."
43
+ msgstr "Oltre ai tag mostrati poco sopra, il template dei commenti può usare <code>#commenter#</code> per inviare il nome su Twitter dell'autore del commento stesso. <em>Usi questa funzione a tuo rischio e pericolo</em>, dato che essa permetterà a tutti coloro che possono inviare un commento sul tuo sito di far apparire il loro commento nel tuo stream di Twitter."
44
+
45
+ #: wp-to-twitter-manager.php:540
46
+ msgid "(optional)"
47
+ msgstr "(facoltativo)"
48
+
49
+ #: wp-to-twitter-manager.php:689
50
+ msgid "Do not post Tweets by default (editing only)"
51
+ msgstr "Di default non inviare i Tweet (solo modifica)"
52
+
53
+ #: wp-to-twitter-manager.php:883
54
+ msgid "<code>#modified#</code>: the post modified date"
55
+ msgstr "<code>#modified#</code>: la data di modifica del post"
56
+
57
+ #: wp-to-twitter-oauth.php:258
58
+ msgid "Your time stamps are more than 5 minutes apart. Your server could lose its connection with Twitter."
59
+ msgstr "Il tuo orario ha più di 5 minuti di differenza con Twitter e pertanto il tuo server potrebbe perdere la connessione con i loro."
60
+
61
+ #: wp-to-twitter.php:1269
62
+ msgid "Twitter posts are a maximum of 140 characters; Twitter counts URLs as 19 characters. Template tags: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, or <code>#blog#</code>."
63
+ msgstr "I Tweet hanno un massimo di 140 caratteri; Twitter conta gli URL come 19 caratteri. Template tags disponibili: <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, <code>#modified#</code>, <code>#author#</code>, <code>#account#</code>, <code>#tags#</code>, o <code>#blog#</code>."
64
+
65
+ #: wp-to-twitter-manager.php:733
66
+ msgid "Individual Authors"
67
+ msgstr "Autori singoli"
68
+
69
+ #: wp-to-twitter-manager.php:736
70
+ msgid "Authors have individual Twitter accounts"
71
+ msgstr "Gli autori hanno degli account personali su Twitter"
72
+
73
+ #: wp-to-twitter-manager.php:736
74
+ msgid "Authors can add their username in their user profile. This feature can only add an @reference to the author. The @reference is placed using the <code>#account#</code> shortcode, which will pick up the main account if user accounts are not enabled."
75
+ msgstr "Gli autori possono impostare il proprio nome utente nel loro profilo utente. Potrà essere aggiunto il solo riferimento @ all'autore. Questo riferimento @ verrà posizionato facendo uso dello shortcode <code>#account#</code>. (Verrà utilizzato l'account principale se gli account utente non saranno attivati.)"
76
+
77
+ #: wp-to-twitter-manager.php:751
78
+ msgid "Choose the lowest user group that can add their Twitter information"
79
+ msgstr "Scegli il ruolo utente di minima che può aggiungere le proprie info Twitter "
80
+
81
+ #: wp-to-twitter-manager.php:756
82
+ msgid "Choose the lowest user group that can see the Custom Tweet options when posting"
83
+ msgstr "Scegli il gruppo di livello più basso che può vedere le opzioni per i Tweet personalizzati quando crea un post"
84
+
85
+ #: wp-to-twitter-manager.php:761
86
+ msgid "User groups above this can toggle the Tweet/Don't Tweet option, but not see other custom tweet options."
87
+ msgstr "I gruppi sopra questo possono commutare l'opzione crea Tweet/Non creare Tweet, ma non vedere altre opzioni dei tweet personalizzati"
88
+
89
+ #: wp-to-twitter-manager.php:767
90
+ msgid "Disable Error Messages"
91
+ msgstr "Disattiva i messaggi di errore"
92
+
93
+ #: wp-to-twitter-manager.php:769
94
+ msgid "Disable global URL shortener error messages."
95
+ msgstr "Disattiva i messaggi di errore abbreviatore URL globale."
96
+
97
+ #: wp-to-twitter-manager.php:770
98
+ msgid "Disable global Twitter API error messages."
99
+ msgstr "Disattiva i messaggi di errore globali API Twitter."
100
+
101
+ #: wp-to-twitter-manager.php:771
102
+ msgid "Disable notification to implement OAuth"
103
+ msgstr "Disattiva la notifica per implementare OAuth"
104
+
105
+ #: wp-to-twitter-manager.php:773
106
+ msgid "Get Debugging Data for OAuth Connection"
107
+ msgstr "Ottieni i dati di Debugging per la connessione OAuth"
108
+
109
+ #: wp-to-twitter-manager.php:775
110
+ msgid "Switch to <code>http</code> connection. (Default is https)"
111
+ msgstr "Passa alla connessione <code>http</code>. (Quella di default è https)"
112
+
113
+ #: wp-to-twitter-manager.php:777
114
+ msgid "I made a donation, so stop whinging at me, please."
115
+ msgstr "Ho effettuato una donazione."
116
+
117
+ #: wp-to-twitter-manager.php:791
118
+ msgid "Limit Updating Categories"
119
+ msgstr "Limite aggiornamento categorie"
120
+
121
+ #: wp-to-twitter-manager.php:794
122
+ msgid "If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted."
123
+ msgstr "Se non ci sono categorie selezionate il blocco di alcune sarà ignorato e tutte le categorie verranno prese in considerazione per i Tweet."
124
+
125
+ #: wp-to-twitter-manager.php:795
126
+ msgid "<em>Category limits are disabled.</em>"
127
+ msgstr "<em>Le limitazioni alle categorie non sono attive.</em>"
128
+
129
+ #: wp-to-twitter-manager.php:804
130
+ msgid "Get Plug-in Support"
131
+ msgstr "Ottieni supporto per il plugin"
132
+
133
+ #: wp-to-twitter-manager.php:807
134
+ msgid "Support requests without a donation will not be answered, but will be treated as bug reports."
135
+ msgstr "Le richieste di supporto prive di una donazione non riceveranno risposta (saranno considerate come bug report)."
136
+
137
+ #: wp-to-twitter-manager.php:818
138
+ msgid "Check Support"
139
+ msgstr "Verifica assistenza"
140
+
141
+ #: wp-to-twitter-manager.php:818
142
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
143
+ msgstr "Utilizzare nel caso in cui il tuo server supportasse le query di <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> per Twitter e per le API per l'abbreviazione degli URL. Questo test invierà a Twitter un aggiornamento dello stato e renderà breve l'URL utilizzando il metodo da te selezionato."
144
+
145
+ #: wp-to-twitter-manager.php:829
146
+ msgid "Support WP to Twitter"
147
+ msgstr "Supporta WP to Twitter"
148
+
149
+ #: wp-to-twitter-manager.php:831
150
+ msgid "WP to Twitter Support"
151
+ msgstr "Assistenza WP to Twitter"
152
+
153
+ #: wp-to-twitter-manager.php:835
154
+ msgid "View Settings"
155
+ msgstr "Visualizza impostazioni"
156
+
157
+ #: wp-to-twitter-manager.php:837 wp-to-twitter.php:1273 wp-to-twitter.php:1275
158
+ msgid "Get Support"
159
+ msgstr "Ottieni assistenza"
160
+
161
+ #: wp-to-twitter-manager.php:841
162
+ msgid "<a href=\"http://www.joedolson.com/donate.php\">Make a donation today!</a> Every donation counts - donate $2, $10, or $100 and help me keep this plug-in running!"
163
+ msgstr "<a href=\"http://www.joedolson.com/donate.php\">Fai una donazione oggi!</a> Ogni donazione conta - dona $2, $10, o $100 e aiutami a mantenere attivo questo plug-in!"
164
+
165
+ #: wp-to-twitter-manager.php:858
166
+ msgid "Upgrade Now!"
167
+ msgstr "Aggiorna ora!"
168
+
169
+ #: wp-to-twitter-manager.php:861
170
+ msgid "Extra features with the PRO upgrade:"
171
+ msgstr "Funzionalità extra che avrai con WP Tweets PRO:"
172
+
173
+ #: wp-to-twitter-manager.php:863
174
+ msgid "Users can post to their own Twitter accounts"
175
+ msgstr "Gli utenti possono inviare i post al loro account Twitter"
176
+
177
+ #: wp-to-twitter-manager.php:864
178
+ msgid "Set a timer to send your Tweet minutes or hours after you publish the post"
179
+ msgstr "Imposta un timer per inviare i tuoi Tweet dopo minuti oppure ore dalla pubblicazione del post"
180
+
181
+ #: wp-to-twitter-manager.php:865
182
+ msgid "Automatically re-send Tweets at an assigned time after publishing"
183
+ msgstr "Invia nuovamente i Tweet dopo un certo periodo dopo la pubblicazione"
184
+
185
+ #: wp-to-twitter-manager.php:874
186
+ msgid "Shortcodes"
187
+ msgstr "Codici brevi"
188
+
189
+ #: wp-to-twitter-manager.php:876
190
+ msgid "Available in post update templates:"
191
+ msgstr "Disponibili nei template di aggiornamento del post:"
192
+
193
+ #: wp-to-twitter-manager.php:878
194
+ msgid "<code>#title#</code>: the title of your blog post"
195
+ msgstr "<code>#title#</code>: il titolo del tuo post"
196
+
197
+ #: wp-to-twitter-manager.php:879
198
+ msgid "<code>#blog#</code>: the title of your blog"
199
+ msgstr "<code>#blog#</code>: il titolo del tuo blog"
200
+
201
+ #: wp-to-twitter-manager.php:880
202
+ msgid "<code>#post#</code>: a short excerpt of the post content"
203
+ msgstr "<code>#post#</code>: un breve riassunto dei contenuti del post"
204
+
205
+ #: wp-to-twitter-manager.php:881
206
+ msgid "<code>#category#</code>: the first selected category for the post"
207
+ msgstr "<code>#category#</code>: la prima categoria selezionata per il post"
208
+
209
+ #: wp-to-twitter-manager.php:882
210
+ msgid "<code>#date#</code>: the post date"
211
+ msgstr "<code>#date#</code>: la data del post"
212
+
213
+ #: wp-to-twitter-manager.php:884
214
+ msgid "<code>#url#</code>: the post URL"
215
+ msgstr "<code>#url#</code>: l'URL del post"
216
+
217
+ #: wp-to-twitter-manager.php:885
218
+ msgid "<code>#author#</code>: the post author"
219
+ msgstr "<code>#author#</code>: l'autore del post"
220
+
221
+ #: wp-to-twitter-manager.php:886
222
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
223
+ msgstr "<code>#account#</code>: il riferimento Twitter @ per l'account (o per l'autore, previa attivazione ed impostazione.)"
224
+
225
+ #: wp-to-twitter-manager.php:887
226
+ msgid "<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below."
227
+ msgstr "<code>#tags#</code>: i tuoi tag modificati in hashtag. Vedi le opzioni nelle Impostazioni Avanzate più in basso."
228
+
229
+ #: wp-to-twitter-manager.php:892
230
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
231
+ msgstr "Hai la possibilità di potere creare degli shortcode personalizzati grazie ai campi personalizzati di WordPress. Utilizza le doppie parentesi quadre per avvolgere il nome del tuo campo personalizzato per aggiungere il valore di quel dato campo al tuo stato di aggiornamento. Esempio: <code>[[custom_field]]</code></p>"
232
+
233
+ #: wp-to-twitter-oauth.php:99
234
+ msgid "WP to Twitter was unable to establish a connection to Twitter."
235
+ msgstr "WP to Twitter non è riuscito a stabilire una connessione con Twitter."
236
+
237
+ #: wp-to-twitter-oauth.php:169
238
+ msgid "There was an error querying Twitter's servers"
239
+ msgstr "C'è stato un errore nell'interrogare i server di Twitter"
240
+
241
+ #: wp-to-twitter-oauth.php:185 wp-to-twitter-oauth.php:187
242
+ msgid "Connect to Twitter"
243
+ msgstr "Collegati a Twitter"
244
+
245
+ #: wp-to-twitter-oauth.php:190
246
+ msgid "WP to Twitter Set-up"
247
+ msgstr "Impostazioni WP to Twitter"
248
+
249
+ #: wp-to-twitter-oauth.php:191 wp-to-twitter-oauth.php:282
250
+ msgid "Your server time:"
251
+ msgstr "Ora del tuo server:"
252
+
253
+ #: wp-to-twitter-oauth.php:191
254
+ msgid "Twitter's time:"
255
+ msgstr "Orario di Twitter:"
256
+
257
+ #: wp-to-twitter-oauth.php:191
258
+ msgid "If these timestamps are not within 5 minutes of each other, your server will not connect to Twitter."
259
+ msgstr "Se questi orari non sono distanti al più 5 minuti l'uno dall'altro, il tuo server non sarà in grado di connettersi a Twitter."
260
+
261
+ #: wp-to-twitter-oauth.php:193
262
+ msgid "<em>Note</em>: you will not add your Twitter user information to WP to Twitter; it is not used in this authentication method."
263
+ msgstr "<em>Nota</em>: non aggiungerai le tue informazioni personali di Twitter in WP to Twitter; non sono usate in questo metodo di autenticazione."
264
+
265
+ #: wp-to-twitter-oauth.php:197
266
+ msgid "1. Register this site as an application on "
267
+ msgstr "1. Registra questo sito come una applicazione sulla "
268
+
269
+ #: wp-to-twitter-oauth.php:197
270
+ msgid "Twitter's application registration page"
271
+ msgstr "pagina di registrazione applicazione Twitter"
272
+
273
+ #: wp-to-twitter-oauth.php:199
274
+ msgid "If you're not currently logged in to Twitter, log-in to the account you want associated with this site"
275
+ msgstr "Se non sei ancora loggato in Twitter, effettua il login nell'account che vuoi associare al sito"
276
+
277
+ #: wp-to-twitter-oauth.php:200
278
+ msgid "Your Application's Name will show up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\""
279
+ msgstr "Il nome della tua applicazione (Application's Name) verrà mostrato dopo \"via\" nei tuoi tweet. Il nome della tua applicazione non può includere la parola \"Twitter\"."
280
+
281
+ #: wp-to-twitter-oauth.php:201
282
+ msgid "Your Application Description can be anything."
283
+ msgstr "La descrizione dell'applicazione (Application Description) può essere qualsiasi cosa."
284
+
285
+ #: wp-to-twitter-oauth.php:202
286
+ msgid "The WebSite and Callback URL should be "
287
+ msgstr "Il sito web ed il Callback URL dovrebbere essere "
288
+
289
+ #: wp-to-twitter-oauth.php:204
290
+ msgid "Agree to the Developer Rules of the Road and continue."
291
+ msgstr "Acconsenti a Developer Rules of the Road e prosegui."
292
+
293
+ #: wp-to-twitter-oauth.php:205
294
+ msgid "2. Switch to the \"Settings\" tab in Twitter apps"
295
+ msgstr "2. Passa alla scheda \"Impostazioni\" (\"Settings\") nelle app di Twitter"
296
+
297
+ #: wp-to-twitter-oauth.php:207
298
+ msgid "Select \"Read and Write\" for the Application Type"
299
+ msgstr "Seleziona \"Read and Write\" per il tipo di applicazione"
300
+
301
+ #: wp-to-twitter-oauth.php:208
302
+ msgid "Update the application settings"
303
+ msgstr "Aggiorna impostazioni applicazione"
304
+
305
+ #: wp-to-twitter-oauth.php:209
306
+ msgid "Return to the Details tab and create your access token. Refresh page to view your access tokens."
307
+ msgstr "Ritorna alla scheda \"Dettagli\" (\"Details\") e crea il tuo token di accesso. Aggiorna la pagina per vedere i tuoi token di accesso."
308
+
309
+ #: wp-to-twitter-oauth.php:211
310
+ msgid "Once you have registered your site as an application, you will be provided with four keys."
311
+ msgstr "Una volta registrato il tuo sito come applicazione, ti saranno fornite quattro chiavi."
312
+
313
+ #: wp-to-twitter-oauth.php:212
314
+ msgid "3. Copy and paste your consumer key and consumer secret into the fields below"
315
+ msgstr "2. Copia ed incolla nei campi qui sotto la tua consumer key ed il consumer secret"
316
+
317
+ #: wp-to-twitter-oauth.php:215
318
+ msgid "Twitter Consumer Key"
319
+ msgstr "Twitter Consumer Key"
320
+
321
+ #: wp-to-twitter-oauth.php:219
322
+ msgid "Twitter Consumer Secret"
323
+ msgstr "Twitter Consumer Secret"
324
+
325
+ #: wp-to-twitter-oauth.php:223
326
+ msgid "4. Copy and paste your Access Token and Access Token Secret into the fields below"
327
+ msgstr "3. Copia ed incolla nei campi qui sotto il tuo token di accesso e secret"
328
+
329
+ #: wp-to-twitter-oauth.php:224
330
+ msgid "If the Access level for your Access Token is not \"<em>Read and write</em>\", you must return to step 2 and generate a new Access Token."
331
+ msgstr "Se il livello di accesso per il tuo token di accesso non è \"<em>Lettura e Scrittura</em>\", devi ritornare al passo 2 e generare un nuovo token di accesso."
332
+
333
+ #: wp-to-twitter-oauth.php:227
334
+ msgid "Access Token"
335
+ msgstr "Token d'accesso"
336
+
337
+ #: wp-to-twitter-oauth.php:231
338
+ msgid "Access Token Secret"
339
+ msgstr "Token d'accesso - Secret"
340
+
341
+ #: wp-to-twitter-oauth.php:250
342
+ msgid "Disconnect Your WordPress and Twitter Account"
343
+ msgstr "Scollega il tuo account WordPress e Twitter"
344
+
345
+ #: wp-to-twitter-oauth.php:254
346
+ msgid "Disconnect your WordPress and Twitter Account"
347
+ msgstr "Disconnetti il tuo account WordPress e Twitter"
348
+
349
+ #: wp-to-twitter-oauth.php:256
350
+ msgid "<strong>Troubleshooting tip:</strong> Connected, but getting a notice that your Authentication credentials are missing or incorrect? Check whether your Access token has read and write permission. If not, you'll need to create a new token."
351
+ msgstr "<strong>Suggerimento:</strong> Sei connesso ma ricevi un avviso nel quale viene indicato che le tue credenziali non sono corrette o inesistenti? Controlla se il tuo token di accesso abbia i permessi di scrittura. Se così non fosse, crea un nuovo token."
352
+
353
+ #: wp-to-twitter-oauth.php:264
354
+ msgid "Disconnect from Twitter"
355
+ msgstr "Disconnettiti da Twitter"
356
+
357
+ #: wp-to-twitter-oauth.php:270
358
+ msgid "Twitter Username "
359
+ msgstr "Nome utente Twitter"
360
+
361
+ #: wp-to-twitter-oauth.php:271
362
+ msgid "Consumer Key "
363
+ msgstr "Consumer Key "
364
+
365
+ #: wp-to-twitter-oauth.php:272
366
+ msgid "Consumer Secret "
367
+ msgstr "Consumer Secret "
368
+
369
+ #: wp-to-twitter-oauth.php:273
370
+ msgid "Access Token "
371
+ msgstr "Token d'accesso"
372
+
373
+ #: wp-to-twitter-oauth.php:274
374
+ msgid "Access Token Secret "
375
+ msgstr "Token d'accesso - Secret"
376
+
377
+ #: wp-to-twitter-oauth.php:282
378
+ msgid "Twitter's current server time: "
379
+ msgstr "Ora del server di Twitter:"
380
+
381
+ #: wp-to-twitter.php:51
382
+ msgid "WP to Twitter requires PHP version 5 or above. Please upgrade PHP to run WP to Twitter."
383
+ msgstr "WP to Twitter richiede una versione pari a o maggiore di PHP 5. Per favore aggiorna la tua versione di PHP per poter utilizzare WP to Twitter."
384
+
385
+ #: wp-to-twitter.php:72
386
+ msgid "WP to Twitter requires WordPress 2.9.2 or a more recent version, but some features will not work below 3.0.6. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update WordPress to continue using WP to Twitter with all features!</a>"
387
+ msgstr "WP to Twitter richiede WordPress 2.9.2 o superiore: alcune opzioni non funzioneranno nelle versioni inferiori alla 3.0.6. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Aggiorna la tua versione di WordPress per usare al meglio WP to Twitter!</a>"
388
+
389
+ #: wp-to-twitter.php:90
390
+ msgid "Twitter requires authentication by OAuth. You will need to <a href='%s'>update your settings</a> to complete installation of WP to Twitter."
391
+ msgstr "Twitter necessita una autentificazione via OAuth. Aggiorna le tue <a href='%s'>impostazioni</a> per completare l'installazione di WP to Twitter."
392
+
393
+ #: wp-to-twitter.php:275
394
+ msgid "200 OK: Success!"
395
+ msgstr "200 OK: Successo!"
396
+
397
+ #: wp-to-twitter.php:280
398
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
399
+ msgstr "400 Bad Request: La richiesta non é valida. L'utilizzo di questo codice é relativo al limite delle chiamate."
400
+
401
+ #: wp-to-twitter.php:284
402
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
403
+ msgstr "401 Unauthorized: quando mancano oppure sono inesatte le credenziali per l'autentificazione."
404
+
405
+ #: wp-to-twitter.php:289
406
+ msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons can include: Too many Tweets created in a short time or the same Tweet was submitted twice in a row, among others. This is not an error by WP to Twitter."
407
+ msgstr "\"403 Forbidden: The request is understood, but it has been refused\". Questo codice è usato quando le richieste sono comprese ma rifiutate da Twitter. Le ragioni di ciò includono anche: Troppi Tweet creati in breve tempo oppure lo stesso Tweet è stato inviato due volte. Questo errore non è di WP to Twitter."
408
+
409
+ #: wp-to-twitter.php:293
410
+ msgid "500 Internal Server Error: Something is broken at Twitter."
411
+ msgstr "500 Internal Server Error: problemi interni a Twitter."
412
+
413
+ #: wp-to-twitter.php:297
414
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests - Please try again later."
415
+ msgstr "503 Service Unavailable: i server di Twitter funzionano, ma sono sommersi di richieste. Prova più tardi."
416
+
417
+ #: wp-to-twitter.php:301
418
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
419
+ msgstr "502 Bad Gateway: Twitter é down oppure sotto aggiornamento."
420
+
421
+ #: wp-to-twitter.php:330
422
+ msgid "No Twitter OAuth connection found."
423
+ msgstr "Non è stata trovata la connessione a Twitter OAuth."
424
+
425
+ #: wp-to-twitter.php:1155
426
+ msgid "WP Tweets"
427
+ msgstr "WP Tweet"
428
+
429
+ #: wp-to-twitter.php:1202
430
+ msgid "Previous Tweets"
431
+ msgstr "Tweet precedenti"
432
+
433
+ #: wp-to-twitter.php:1218
434
+ msgid "Custom Twitter Post"
435
+ msgstr "Messaggio personalizzato Twitter"
436
+
437
+ #: wp-to-twitter.php:1220
438
+ msgid "Your template:"
439
+ msgstr "Il tuo template:"
440
+
441
+ #: wp-to-twitter.php:1224
442
+ msgid "YOURLS Custom Keyword"
443
+ msgstr "YOURLS - Custom Keyword"
444
+
445
+ #: wp-to-twitter.php:1273
446
+ msgid "Upgrade to WP Tweets Pro"
447
+ msgstr "Aggiorna a WP Tweets Pro"
448
+
449
+ #: wp-to-twitter.php:1234
450
+ msgid "Don't Tweet this post."
451
+ msgstr "Non segnalare a Twitter questo articolo."
452
+
453
+ #: wp-to-twitter.php:1234
454
+ msgid "Tweet this post."
455
+ msgstr "Segnala a Twitter questo articolo."
456
+
457
+ #: wp-to-twitter.php:1244
458
+ msgid "Access to customizing WP to Twitter values is not allowed for your user role."
459
+ msgstr "L'accesso alla personalizzazione dei valori per WP to Twitter non è permessa ad utenti col tuo ruolo."
460
+
461
+ #: wp-to-twitter.php:1263
462
+ msgid "This URL is direct and has not been shortened: "
463
+ msgstr "Questo URL è diretto e non può essere abbreviato: "
464
+
465
+ #: wp-to-twitter.php:1319
466
+ msgid "Characters left: "
467
+ msgstr "Caratteri mancanti:"
468
+
469
+ #: wp-to-twitter.php:1380
470
+ msgid "WP Tweets User Settings"
471
+ msgstr "Impostazioni utente di WP Tweets"
472
+
473
+ #: wp-to-twitter.php:1384
474
+ msgid "Use My Twitter Username"
475
+ msgstr "Utilizza il mio nome utente Twitter"
476
+
477
+ #: wp-to-twitter.php:1385
478
+ msgid "Tweet my posts with an @ reference to my username."
479
+ msgstr "Segnala i miei articoli con un riferimento @ correlato al mio nome utente."
480
+
481
+ #: wp-to-twitter.php:1386
482
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
483
+ msgstr "Segnala i miei articoli con un riferimento @ correlato tanto al mio nome utente per il sito principale quanto al mio nome utente."
484
+
485
+ #: wp-to-twitter.php:1390
486
+ msgid "Your Twitter Username"
487
+ msgstr "Nome utente Twitter"
488
+
489
+ #: wp-to-twitter.php:1391
490
+ msgid "Enter your own Twitter username."
491
+ msgstr "Inserisci il tuo nome utente Twitter"
492
+
493
+ #: wp-to-twitter.php:1396
494
+ msgid "Note: if all site administrators have set-up their own Twitter accounts, the primary site account (as set on the settings page) is not required, and won't be used."
495
+ msgstr "Nota: se tutti gli amministratori del sito hanno impostato il loro account Twitter, l'account principale del sito (come impostato nella pagina delle impostazioni) non è richiesto e non verrà usato."
496
+
497
+ #: wp-to-twitter.php:1439
498
+ msgid "Check off categories to tweet"
499
+ msgstr "Togli la spunta alle categorie per le quali inviare i tweet"
500
+
501
+ #: wp-to-twitter.php:1443
502
+ msgid "Do not tweet posts in checked categories (Reverses default behavior)"
503
+ msgstr "Non inviare i tweet per le categorie selezionate (Inverte il comportamento di default)"
504
+
505
+ #: wp-to-twitter.php:1460
506
+ msgid "Limits are exclusive. If a post is in one category which should be posted and one category that should not, it will not be posted."
507
+ msgstr "I limiti sono esclusivi. Se un post è in una categoria che dovrebbe essere inviata ed una che non lo dovrebbe, il Tweet non verrà inviato."
508
+
509
+ #: wp-to-twitter.php:1463
510
+ msgid "Set Categories"
511
+ msgstr "Imposta le categorie"
512
+
513
+ #: wp-to-twitter.php:1487
514
+ msgid "Settings"
515
+ msgstr "Impostazioni"
516
+
517
+ #: wp-to-twitter.php:1522
518
+ msgid "<br /><strong>Note:</strong> Please review the <a class=\"thickbox\" href=\"%1$s\">changelog</a> before upgrading."
519
+ msgstr "<br /><strong>Nota:</strong> Leggi il <a class=\"thickbox\" href=\"%1$s\">changelog</a> prima di aggiornare."
520
+
521
+ msgid "WP to Twitter"
522
+ msgstr "WP to Twitter"
523
+
524
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
525
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
526
+
527
+ msgid "Posts a Tweet when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
528
+ msgstr "Invia un Tweet quanto aggiorni il tuo blog WordPress o il tuo blogroll usando il servizio di abbreviazione URL di tua scelta. Ricco di funzioni per la personalizzazione e la promozione dei tuoi Tweet."
529
+
530
+ msgid "Joseph Dolson"
531
+ msgstr "Joseph Dolson"
532
+
533
+ msgid "http://www.joedolson.com/"
534
+ msgstr "http://www.joedolson.com/"
535
+
536
+ #: functions.php:329
537
+ msgid "Thank you for supporting the continuing development of this plug-in! I'll get back to you as soon as I can."
538
+ msgstr "Grazie per il tuo supporto allo sviluppo del plugin. A presto."
539
+
540
+ #: functions.php:323
541
+ msgid "Please read the FAQ and other Help documents before making a support request."
542
+ msgstr "Leggi le FAQ e le documentazioni di aiuto prima di inviare una richiesta di supporto."
543
+
544
+ #: functions.php:200
545
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
546
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Nascondi</a>] Qualora avessi riscontrato dei problemi, allega queste impostazioni alle richieste di supporto."
547
+
548
+ #: functions.php:345
549
+ msgid "Please include your license key in your support request."
550
+ msgstr "Per favore inserisci il tuo codice di licenza nella richiesta di supporto."
551
+
552
+ #: functions.php:331
553
+ msgid "I cannot provide free support, but will treat your request as a bug report, and will incorporate any permanent solutions I discover into the plug-in."
554
+ msgstr "Sebbene non sia più in grado di fornire un supporto gratuito, farò comunque tesoro delle segnalazioni (bug, etc.) per migliorare il plugin. "
555
+
556
+ #: functions.php:325
557
+ msgid "Please describe your problem. I'm not psychic."
558
+ msgstr "Descrivi il tuo problema. Grazie."
559
+
560
+ #: functions.php:350
561
+ msgid "<strong>Please note</strong>: I do keep records of those who have donated, but if your donation came from somebody other than your account at this web site, you must note this in your message."
562
+ msgstr "<strong>Nota</strong>: sebbene conservi un elenco dei donatori e la tua donazione provenisse da un nome differente da quello indicato nel tuo account, ti invito a indicarlo nel tuo messaggio."
563
+
564
+ #: functions.php:355
565
+ msgid "From:"
566
+ msgstr "Da:"
567
+
568
+ #: functions.php:358
569
+ msgid "I have read <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/\">the FAQ for this plug-in</a>."
570
+ msgstr "Ho letto la pagina <a href=\"http://www.joedolson.com/articles/wp-to-twitter/support-2/\">FAQ di WP to Twitter</a>."
571
+
572
+ #: functions.php:361
573
+ msgid "I have <a href=\"http://www.joedolson.com/donate.php\">made a donation to help support this plug-in</a>."
574
+ msgstr "Ho contribuito economicamente allo svuiluppo di <a href=\"http://www.joedolson.com/donate.php\">WP to Twitter</a>."
575
+
576
+ #: functions.php:367
577
+ msgid "Send Support Request"
578
+ msgstr "Invia richiesta supporto"
579
+
580
+ #: functions.php:370
581
+ msgid "The following additional information will be sent with your support request:"
582
+ msgstr "Le seguenti informazioni saranno inviate insieme alla tua richiesta:"
583
+
584
+ #: wp-to-twitter-manager.php:41
585
+ msgid "No error information is available for your shortener."
586
+ msgstr "Nessuna informazione di errore disponibile per il tuo abbreviatore."
587
+
588
+ #: wp-to-twitter-manager.php:43
589
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
590
+ msgstr "<li class=\"error\"><strong>WP to Twitter non é stato in grado di contattare il servizio per gli URL brevi da te selezionato.</strong></li>"
591
+
592
+ #: wp-to-twitter-manager.php:46
593
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
594
+ msgstr "<li><strong>WP to Twitter ha contattato con successo il servizio per gli URL brevi da te selezionato.</strong> Il seguente link dovrebbe puntare alla homepage del tuo blog:"
595
+
596
+ #: wp-to-twitter-manager.php:54
597
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
598
+ msgstr "<li><strong>WP to Twitter ha inviato con successo l'aggiornamento dello stato a Twitter.</strong></li>"
599
+
600
+ #: wp-to-twitter-manager.php:57
601
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
602
+ msgstr "<li class=\"error\"><strong>WP to Twitter non é stato in grado di inviare l'aggiornamento a Twitter.</strong></li>"
603
+
604
+ #: wp-to-twitter-manager.php:61
605
+ msgid "You have not connected WordPress to Twitter."
606
+ msgstr "Non hai connesso WordPress a Twitter."
607
+
608
+ #: wp-to-twitter-manager.php:65
609
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
610
+ msgstr "<li class=\"error\"><strong>Pare che il tuo server non supporti le funzioni richieste affinché WP to Twitter possa funzionare correttamente.</strong> Puoi comunque provare ugualmente - queste verifiche non sono perfette - garantisco i risultati.</li>"
611
+
612
+ #: wp-to-twitter-manager.php:69
613
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
614
+ msgstr "<li><strong>WP to Twitter funziona correttamente per il tuo server.</strong></li>"
615
+
616
+ #: wp-to-twitter-manager.php:87
617
+ msgid "WP to Twitter Errors Cleared"
618
+ msgstr "Gli errori WP to Twitter sono stati azzerati"
619
+
620
+ #: wp-to-twitter-manager.php:163
621
+ msgid "WP to Twitter is now connected with Twitter."
622
+ msgstr "WP to Twitter é ora connesso a Twitter."
623
+
624
+ #: wp-to-twitter-manager.php:170
625
+ msgid "WP to Twitter failed to connect with Twitter. Try enabling OAuth debugging."
626
+ msgstr "WP to Twitter ha fallito nel tentativo di connettersi a Twitter. Prova abilitando il debug per OAuth."
627
+
628
+ #: wp-to-twitter-manager.php:177
629
+ msgid "OAuth Authentication Data Cleared."
630
+ msgstr "I dati della autentificazione OAuth sono stati svuotati."
631
+
632
+ #: wp-to-twitter-manager.php:184
633
+ msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
634
+ msgstr "Autentificazione OAuth fallita. L'ora del tuo sever non é sicronizzata con i server di Twitter. Comunica il problema al tuo fornitore di hosting."
635
+
636
+ #: wp-to-twitter-manager.php:191
637
+ msgid "OAuth Authentication response not understood."
638
+ msgstr "Risposta Autentificazione OAuth non valida."
639
+
640
+ #: wp-to-twitter-manager.php:285
641
+ msgid "WP to Twitter Advanced Options Updated"
642
+ msgstr "Le opzioni avanzate di WP to Twitter sono state aggiornate"
643
+
644
+ #: wp-to-twitter-manager.php:307
645
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
646
+ msgstr "E' necessario che tu inserisca i dati per il login e la chiave API di Bit.ly in modo da potere abbreviare gli URL con Bit.ly."
647
+
648
+ #: wp-to-twitter-manager.php:311
649
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
650
+ msgstr "E' necessario che tu inserisca il tuo URL remoto a YOURLS, il login e la password in modo da potere abbreviare gli URL attraverso la tua installazione remota di YOURLS."
651
+
652
+ #: wp-to-twitter-manager.php:315
653
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
654
+ msgstr "E' necessario che tu inserisca il percorso al server del tuo YOURLS in modo da potere abbreviare gli URL attraverso la tua installazione remota di YOURLS."
655
+
656
+ #: wp-to-twitter-manager.php:318
657
+ msgid "WP to Twitter Options Updated"
658
+ msgstr "Le opzioni di WP to Twitter sono state aggiornate"
659
+
660
+ #: wp-to-twitter-manager.php:327
661
+ msgid "Category limits updated."
662
+ msgstr "I limiti per la categoria sono stati aggiornati."
663
+
664
+ #: wp-to-twitter-manager.php:331
665
+ msgid "Category limits unset."
666
+ msgstr "Le limitazioni alle categorie non sono state impostate."
667
+
668
+ #: wp-to-twitter-manager.php:338
669
+ msgid "YOURLS password updated. "
670
+ msgstr "La password di YOURLS é stata aggiornata."
671
+
672
+ #: wp-to-twitter-manager.php:341
673
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
674
+ msgstr "La tua password di YOURLS é stata cancellata. Non potrai utilizzare il tuo account remoto YOURLS per la creazione di URL brevi."
675
+
676
+ #: wp-to-twitter-manager.php:343
677
+ msgid "Failed to save your YOURLS password! "
678
+ msgstr "Non é stato possibile salvare la tua password di YOURLS!"
679
+
680
+ #: wp-to-twitter-manager.php:347
681
+ msgid "YOURLS username added. "
682
+ msgstr "Il nome utente YOURLS é stato aggiunto."
683
+
684
+ #: wp-to-twitter-manager.php:351
685
+ msgid "YOURLS API url added. "
686
+ msgstr "L'url alla API YOURLS é stato aggiunto. "
687
+
688
+ #: wp-to-twitter-manager.php:354
689
+ msgid "YOURLS API url removed. "
690
+ msgstr "L'url alla API YOURLS é stato rimosso. "
691
+
692
+ #: wp-to-twitter-manager.php:359
693
+ msgid "YOURLS local server path added. "
694
+ msgstr "Il percorso al server locale di YOURLS é stato aggiunto. "
695
+
696
+ #: wp-to-twitter-manager.php:361
697
+ msgid "The path to your YOURLS installation is not correct. "
698
+ msgstr "Il percorso alla tua installazione di YOURLS non é corretto. "
699
+
700
+ #: wp-to-twitter-manager.php:365
701
+ msgid "YOURLS local server path removed. "
702
+ msgstr "Il percorso al server locale di YOURLS é stato rimosso. "
703
+
704
+ #: wp-to-twitter-manager.php:370
705
+ msgid "YOURLS will use Post ID for short URL slug."
706
+ msgstr "YOURLS utilizzerà Post ID per lo slug degli URL brevi."
707
+
708
+ #: wp-to-twitter-manager.php:372
709
+ msgid "YOURLS will use your custom keyword for short URL slug."
710
+ msgstr "YOURLS utilizzerà la tua keyword personalizzata per lo slug degli URL brevi."
711
+
712
+ #: wp-to-twitter-manager.php:376
713
+ msgid "YOURLS will not use Post ID for the short URL slug."
714
+ msgstr "YOURLS non utilizzerà Post ID per lo slug degli URL brevi."
715
+
716
+ #: wp-to-twitter-manager.php:384
717
+ msgid "Su.pr API Key and Username Updated"
718
+ msgstr "La chiave API ed il nome utente di Su.pr sono stati aggiornati"
719
+
720
+ #: wp-to-twitter-manager.php:388
721
+ msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
722
+ msgstr "La chiave API ed il nome utente di Su.pr sono stati cancellati. Gli URL di Su.pr creati da WP to Twitter non saranno più associati al tuo account. "
723
+
724
+ #: wp-to-twitter-manager.php:390
725
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
726
+ msgstr "Non é stata inserita la chiave API di Su.pr - <a href='http://su.pr/'>vai qui</a>! "
727
+
728
+ #: wp-to-twitter-manager.php:396
729
+ msgid "Bit.ly API Key Updated."
730
+ msgstr "La chiave API di Bit.ly é stata aggiornata."
731
+
732
+ #: wp-to-twitter-manager.php:399
733
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
734
+ msgstr "La chiave API di Bit.ly é stata cancellata. Non puoi utilizzare la API di Bit.ly senza la chiave API. "
735
+
736
+ #: wp-to-twitter-manager.php:401
737
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
738
+ msgstr "La chiave API di Bit.ly non é stata aggiunta - <a href='http://bit.ly/account/'>vai qui</a>! E' necessaria una chiave API affinché il servizio di URL brevi Bit.ly di possa funzionare."
739
+
740
+ #: wp-to-twitter-manager.php:405
741
+ msgid " Bit.ly User Login Updated."
742
+ msgstr " Il login utente per Bit.ly é stato aggiornato."
743
+
744
+ #: wp-to-twitter-manager.php:408
745
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
746
+ msgstr "Sono stati cancellati i dati per il login utente Bit.ly. Non puoi utilizzare la API di Bit.ly senza fornire il tuo nome utente. "
747
+
748
+ #: wp-to-twitter-manager.php:410
749
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
750
+ msgstr "Non sono stati inseriti i dati per il login a Bit.ly - <a href='http://bit.ly/account/'>vai qui</a>! "
751
+
752
+ #: wp-to-twitter-manager.php:426
753
+ msgid "<p>One or more of your last posts has failed to send a status update to Twitter. The Tweet has been saved, and you can re-Tweet it at your leisure.</p>"
754
+ msgstr "<p>Uno o più dei tuoi ultimi post ha fallito nell'inviare la richiesta di aggiornamento di stato a Twitter. Il Tweet comunque è stato salvato e puoi inviarlo nuovamente quando ti è più comodo.</p>"
755
+
756
+ #: wp-to-twitter-manager.php:432
757
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
758
+ msgstr "Non é stato possibile contattare i server di Twitter per comunicare il tuo <strong>nuovo link</strong>. Prova a compiere manualmente l'operazione."
759
+
760
+ #: wp-to-twitter-manager.php:435
761
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues.</p>"
762
+ msgstr "<p>La richiesta alle API per il servizio di abbreviazione degli URL è fallita e quindi il tuo URL non è stato abbreviato. L'url esteso al tuo post è stato allegato al tuo Tweet. Contatta il tuo fornitore di URL abbreviati per verificare se ci sono problemi col servizio.</p>"
763
+
764
+ #: wp-to-twitter-manager.php:441
765
+ msgid "Clear 'WP to Twitter' Error Messages"
766
+ msgstr "Svuota i messaggiodi errore 'WP to Twitter'"
767
+
768
+ #: wp-to-twitter-manager.php:448
769
+ msgid "WP to Twitter Options"
770
+ msgstr "Opzioni WP to Twitter"
771
+
772
+ #: wp-to-twitter-manager.php:461
773
+ msgid "Basic Settings"
774
+ msgstr "Impostazioni di base"
775
+
776
+ #: wp-to-twitter-manager.php:466 wp-to-twitter-manager.php:529
777
+ msgid "Save WP->Twitter Options"
778
+ msgstr "Salva le opzioni WP->Twitter"
779
+
780
+ #: wp-to-twitter-manager.php:496
781
+ msgid "Settings for Comments"
782
+ msgstr "Impostazioni commenti"
783
+
784
+ #: wp-to-twitter-manager.php:499
785
+ msgid "Update Twitter when new comments are posted"
786
+ msgstr "Aggiorna Twitter quando vengono inviati nuovi commenti"
787
+
788
+ #: wp-to-twitter-manager.php:500
789
+ msgid "Text for new comments:"
790
+ msgstr "Testo per nuovi commenti:"
791
+
792
+ #: wp-to-twitter-manager.php:505
793
+ msgid "Settings for Links"
794
+ msgstr "Impostazioni link"
795
+
796
+ #: wp-to-twitter-manager.php:508
797
+ msgid "Update Twitter when you post a Blogroll link"
798
+ msgstr "Aggiorna Twitter quando viene aggiunto un nuovo link al blogroll"
799
+
800
+ #: wp-to-twitter-manager.php:509
801
+ msgid "Text for new link updates:"
802
+ msgstr "Testo per gli aggiornamenti di un nuovo link:"
803
+
804
+ #: wp-to-twitter-manager.php:509
805
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
806
+ msgstr "Shortcode disponibili: <code>#url#</code>, <code>#title#</code> e <code>#description#</code>."
807
+
808
+ #: wp-to-twitter-manager.php:513
809
+ msgid "Choose your short URL service (account settings below)"
810
+ msgstr "Scegli il tuo servizio per gli URL brevi (impostazioni account qui sotto)"
811
+
812
+ #: wp-to-twitter-manager.php:516
813
+ msgid "Don't shorten URLs."
814
+ msgstr "Non usare gli URL brevi"
815
+
816
+ #: wp-to-twitter-manager.php:517
817
+ msgid "Use Su.pr for my URL shortener."
818
+ msgstr "Usa Su.pr per creare gli URL brevi."
819
+
820
+ #: wp-to-twitter-manager.php:518
821
+ msgid "Use Bit.ly for my URL shortener."
822
+ msgstr "Usa Bit.ly per gli URL brevi"
823
+
824
+ #: wp-to-twitter-manager.php:519
825
+ msgid "Use Goo.gl as a URL shortener."
826
+ msgstr "Usa Goo.gl per gli URL brevi."
827
+
828
+ #: wp-to-twitter-manager.php:520
829
+ msgid "YOURLS (installed on this server)"
830
+ msgstr "YOURLS (intallato in questo server)"
831
+
832
+ #: wp-to-twitter-manager.php:521
833
+ msgid "YOURLS (installed on a remote server)"
834
+ msgstr "YOURLS (intallato in un server remoto)"
835
+
836
+ #: wp-to-twitter-manager.php:522
837
+ msgid "Use WordPress as a URL shortener."
838
+ msgstr "Usa WordPress per gli URL brevi."
839
+
840
+ #: wp-to-twitter-manager.php:537
841
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
842
+ msgstr "Impostazione account abbreviatore <abbr title=\"Uniform Resource Locator\">URL</abbr>"
843
+
844
+ #: wp-to-twitter-manager.php:540
845
+ msgid "Your Su.pr account details"
846
+ msgstr "Dati account Su.pr"
847
+
848
+ #: wp-to-twitter-manager.php:544
849
+ msgid "Your Su.pr Username:"
850
+ msgstr "Nome utente Su.pr:"
851
+
852
+ #: wp-to-twitter-manager.php:548
853
+ msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
854
+ msgstr "La tua chiave <abbr title='application programming interface'>API</abbr> di Su.pr:"
855
+
856
+ #: wp-to-twitter-manager.php:555
857
+ msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
858
+ msgstr "Non hai ancora un account oppure una chiave API Su.pr? <a href='http://su.pr/'>Vai qui</a>!<br />E' necessaria una chiave API in modo tale da potere associare gli URL da te creati con il tuo account di Su.pr."
859
+
860
+ #: wp-to-twitter-manager.php:560
861
+ msgid "Your Bit.ly account details"
862
+ msgstr "Dati account Bit.ly"
863
+
864
+ #: wp-to-twitter-manager.php:564
865
+ msgid "Your Bit.ly username:"
866
+ msgstr "Nome utente Bit.ly:"
867
+
868
+ #: wp-to-twitter-manager.php:566
869
+ msgid "This must be a standard Bit.ly account. Your Twitter or Facebook log-in will not work."
870
+ msgstr "Deve essere un account Bit.ly standard. Il tuo login Twitter o Facebook non funzionerà."
871
+
872
+ #: wp-to-twitter-manager.php:568
873
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
874
+ msgstr "La tua chiave <abbr title='application programming interface'>API</abbr> di Bit.ly:"
875
+
876
+ #: wp-to-twitter-manager.php:576
877
+ msgid "Save Bit.ly API Key"
878
+ msgstr "Salva la chiave API di Bit.ly"
879
+
880
+ #: wp-to-twitter-manager.php:576
881
+ msgid "Clear Bit.ly API Key"
882
+ msgstr "Svuota la chiave API di Bit.ly"
883
+
884
+ #: wp-to-twitter-manager.php:576
885
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
886
+ msgstr "E' necessario il nome utente e la chiave API di Bit.ly per potere rendere brevi gli URL via la API di Bit.ly e WP to Twitter."
887
+
888
+ #: wp-to-twitter-manager.php:581
889
+ msgid "Your YOURLS account details"
890
+ msgstr "I dettagli del tuo account YOURLS"
891
+
892
+ #: wp-to-twitter-manager.php:585
893
+ msgid "Path to your YOURLS config file (Local installations)"
894
+ msgstr "Percorso al file di configurazione YOURLS (installazioni locali)"
895
+
896
+ #: wp-to-twitter-manager.php:586 wp-to-twitter-manager.php:590
897
+ msgid "Example:"
898
+ msgstr "Esempio:"
899
+
900
+ #: wp-to-twitter-manager.php:589
901
+ msgid "URI to the YOURLS API (Remote installations)"
902
+ msgstr "URI alla API di YOURLS (installazioni remote)"
903
+
904
+ #: wp-to-twitter-manager.php:593
905
+ msgid "Your YOURLS username:"
906
+ msgstr "Nome utente YOURLS:"
907
+
908
+ #: wp-to-twitter-manager.php:597
909
+ msgid "Your YOURLS password:"
910
+ msgstr "Password YOURLS:"
911
+
912
+ #: wp-to-twitter-manager.php:597
913
+ msgid "<em>Saved</em>"
914
+ msgstr "<em>Salvato</em>"
915
+
916
+ #: wp-to-twitter-manager.php:601
917
+ msgid "Post ID for YOURLS url slug."
918
+ msgstr "ID post per lo slug degli url di YOURLS."
919
+
920
+ #: wp-to-twitter-manager.php:602
921
+ msgid "Custom keyword for YOURLS url slug."
922
+ msgstr "Keyword personalizzata per lo slug degli url di YOURLS."
923
+
924
+ #: wp-to-twitter-manager.php:603
925
+ msgid "Default: sequential URL numbering."
926
+ msgstr "Predefinito: numerazione sequenziale URL."
927
+
928
+ #: wp-to-twitter-manager.php:609
929
+ msgid "Save YOURLS Account Info"
930
+ msgstr "Salva le info account di YOURLS"
931
+
932
+ #: wp-to-twitter-manager.php:609
933
+ msgid "Clear YOURLS password"
934
+ msgstr "Svuota la password di YOURLS"
935
+
936
+ #: wp-to-twitter-manager.php:609
937
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
938
+ msgstr "E' necessario il nome utente e la password di affinché possano essere abbreviati gli URL via l'API remoto di YOURLS e di WP to Twitter."
939
+
940
+ #: wp-to-twitter-manager.php:620
941
+ msgid "Advanced Settings"
942
+ msgstr "Impostazioni avanzate"
943
+
944
+ #: wp-to-twitter-manager.php:625 wp-to-twitter-manager.php:783
945
+ msgid "Save Advanced WP->Twitter Options"
946
+ msgstr "Salva avanzate WP->Opzioni Twitter"
947
+
948
+ #: wp-to-twitter-manager.php:627
949
+ msgid "Advanced Tweet settings"
950
+ msgstr "Opzioni messaggio avanzate"
951
+
952
+ #: wp-to-twitter-manager.php:629
953
+ msgid "Strip nonalphanumeric characters from tags"
954
+ msgstr "Rimuovi i caratteri non alfanumerici dai tag"
955
+
956
+ #: wp-to-twitter-manager.php:630
957
+ msgid "Spaces in tags replaced with:"
958
+ msgstr "Sostituisci gli spazi trai tag con:"
959
+
960
+ #: wp-to-twitter-manager.php:632
961
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
962
+ msgstr "Il sostituto predefinito é un trattino breve (<code>_</code>). Usa <code>[ ]</code> per rimuovere gli spazi completamente."
963
+
964
+ #: wp-to-twitter-manager.php:635
965
+ msgid "Maximum number of tags to include:"
966
+ msgstr "Numero massimo di tag da includere:"
967
+
968
+ #: wp-to-twitter-manager.php:636
969
+ msgid "Maximum length in characters for included tags:"
970
+ msgstr "Lunghezza massima in caratteri per i tag inclusi:"
971
+
972
+ #: wp-to-twitter-manager.php:637
973
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
974
+ msgstr "Queste opzioni ti permetteranno di limitare la lunghezza ed il numero dei tag WordPress inviati a Twitter come hashtags. Imposta a <code>0</code> oppure lascia in bianco per permettere ogni tag."
975
+
976
+ #: wp-to-twitter-manager.php:640
977
+ msgid "Length of post excerpt (in characters):"
978
+ msgstr "Lunghezza riassunto messaggi (in caratteri)"
979
+
980
+ #: wp-to-twitter-manager.php:640
981
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
982
+ msgstr "Come funzione predefinita, gli estratti verranno generati in automatico. Utilizzassi il campo 'Excerpt', questi avrà la priorità."
983
+
984
+ #: wp-to-twitter-manager.php:643
985
+ msgid "WP to Twitter Date Formatting:"
986
+ msgstr "Formattazione data WP to Twitter:"
987
+
988
+ #: wp-to-twitter-manager.php:644
989
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
990
+ msgstr "Predefinito dalle impostazioni generali. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Info formattazione data</a>."
991
+
992
+ #: wp-to-twitter-manager.php:648
993
+ msgid "Custom text before all Tweets:"
994
+ msgstr "Testo personalizzato prima di tutti i messaggi:"
995
+
996
+ #: wp-to-twitter-manager.php:649
997
+ msgid "Custom text after all Tweets:"
998
+ msgstr "Testo personalizzato dopo tutti i messaggi:"
999
+
1000
+ #: wp-to-twitter-manager.php:652
1001
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
1002
+ msgstr "Campo personalizzato riferito ad un URL alternativo da abbreviare ed inviare a Twitter:"
1003
+
1004
+ #: wp-to-twitter-manager.php:653
1005
+ msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
1006
+ msgstr "Puoi utilizzare un campo personalizzato per inviare un URL alternativo per il tuo articolo. Questo valore é il nome del campo personalizzato che utilizzerai per aggiungere un URL esterno."
1007
+
1008
+ #: wp-to-twitter-manager.php:676
1009
+ msgid "Preferred status update truncation sequence"
1010
+ msgstr "Sequenza di troncamento preferita per l'aggiornamento dello stato"
1011
+
1012
+ #: wp-to-twitter-manager.php:679
1013
+ msgid "This is the order in which items will be abbreviated or removed from your status update if it is too long to send to Twitter."
1014
+ msgstr "Questo è l'ordine in cui gli oggetti verranno abbreviati o rimossi dal tuo aggiornamento di status se esso è troppo lungo da inviare a Twitter."
1015
+
1016
+ #: wp-to-twitter-manager.php:684
1017
+ msgid "Special Cases when WordPress should send a Tweet"
1018
+ msgstr "Casi particolari nei quali WordPress dovrebbe inviare un messaggio"
1019
+
1020
+ #: wp-to-twitter-manager.php:687
1021
+ msgid "Do not post Tweets by default"
1022
+ msgstr "Di default non inviare i Tweet"
1023
+
1024
+ #: wp-to-twitter-manager.php:690
1025
+ msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
1026
+ msgstr "Come funzione predefinita, tutti i post che soddisfano i requisiti saranno pubblicati su Twitter. Metti il segno di spunta per modificare le impostazioni."
1027
+
1028
+ #: wp-to-twitter-manager.php:694
1029
+ msgid "Allow status updates from Quick Edit"
1030
+ msgstr "Permetti aggiornamenti stato via Quick Edit"
1031
+
1032
+ #: wp-to-twitter-manager.php:695
1033
+ msgid "If checked, all posts edited individually or in bulk through the Quick Edit feature will be Tweeted."
1034
+ msgstr "Se selezionata, tutti i post modificati uno per uno o in gruppo attraverso la funzione di Modifica veloce verranno inviati come Tweet."
1035
+
1036
+ #: wp-to-twitter-manager.php:700
1037
+ msgid "Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action."
1038
+ msgstr "Ritardare i tweet con WP Tweets PRO sposta i Tweet verso un'azione di pubblicazione indipendente."
1039
+
1040
+ #: wp-to-twitter-manager.php:707
1041
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
1042
+ msgstr "Invio degli aggiornamenti di Twitter via punti di pubblicazione remoti (Email o client XMLRPC)"
1043
+
1044
+ #: wp-to-twitter-manager.php:712
1045
+ msgid "Google Analytics Settings"
1046
+ msgstr "Impostazioni Google Analytics"
1047
+
1048
+ #: wp-to-twitter-manager.php:713
1049
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
1050
+ msgstr "Puoi tracciare la risposta da Twitter utilizzando Google Analytics definendo qui l'identificatore. Puoi definire un identificatore statico oppure uno dinamico. Gli identificatori statici non mutano da post a post mentre quelli dinamici derivano dalle informazioni di maggior rilievo appartenenti a quel post specifico. Gli identificatori dinamici ti permetteranno di analizzare le tue statistiche attraverso una variabile aggiuntiva."
1051
+
1052
+ #: wp-to-twitter-manager.php:717
1053
+ msgid "Use a Static Identifier with WP-to-Twitter"
1054
+ msgstr "Utilizza un identificatore statico per WP-to-Twitter"
1055
+
1056
+ #: wp-to-twitter-manager.php:718
1057
+ msgid "Static Campaign identifier for Google Analytics:"
1058
+ msgstr "Identificatore statico Google Analytics:"
1059
+
1060
+ #: wp-to-twitter-manager.php:722
1061
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
1062
+ msgstr "Utilizza un identificatore dinamico per Google Analytics e WP-to-Twitter"
1063
+
1064
+ #: wp-to-twitter-manager.php:723
1065
+ msgid "What dynamic identifier would you like to use?"
1066
+ msgstr "Quale identificatore dinamico desideri utilizzare?"
1067
+
1068
+ #: wp-to-twitter-manager.php:725
1069
+ msgid "Category"
1070
+ msgstr "Categoria"
1071
+
1072
+ #: wp-to-twitter-manager.php:726
1073
+ msgid "Post ID"
1074
+ msgstr "ID post"
1075
+
1076
+ #: wp-to-twitter-manager.php:727
1077
+ msgid "Post Title"
1078
+ msgstr "Titolo post"
1079
+
1080
+ #: wp-to-twitter-manager.php:728
1081
+ msgid "Author"
1082
+ msgstr "Autore"
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
wp-to-twitter-ja.po CHANGED
@@ -1,892 +1,892 @@
1
- # Copyright (C) 2010 WP to Twitter
2
- # This file is distributed under the same license as the WP to Twitter package.
3
- msgid ""
4
- msgstr ""
5
- "Project-Id-Version: WP to Twitter 2.2.9\n"
6
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
7
- "POT-Creation-Date: 2011-04-12 22:29:25+00:00\n"
8
- "PO-Revision-Date: 2011-04-26 18:12+0900\n"
9
- "Last-Translator: cat <info@kndb.jp>\n"
10
- "Language-Team: \n"
11
- "MIME-Version: 1.0\n"
12
- "Content-Type: text/plain; charset=UTF-8\n"
13
- "Content-Transfer-Encoding: 8bit\n"
14
- "X-Poedit-Language: Japanese\n"
15
- "X-Poedit-Country: JAPAN\n"
16
-
17
- #: functions.php:193
18
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
19
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>隠す</a>] なにか問題が起こってサポートをリクエストする場合は、この設定をコピーして送信してください。"
20
-
21
- #: wp-to-twitter-oauth.php:105
22
- #: wp-to-twitter-oauth.php:144
23
- msgid "Connect to Twitter"
24
- msgstr "Twitter と連携"
25
-
26
- #: wp-to-twitter-oauth.php:109
27
- msgid "The process to set up OAuth authentication for your web site is needlessly laborious. It is also confusing. However, this is the only method available from Twitter. Note that you will not add your Twitter username or password to WP to Twitter; they are not used in OAuth authentication."
28
- msgstr "OAuth 認証の設定は無駄に面倒ですし、わけがわからないものでしょう。ですがこれが Twitter で認証するための唯一の方法なのです。 とはいえ WP to Twiitter に Twitter のユーザー名やパスワードを保存する必要がないことに注目してください。 OAuth 認証ではそういうものは必要ないのです。"
29
-
30
- #: wp-to-twitter-oauth.php:112
31
- msgid "1. Register this site as an application on "
32
- msgstr "1. このサイトをアプリケーションとして登録する: "
33
-
34
- #: wp-to-twitter-oauth.php:112
35
- msgid "Twitter's application registration page"
36
- msgstr "Twitter アプリケーション登録ページ"
37
-
38
- #: wp-to-twitter-oauth.php:114
39
- msgid "If you're not currently logged in, use the Twitter username and password which you want associated with this site"
40
- msgstr "Twitter 側で現在ログインしていない場合は、このサイトと結び付けたいアカウントのユーザー名とパスワードでログインしてください"
41
-
42
- #: wp-to-twitter-oauth.php:115
43
- msgid "Your Application's Name will be what shows up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\" Use the name of your web site."
44
- msgstr "アプリケーション名 (Application's Name) : つぶやきの「○○から」として表示されます。「Twitter」という単語を含めることはできません。サイト名を使うのがいいでしょう。"
45
-
46
- #: wp-to-twitter-oauth.php:116
47
- msgid "Your Application Description can be whatever you want."
48
- msgstr "アプリケーションの説明 (Application Description) : なんでもお好きなことを書いてください"
49
-
50
- #: wp-to-twitter-oauth.php:117
51
- msgid "Application Type should be set on "
52
- msgstr "アプリケーションの種類 (Application Type): "
53
-
54
- #: wp-to-twitter-oauth.php:117
55
- msgid "Browser"
56
- msgstr "ブラウザアプリケーション (Browser)"
57
-
58
- #: wp-to-twitter-oauth.php:118
59
- msgid "The Callback URL should be "
60
- msgstr "コールバック URL(Callback URL) : "
61
-
62
- #: wp-to-twitter-oauth.php:119
63
- msgid "Default Access type must be set to "
64
- msgstr "標準のアクセスタイプ(Default Access type) : "
65
-
66
- #: wp-to-twitter-oauth.php:119
67
- msgid "Read &amp; Write"
68
- msgstr "読み書き (Read &amp; Write)"
69
-
70
- #: wp-to-twitter-oauth.php:119
71
- msgid "(this is NOT the default)"
72
- msgstr "(デフォルトでは Read-only です)"
73
-
74
- #: wp-to-twitter-oauth.php:121
75
- msgid "Once you have registered your site as an application, you will be provided with a consumer key and a consumer secret."
76
- msgstr "サイトのアプリケーション登録が完了すると、 Consumer key と Consumer secret が発行されます。"
77
-
78
- #: wp-to-twitter-oauth.php:122
79
- msgid "2. Copy and paste your consumer key and consumer secret into the fields below"
80
- msgstr "2. Consumer key と Consumer secret を下のフィールドに貼り付ける"
81
-
82
- #: wp-to-twitter-oauth.php:125
83
- msgid "Twitter Consumer Key"
84
- msgstr "Consumer Key"
85
-
86
- #: wp-to-twitter-oauth.php:129
87
- msgid "Twitter Consumer Secret"
88
- msgstr "Consumer Secret"
89
-
90
- #: wp-to-twitter-oauth.php:132
91
- msgid "3. Copy and paste your Access Token and Access Token Secret into the fields below"
92
- msgstr "3. Access token と Access Token Secret を下のフィールドに貼り付ける"
93
-
94
- #: wp-to-twitter-oauth.php:133
95
- msgid "On the right hand side of your new application page at Twitter, click on 'My Access Token'."
96
- msgstr "アプリケーションページの右サイドバーにある、「My Access Token」をクリックしてください"
97
-
98
- #: wp-to-twitter-oauth.php:135
99
- msgid "Access Token"
100
- msgstr "Access Token"
101
-
102
- #: wp-to-twitter-oauth.php:139
103
- msgid "Access Token Secret"
104
- msgstr "Access Token Secret"
105
-
106
- #: wp-to-twitter-oauth.php:154
107
- msgid "Disconnect from Twitter"
108
- msgstr "Twitter との連携"
109
-
110
- #: wp-to-twitter-oauth.php:161
111
- msgid "Twitter Username "
112
- msgstr "ユーザー名"
113
-
114
- #: wp-to-twitter-oauth.php:162
115
- msgid "Consumer Key "
116
- msgstr "Consumer Key "
117
-
118
- #: wp-to-twitter-oauth.php:163
119
- msgid "Consumer Secret "
120
- msgstr "Consumer Secret "
121
-
122
- #: wp-to-twitter-oauth.php:164
123
- msgid "Access Token "
124
- msgstr "Access Token "
125
-
126
- #: wp-to-twitter-oauth.php:165
127
- msgid "Access Token Secret "
128
- msgstr "Access Token Secret "
129
-
130
- #: wp-to-twitter-oauth.php:168
131
- msgid "Disconnect Your WordPress and Twitter Account"
132
- msgstr "Twitter との連携を解除"
133
-
134
- #: wp-to-twitter.php:49
135
- msgid "WP to Twitter requires PHP version 5 or above with cURL support. Please upgrade PHP or install cURL to run WP to Twitter."
136
- msgstr "WP to Twitter の動作には PHP 5 以上および cURL のサポートが必要です。 PHP のバージョンアップか cURL のインストールをお願いします。"
137
-
138
- #: wp-to-twitter.php:70
139
- msgid "WP to Twitter requires WordPress 2.9.2 or a more recent version. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update your WordPress version!</a>"
140
- msgstr "WP to Twitter の動作には WordPress 2.9.2 以上が必要です。<a href=\"http://wpdocs.sourceforge.jp/WordPress_%E3%81%AE%E3%82%A2%E3%83%83%E3%83%97%E3%82%B0%E3%83%AC%E3%83%BC%E3%83%89\">WordPress をアップグレードしましょう</a>。"
141
-
142
- #: wp-to-twitter.php:84
143
- msgid "Twitter now requires authentication by OAuth. You will need you to update your <a href=\"%s\">settings</a> in order to continue to use WP to Twitter."
144
- msgstr "Twitter では OAuth 認証が必要になりました。 WP to Twitter を使うためには<a href=\"%s\">プラグイン設定</a>を更新する必要があります。"
145
-
146
- #: wp-to-twitter.php:150
147
- msgid "200 OK: Success!"
148
- msgstr "200 OK: Success!"
149
-
150
- #: wp-to-twitter.php:154
151
- msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
152
- msgstr "400 Bad Request: リクエストが不正です。このエラーは API の使用が制限されているときに出ます。"
153
-
154
- #: wp-to-twitter.php:158
155
- msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
156
- msgstr "401 Unauthorized: 認証に失敗しました。"
157
-
158
- #: wp-to-twitter.php:162
159
- msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons include exceeding the 140 character limit or the API update limit."
160
- msgstr "403 Forbidden: リクエストされましたが処理できません。このエラーは、リクエストは届いたものの Twitter 側で拒否された際に出ます。ツイートが 140 字以上の場合・API 制限に引っかかった場合にも出ます。"
161
-
162
- #: wp-to-twitter.php:166
163
- msgid "500 Internal Server Error: Something is broken at Twitter."
164
- msgstr "500 Internal Server Error: Twitter 側でなにかがおかしいようです"
165
-
166
- #: wp-to-twitter.php:170
167
- msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests Please try again later."
168
- msgstr "503 Service Unavailable: Twitter は使えないこともないのですが、負荷が高そうです。またあとで試してください。"
169
-
170
- #: wp-to-twitter.php:174
171
- msgid "502 Bad Gateway: Twitter is down or being upgraded."
172
- msgstr "502 Bad Gateway: Twitter が落ちているか、アップグレード中です"
173
-
174
- #. #-#-#-#-# plugin.pot (WP to Twitter 2.2.9) #-#-#-#-#
175
- #. Plugin Name of the plugin/theme
176
- #: wp-to-twitter.php:803
177
- msgid "WP to Twitter"
178
- msgstr "WP to Twitter"
179
-
180
- #: wp-to-twitter.php:865
181
- msgid "Custom Twitter Post"
182
- msgstr "カスタムツイート"
183
-
184
- #: wp-to-twitter.php:874
185
- #: wp-to-twitter-manager.php:360
186
- msgid "Make a Donation"
187
- msgstr "寄付する"
188
-
189
- #: wp-to-twitter.php:874
190
- #: wp-to-twitter-manager.php:363
191
- msgid "Get Support"
192
- msgstr "サポート"
193
-
194
- #: wp-to-twitter.php:877
195
- msgid "Don't Tweet this post."
196
- msgstr "この投稿はツイートしない"
197
-
198
- #: wp-to-twitter.php:887
199
- msgid "This URL is direct and has not been shortened: "
200
- msgstr "この URL は短縮されていません: "
201
-
202
- #: wp-to-twitter.php:946
203
- msgid "WP to Twitter User Settings"
204
- msgstr "WP to Twitter 個人設定"
205
-
206
- #: wp-to-twitter.php:950
207
- msgid "Use My Twitter Username"
208
- msgstr "自分のアカウントを含める"
209
-
210
- #: wp-to-twitter.php:951
211
- msgid "Tweet my posts with an @ reference to my username."
212
- msgstr "自分のアカウント宛に @ をつけてツイートする"
213
-
214
- #: wp-to-twitter.php:952
215
- msgid "Tweet my posts with an @ reference to both my username and to the main site username."
216
- msgstr "自分と、サイト設定でのアカウント宛に @ をつけてツイート"
217
-
218
- #: wp-to-twitter.php:956
219
- msgid "Your Twitter Username"
220
- msgstr "Twitter ユーザー名"
221
-
222
- #: wp-to-twitter.php:957
223
- msgid "Enter your own Twitter username."
224
- msgstr "あなたの Twitter でのユーザー名を入力してください"
225
-
226
- #: wp-to-twitter.php:996
227
- msgid "Check the categories you want to tweet:"
228
- msgstr "ツイートしたいカテゴリーを選択してください"
229
-
230
- #: wp-to-twitter.php:1013
231
- msgid "Set Categories"
232
- msgstr "カテゴリーを登録"
233
-
234
- #: wp-to-twitter.php:1037
235
- msgid "<p>Couldn't locate the settings page.</p>"
236
- msgstr "<p>設定ページが見つかりません</p>"
237
-
238
- #: wp-to-twitter.php:1042
239
- msgid "Settings"
240
- msgstr "設定"
241
-
242
- #: wp-to-twitter-manager.php:76
243
- msgid "WP to Twitter is now connected with Twitter."
244
- msgstr "WP to Twitter は Twitter と連携しました。"
245
-
246
- #: wp-to-twitter-manager.php:86
247
- msgid "OAuth Authentication Data Cleared."
248
- msgstr "OAuth 認証データを削除しました。"
249
-
250
- #: wp-to-twitter-manager.php:93
251
- msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
252
- msgstr "OAuth 認証に失敗しました。サーバーの時刻が Twitter サーバーと大幅にずれています。ホスティングサービスに連絡してください。"
253
-
254
- #: wp-to-twitter-manager.php:100
255
- msgid "OAuth Authentication response not understood."
256
- msgstr "OAuth 認証のレスポンスが変です。設定を見なおしてください。"
257
-
258
- #: wp-to-twitter-manager.php:109
259
- msgid "WP to Twitter Errors Cleared"
260
- msgstr "WP to Twitter エラーを削除しました。"
261
-
262
- #: wp-to-twitter-manager.php:116
263
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
264
- msgstr "ツイートしようとしたのですが、Twitter サーバーに接続できませんでした。ツイートはこの投稿のカスタムフィールド内に保存されました。もしお望みなら手動でツイートすることもできます。"
265
-
266
- #: wp-to-twitter-manager.php:118
267
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
268
- msgstr "リンクをツイートしようとしたのですが、Twitter サーバーに接続できませんでした。申し訳ありませんが手動でツイートする必要があります。"
269
-
270
- #: wp-to-twitter-manager.php:156
271
- msgid "WP to Twitter Advanced Options Updated"
272
- msgstr "詳細設定を保存しました。"
273
-
274
- #: wp-to-twitter-manager.php:173
275
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
276
- msgstr "Bit.ly で URL を短縮するためには、 Bit.ly の ユーザー名と API キーを設定する必要があります"
277
-
278
- #: wp-to-twitter-manager.php:177
279
- msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
280
- msgstr "リモートの YOURLS で URL を短縮するためには、 YOURLS の URL、ログイン名、パスワードを設定する必要があります。"
281
-
282
- #: wp-to-twitter-manager.php:181
283
- msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
284
- msgstr "リモートの YOURLS で URL を短縮するためには、 YOURLS のインストールパスを設定に追加する必要があります。"
285
-
286
- #: wp-to-twitter-manager.php:185
287
- msgid "WP to Twitter Options Updated"
288
- msgstr "基本設定を保存しました。"
289
-
290
- #: wp-to-twitter-manager.php:195
291
- msgid "Category limits updated."
292
- msgstr "カテゴリーフィルタ設定を更新しました。"
293
-
294
- #: wp-to-twitter-manager.php:199
295
- msgid "Category limits unset."
296
- msgstr "カテゴリーフィルタ設定を削除しました。"
297
-
298
- #: wp-to-twitter-manager.php:207
299
- msgid "YOURLS password updated. "
300
- msgstr "YOURLS パスワードを更新しました。"
301
-
302
- #: wp-to-twitter-manager.php:210
303
- msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
304
- msgstr "YOURLS パスワードを削除しました。 URL の短縮にリモート YOURLS アカウントを使うことはできません。"
305
-
306
- #: wp-to-twitter-manager.php:212
307
- msgid "Failed to save your YOURLS password! "
308
- msgstr "YOURLS パスワードの保存に失敗しました!"
309
-
310
- #: wp-to-twitter-manager.php:216
311
- msgid "YOURLS username added. "
312
- msgstr "YOURLS ユーザー名を追加しました。"
313
-
314
- #: wp-to-twitter-manager.php:220
315
- msgid "YOURLS API url added. "
316
- msgstr "YOURLS API の URL を追加しました。"
317
-
318
- #: wp-to-twitter-manager.php:223
319
- msgid "YOURLS API url removed. "
320
- msgstr "YOURLS API の URL を削除しました。"
321
-
322
- #: wp-to-twitter-manager.php:228
323
- msgid "YOURLS local server path added. "
324
- msgstr "YOURLS ローカルサーバーパスを追加しました。"
325
-
326
- #: wp-to-twitter-manager.php:230
327
- msgid "The path to your YOURLS installation is not correct. "
328
- msgstr "YOURLS のインストールパスが正しくありません。"
329
-
330
- #: wp-to-twitter-manager.php:234
331
- msgid "YOURLS local server path removed. "
332
- msgstr "YOURLS ローカルサーバーパスを削除しました。"
333
-
334
- #: wp-to-twitter-manager.php:238
335
- msgid "YOURLS will use Post ID for short URL slug."
336
- msgstr "YOURLS での短縮に投稿 ID を使用します。"
337
-
338
- #: wp-to-twitter-manager.php:241
339
- msgid "YOURLS will not use Post ID for the short URL slug."
340
- msgstr "YOURLS での短縮に投稿 ID を使用しません。"
341
-
342
- #: wp-to-twitter-manager.php:249
343
- msgid "Su.pr API Key and Username Updated"
344
- msgstr "Su.pr API キーとユーザー名を更新しました。"
345
-
346
- #: wp-to-twitter-manager.php:253
347
- msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
348
- msgstr "Su.pr API キーとユーザー名を削除しました。 WP to Twitter で作成した Su.pr の URL は、もうアカウントと結びついていません。"
349
-
350
- #: wp-to-twitter-manager.php:255
351
- msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
352
- msgstr "Su.pr API キーがありません。 <a href='http://su.pr/'>取得してください</a>。"
353
-
354
- #: wp-to-twitter-manager.php:261
355
- msgid "Bit.ly API Key Updated."
356
- msgstr "Bit.ly API キーを更新しました。"
357
-
358
- #: wp-to-twitter-manager.php:264
359
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
360
- msgstr "Bit.ly API キーを削除しました。API キーなしでは Bit.ly の API は使えません。"
361
-
362
- #: wp-to-twitter-manager.php:266
363
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
364
- msgstr "Bit.ly API キーがありません。<a href='http://bit.ly/account/'>取得してください</a>。API キーは Bit.ly API で URL を短縮する際に必要です。"
365
-
366
- #: wp-to-twitter-manager.php:270
367
- msgid " Bit.ly User Login Updated."
368
- msgstr "Bit.ly ユーザー名を更新しました。"
369
-
370
- #: wp-to-twitter-manager.php:273
371
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
372
- msgstr "Bit.ly ユーザー名を削除しました。ユーザー名なしでは Bit.ly の API は使えません。"
373
-
374
- #: wp-to-twitter-manager.php:275
375
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
376
- msgstr "Bit.ly ユーザー名がありません。<a href='http://bit.ly/account/'>アカウントを作ってください</a>。"
377
-
378
- #: wp-to-twitter-manager.php:304
379
- msgid "No error information is available for your shortener."
380
- msgstr "短縮 URL に関するエラーはありませんでした"
381
-
382
- #: wp-to-twitter-manager.php:306
383
- msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
384
- msgstr "<li class=\"error\"><strong>WP to Twitter から指定の短縮 URL プロバイダへの接続に失敗しました</strong></li>"
385
-
386
- #: wp-to-twitter-manager.php:309
387
- msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
388
- msgstr "<li><strong>WP to Twitter から指定の短縮 URL プロバイダへの接続に成功しました</strong> サイトのアドレスの短縮 URL:"
389
-
390
- #: wp-to-twitter-manager.php:318
391
- msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
392
- msgstr "<li><strong>WP to Twitter は Twitter への投稿に成功しました</strong></li>"
393
-
394
- #: wp-to-twitter-manager.php:321
395
- msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
396
- msgstr "<li class=\"error\"><strong>WP to Twitter は Twitter への投稿に失敗しました</strong></li>"
397
-
398
- #: wp-to-twitter-manager.php:325
399
- msgid "You have not connected WordPress to Twitter."
400
- msgstr "この WordPress はまだ Twitter と連携していません。"
401
-
402
- #: wp-to-twitter-manager.php:329
403
- msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
404
- msgstr "<li class=\"error\"><strong>ご利用のサーバーには WP to Twitter に必要な機能がないようです</strong>。それでも試してみることはできます。このテストも完璧ではありませんから。</li>"
405
-
406
- #: wp-to-twitter-manager.php:333
407
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
408
- msgstr "<li><strong>WP to Twitter はご利用のサーバーで問題なく動きます</strong></li>"
409
-
410
- #: wp-to-twitter-manager.php:350
411
- msgid "WP to Twitter Options"
412
- msgstr "WP to Twitter 設定"
413
-
414
- #: wp-to-twitter-manager.php:360
415
- msgid "Pledge to new features"
416
- msgstr "機能リクエスト"
417
-
418
- #: wp-to-twitter-manager.php:363
419
- msgid "View Settings"
420
- msgstr "設定を表示"
421
-
422
- #: wp-to-twitter-manager.php:378
423
- msgid "Shortcodes available in post update templates:"
424
- msgstr "ツイート設定内で使えるショートコード: "
425
-
426
- #: wp-to-twitter-manager.php:380
427
- msgid "<code>#title#</code>: the title of your blog post"
428
- msgstr "<code>#title#</code>: 投稿のタイトル"
429
-
430
- #: wp-to-twitter-manager.php:381
431
- msgid "<code>#blog#</code>: the title of your blog"
432
- msgstr "<code>#blog#</code>: ブログのタイトル"
433
-
434
- #: wp-to-twitter-manager.php:382
435
- msgid "<code>#post#</code>: a short excerpt of the post content"
436
- msgstr "<code>#post#</code>: 投稿の抜粋"
437
-
438
- #: wp-to-twitter-manager.php:383
439
- msgid "<code>#category#</code>: the first selected category for the post"
440
- msgstr "<code>#category#</code>: 投稿のカテゴリー (最初の一つ)"
441
-
442
- #: wp-to-twitter-manager.php:384
443
- msgid "<code>#date#</code>: the post date"
444
- msgstr "<code>#date#</code>: 投稿の日付"
445
-
446
- #: wp-to-twitter-manager.php:385
447
- msgid "<code>#url#</code>: the post URL"
448
- msgstr "<code>#url#</code>: 投稿の URL"
449
-
450
- #: wp-to-twitter-manager.php:386
451
- msgid "<code>#author#</code>: the post author"
452
- msgstr "<code>#author#</code>: 投稿の作成者"
453
-
454
- #: wp-to-twitter-manager.php:387
455
- msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
456
- msgstr "<code>#account#</code>: @reference 形式のサイトの Twitter アカウント名 (もしくは、個人設定で値があれば投稿者のアカウント名)"
457
-
458
- #: wp-to-twitter-manager.php:389
459
- msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
460
- msgstr "カスタムフィールドを表示するショートコードを作ることもできます。ブラケット2つでカスタムフィールド名を囲むと、そのカスタムフィールドの値がツイートに含まれます。 例: <code>[[custom_field]]</code></p>"
461
-
462
- #: wp-to-twitter-manager.php:394
463
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
464
- msgstr "<p>いくつかの投稿が、ステータスの変更時のツイートに失敗しました。ツイートは投稿のカスタムフィールド内に保存されました。あとでお暇なときにツイートし直してください。</p>"
465
-
466
- #: wp-to-twitter-manager.php:398
467
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr Help</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
468
- msgstr "<p>短縮 URL API への問い合わせに失敗しました。 URL が短縮できなかったので、ツイートには通常の URL を添付しました。短縮 URL プロバイダでお知らせが出ていないか確認してください。 [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr ヘルプ</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
469
-
470
- #: wp-to-twitter-manager.php:405
471
- msgid "Clear 'WP to Twitter' Error Messages"
472
- msgstr "WP to Twitter エラーメッセージを消去する"
473
-
474
- #: wp-to-twitter-manager.php:418
475
- msgid "Basic Settings"
476
- msgstr "基本設定"
477
-
478
- #: wp-to-twitter-manager.php:424
479
- msgid "Tweet Templates"
480
- msgstr "ツイート設定"
481
-
482
- #: wp-to-twitter-manager.php:427
483
- msgid "Update when a post is published"
484
- msgstr "投稿が公開されたらツイート"
485
-
486
- #: wp-to-twitter-manager.php:427
487
- msgid "Text for new post updates:"
488
- msgstr "投稿公開時: "
489
-
490
- #: wp-to-twitter-manager.php:433
491
- #: wp-to-twitter-manager.php:436
492
- msgid "Update when a post is edited"
493
- msgstr "投稿が編集されたらツイート"
494
-
495
- #: wp-to-twitter-manager.php:433
496
- #: wp-to-twitter-manager.php:436
497
- msgid "Text for editing updates:"
498
- msgstr "投稿編集時"
499
-
500
- #: wp-to-twitter-manager.php:437
501
- msgid "You can not disable updates on edits when using Postie or similar plugins."
502
- msgstr "Postie あるいは類似のプラグインを使っているので、編集時のツイートを無効にすることはできません"
503
-
504
- #: wp-to-twitter-manager.php:441
505
- msgid "Update Twitter when new Wordpress Pages are published"
506
- msgstr "ページが公開されたらツイート"
507
-
508
- #: wp-to-twitter-manager.php:441
509
- msgid "Text for new page updates:"
510
- msgstr "ページ公開時: "
511
-
512
- #: wp-to-twitter-manager.php:445
513
- msgid "Update Twitter when WordPress Pages are edited"
514
- msgstr "ページが編集されたらツイート"
515
-
516
- #: wp-to-twitter-manager.php:445
517
- msgid "Text for page edit updates:"
518
- msgstr "ページ編集時:"
519
-
520
- #: wp-to-twitter-manager.php:449
521
- msgid "Update Twitter when you post a Blogroll link"
522
- msgstr "ブログロールにリンクを追加したらツイート"
523
-
524
- #: wp-to-twitter-manager.php:450
525
- msgid "Text for new link updates:"
526
- msgstr "新規リンク: "
527
-
528
- #: wp-to-twitter-manager.php:450
529
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
530
- msgstr "利用可能なショートコード: <code>#url#</code> <code>#title#</code> <code>#description#</code>"
531
-
532
- #: wp-to-twitter-manager.php:454
533
- msgid "Choose your short URL service (account settings below)"
534
- msgstr "短縮 URL (アカウント設定は下で行ってください)"
535
-
536
- #: wp-to-twitter-manager.php:457
537
- msgid "Don't shorten URLs."
538
- msgstr "URL を短縮しない"
539
-
540
- #: wp-to-twitter-manager.php:458
541
- msgid "Use Su.pr for my URL shortener."
542
- msgstr "Su.pr を使って短縮"
543
-
544
- #: wp-to-twitter-manager.php:459
545
- msgid "Use Bit.ly for my URL shortener."
546
- msgstr "Bit.ly を使って短縮"
547
-
548
- #: wp-to-twitter-manager.php:460
549
- msgid "YOURLS (installed on this server)"
550
- msgstr "YOURLS (このサーバー上)"
551
-
552
- #: wp-to-twitter-manager.php:461
553
- msgid "YOURLS (installed on a remote server)"
554
- msgstr "YOURLS (別のサーバー上)"
555
-
556
- #: wp-to-twitter-manager.php:462
557
- msgid "Use WordPress as a URL shortener."
558
- msgstr "WordPress の短縮 URL 機能"
559
-
560
- #: wp-to-twitter-manager.php:464
561
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
562
- msgstr "WordPress の短縮 URL 機能では、パーマリンク設定内の「デフォルト」形式の URL を Twiterへ送信します。 例: <code>http://domain.com/wordpress/?p=123</code> この場合、 Google Analytics での解析はできません。"
563
-
564
- #: wp-to-twitter-manager.php:470
565
- msgid "Save WP->Twitter Options"
566
- msgstr "基本設定を保存"
567
-
568
- #: wp-to-twitter-manager.php:479
569
- msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
570
- msgstr "短縮 <abbr title=\"Uniform Resource Locator\">URL</abbr> アカウント設定"
571
-
572
- #: wp-to-twitter-manager.php:483
573
- msgid "Your Su.pr account details"
574
- msgstr "Su.pr アカウント設定"
575
-
576
- #: wp-to-twitter-manager.php:488
577
- msgid "Your Su.pr Username:"
578
- msgstr "Su.pr ユーザー名: "
579
-
580
- #: wp-to-twitter-manager.php:492
581
- msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
582
- msgstr "Su.pr <abbr title='application programming interface'>API</abbr> キー:"
583
-
584
- #: wp-to-twitter-manager.php:498
585
- msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
586
- msgstr "Su.pr アカウントもしくは API キーをお持ちでない場合は<a href='http://su.pr/'>取得してください</a>!<br />API キーは短縮した URL をあなたの Su.pr アカウントと結びつけるために必要です。"
587
-
588
- #: wp-to-twitter-manager.php:504
589
- msgid "Your Bit.ly account details"
590
- msgstr "Bit.ly アカウント設定"
591
-
592
- #: wp-to-twitter-manager.php:509
593
- msgid "Your Bit.ly username:"
594
- msgstr "Bit.ly ユーザー名: "
595
-
596
- #: wp-to-twitter-manager.php:513
597
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
598
- msgstr "Bit.ly <abbr title='application programming interface'>API</abbr> キー:"
599
-
600
- #: wp-to-twitter-manager.php:520
601
- msgid "Save Bit.ly API Key"
602
- msgstr "Bit.ly API キーを保存"
603
-
604
- #: wp-to-twitter-manager.php:520
605
- msgid "Clear Bit.ly API Key"
606
- msgstr "Bit.ly API キーを消去"
607
-
608
- #: wp-to-twitter-manager.php:520
609
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
610
- msgstr "Bit.ly API キーとユーザー名は Bit.ly API および WP to Twitter から URL を短縮するために必要です。"
611
-
612
- #: wp-to-twitter-manager.php:525
613
- msgid "Your YOURLS account details"
614
- msgstr "YOURLS アカウント設定"
615
-
616
- #: wp-to-twitter-manager.php:529
617
- msgid "Path to your YOURLS config file (Local installations)"
618
- msgstr "YOURLS 設定ファイルへのパス (ローカルインストールの場合)"
619
-
620
- #: wp-to-twitter-manager.php:530
621
- #: wp-to-twitter-manager.php:534
622
- msgid "Example:"
623
- msgstr "例:"
624
-
625
- #: wp-to-twitter-manager.php:533
626
- msgid "URI to the YOURLS API (Remote installations)"
627
- msgstr "YOURLS API へのパス (リモートインストールの場合)"
628
-
629
- #: wp-to-twitter-manager.php:537
630
- msgid "Your YOURLS username:"
631
- msgstr "YOURLS ユーザー名:"
632
-
633
- #: wp-to-twitter-manager.php:541
634
- msgid "Your YOURLS password:"
635
- msgstr "YOURLS パスワード:"
636
-
637
- #: wp-to-twitter-manager.php:541
638
- msgid "<em>Saved</em>"
639
- msgstr "<em>保存しました</em>"
640
-
641
- #: wp-to-twitter-manager.php:545
642
- msgid "Use Post ID for YOURLS url slug."
643
- msgstr "投稿 ID を YOURLS の短縮名に使う"
644
-
645
- #: wp-to-twitter-manager.php:550
646
- msgid "Save YOURLS Account Info"
647
- msgstr "YOURLS アカウント設定を保存"
648
-
649
- #: wp-to-twitter-manager.php:550
650
- msgid "Clear YOURLS password"
651
- msgstr "YOURLS パスワードを消去"
652
-
653
- #: wp-to-twitter-manager.php:550
654
- msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
655
- msgstr "YOURLS のユーザー名とパスワードは YOURLS API および WP to Twitter から URL を短縮するために必要です。"
656
-
657
- #: wp-to-twitter-manager.php:562
658
- msgid "Advanced Settings"
659
- msgstr "詳細設定"
660
-
661
- #: wp-to-twitter-manager.php:569
662
- msgid "Advanced Tweet settings"
663
- msgstr "高度なツイート設定"
664
-
665
- #: wp-to-twitter-manager.php:571
666
- msgid "Add tags as hashtags on Tweets"
667
- msgstr "投稿タグをハッシュタグとしてツイートする"
668
-
669
- #: wp-to-twitter-manager.php:571
670
- msgid "Strip nonalphanumeric characters"
671
- msgstr "英数字以外の文字を取り除く"
672
-
673
- #: wp-to-twitter-manager.php:572
674
- msgid "Spaces replaced with:"
675
- msgstr "空白を置換: "
676
-
677
- #: wp-to-twitter-manager.php:574
678
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
679
- msgstr "デフォルトの置換文字はアンダースコア (<code>_</code>)です。空白を消去するには <code>[ ]</code> としてください。"
680
-
681
- #: wp-to-twitter-manager.php:577
682
- msgid "Maximum number of tags to include:"
683
- msgstr "タグの上限数:"
684
-
685
- #: wp-to-twitter-manager.php:578
686
- msgid "Maximum length in characters for included tags:"
687
- msgstr "タグの最大文字数: "
688
-
689
- #: wp-to-twitter-manager.php:579
690
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
691
- msgstr "これらのオプションでは、ハッシュタグとして送信される投稿タグの長さや数を制限できます。すべて許可するには <code>0</code> または空白にしてください。"
692
-
693
- #: wp-to-twitter-manager.php:582
694
- msgid "Length of post excerpt (in characters):"
695
- msgstr "抜粋の最大文字数:"
696
-
697
- #: wp-to-twitter-manager.php:582
698
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
699
- msgstr "デフォルトでは投稿の冒頭が抜き出されます。「抜粋」フィールドがあれば代わりにそちらを使用します。"
700
-
701
- #: wp-to-twitter-manager.php:585
702
- msgid "WP to Twitter Date Formatting:"
703
- msgstr "日付フォーマット:"
704
-
705
- #: wp-to-twitter-manager.php:586
706
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
707
- msgstr "デフォルトは「一般設定」での値です。 <a href='http://wpdocs.sourceforge.jp/Formatting_Date_and_Time'>日付と時刻の書式の解説</a>"
708
-
709
- #: wp-to-twitter-manager.php:590
710
- msgid "Custom text before all Tweets:"
711
- msgstr "ツイートの前につける文字列:"
712
-
713
- #: wp-to-twitter-manager.php:591
714
- msgid "Custom text after all Tweets:"
715
- msgstr "ツイートの後につける文字列:"
716
-
717
- #: wp-to-twitter-manager.php:594
718
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
719
- msgstr "代替 URL を表すカスタムフィールド"
720
-
721
- #: wp-to-twitter-manager.php:595
722
- msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
723
- msgstr "このカスタムフィールドで指定した URL が、通常の URL に代わって短縮・ツイートされます。"
724
-
725
- #: wp-to-twitter-manager.php:599
726
- msgid "Special Cases when WordPress should send a Tweet"
727
- msgstr "特殊なツイートタイミング設定"
728
-
729
- #: wp-to-twitter-manager.php:602
730
- msgid "Do not post status updates by default"
731
- msgstr "「この投稿はツイートしない」をデフォルトにする"
732
-
733
- #: wp-to-twitter-manager.php:603
734
- msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
735
- msgstr "デフォルトでは、すべての投稿は他の条件に合致すると Twitter へ投稿されます。この設定を変えるにはチェックを入れてください。"
736
-
737
- #: wp-to-twitter-manager.php:607
738
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
739
- msgstr "リモート投稿時にツイートする (メール投稿・XMLRPC クライアント)"
740
-
741
- #: wp-to-twitter-manager.php:609
742
- msgid "I'm using a plugin to post by email, such as Postie. Only check this if your updates do not work."
743
- msgstr "Postie などのメール投稿プラグインを利用中 (ツイートがうまくいかないときに選択してみてください)"
744
-
745
- #: wp-to-twitter-manager.php:613
746
- msgid "Update Twitter when a post is published using QuickPress"
747
- msgstr "クイック投稿から公開記事が投稿されたらツイートする"
748
-
749
- #: wp-to-twitter-manager.php:617
750
- msgid "Google Analytics Settings"
751
- msgstr "Google Analytics 設定"
752
-
753
- #: wp-to-twitter-manager.php:618
754
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
755
- msgstr "ここで Google Analytics のキャンペーン ID を指定すると Twitter からの訪問を解析することができます。静的 ID と 動的 ID が利用できます。静的 ID は投稿ごとに変わるということはありません。一方、動的 ID は特定の投稿情報によって変化します。動的 ID を用いると変数を追加して統計結果を分けることができます。"
756
-
757
- #: wp-to-twitter-manager.php:622
758
- msgid "Use a Static Identifier with WP-to-Twitter"
759
- msgstr "静的 ID を使う"
760
-
761
- #: wp-to-twitter-manager.php:623
762
- msgid "Static Campaign identifier for Google Analytics:"
763
- msgstr "Google Analytics のキャンペーン ID"
764
-
765
- #: wp-to-twitter-manager.php:627
766
- msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
767
- msgstr "動的 ID を使う"
768
-
769
- #: wp-to-twitter-manager.php:628
770
- msgid "What dynamic identifier would you like to use?"
771
- msgstr "動的 ID として使う値"
772
-
773
- #: wp-to-twitter-manager.php:630
774
- msgid "Category"
775
- msgstr "カテゴリー"
776
-
777
- #: wp-to-twitter-manager.php:631
778
- msgid "Post ID"
779
- msgstr "投稿 ID"
780
-
781
- #: wp-to-twitter-manager.php:632
782
- msgid "Post Title"
783
- msgstr "投稿タイトル"
784
-
785
- #: wp-to-twitter-manager.php:633
786
- #: wp-to-twitter-manager.php:647
787
- msgid "Author"
788
- msgstr "投稿者"
789
-
790
- #: wp-to-twitter-manager.php:638
791
- msgid "Individual Authors"
792
- msgstr "ユーザー設定"
793
-
794
- #: wp-to-twitter-manager.php:641
795
- msgid "Authors have individual Twitter accounts"
796
- msgstr "ユーザー個人の Twitter アカウントを有効にする"
797
-
798
- #: wp-to-twitter-manager.php:641
799
- msgid "Authors can set their username in their user profile. As of version 2.2.0, this feature no longer allows authors to post to their own Twitter accounts. It can only add an @reference to the author. This @reference is placed using the <code>#account#</code> shortcode. (It will pick up the main account if user accounts are not enabled.)"
800
- msgstr "ユーザーはプロフィールに自分の Twitter アカウントを設定できます。バージョン 2.2.0 からはこの機能はユーザーごとに自分のアカウントでツイートするものではなくなりました。 @reference のようにユーザーのアカウント名をツイートに追加するだけです。 @reference はショートコード <code>#account#</code> で配置できます。ユーザーアカウントがない場合、このショートコードはサイトのアカウント名になります。"
801
-
802
- #: wp-to-twitter-manager.php:644
803
- msgid "Choose the lowest user group that can add their Twitter information"
804
- msgstr "Twitter アカウント情報を設定できるユーザーグループ"
805
-
806
- #: wp-to-twitter-manager.php:645
807
- msgid "Subscriber"
808
- msgstr "購読者"
809
-
810
- #: wp-to-twitter-manager.php:646
811
- msgid "Contributor"
812
- msgstr "寄稿者"
813
-
814
- #: wp-to-twitter-manager.php:648
815
- msgid "Editor"
816
- msgstr "編集者"
817
-
818
- #: wp-to-twitter-manager.php:649
819
- msgid "Administrator"
820
- msgstr "管理者"
821
-
822
- #: wp-to-twitter-manager.php:654
823
- msgid "Disable Error Messages"
824
- msgstr "エラーメッセージの非表示設定"
825
-
826
- #: wp-to-twitter-manager.php:657
827
- msgid "Disable global URL shortener error messages."
828
- msgstr "短縮 URL に関するエラーを非表示にする"
829
-
830
- #: wp-to-twitter-manager.php:661
831
- msgid "Disable global Twitter API error messages."
832
- msgstr "Twitter API に関するエラーを非表示にする"
833
-
834
- #: wp-to-twitter-manager.php:665
835
- msgid "Disable notification to implement OAuth"
836
- msgstr "OAuth 認証を要請するメッセージを非表示にする"
837
-
838
- #: wp-to-twitter-manager.php:669
839
- msgid "Get Debugging Data for OAuth Connection"
840
- msgstr "OAuth 接続でのデバッグデータを表示する"
841
-
842
- #: wp-to-twitter-manager.php:675
843
- msgid "Save Advanced WP->Twitter Options"
844
- msgstr "詳細設定を保存"
845
-
846
- #: wp-to-twitter-manager.php:685
847
- msgid "Limit Updating Categories"
848
- msgstr "カテゴリーフィルタ設定"
849
-
850
- #: wp-to-twitter-manager.php:689
851
- msgid "Select which blog categories will be Tweeted. Uncheck all categories to disable category limits."
852
- msgstr "ツイートするカテゴリーを選んでください。すべてのカテゴリーのチェックを外すと、この機能はオフになります。"
853
-
854
- #: wp-to-twitter-manager.php:692
855
- msgid "<em>Category limits are disabled.</em>"
856
- msgstr "<em>カテゴリーフィルタは現在使われていません</em>"
857
-
858
- #: wp-to-twitter-manager.php:706
859
- msgid "Check Support"
860
- msgstr "機能チェック"
861
-
862
- #: wp-to-twitter-manager.php:706
863
- msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
864
- msgstr "このサーバーが <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> で使われる Twitter および 短縮 URL の API をサポートしているかどうかをチェックします。このテストでは Twitter にテスト用ツイートを投稿し、上の設定に基づいた URL の短縮を行います。"
865
-
866
- #. Plugin URI of the plugin/theme
867
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
868
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
869
-
870
- #. Description of the plugin/theme
871
- msgid "Posts a Twitter status update when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
872
- msgstr "ブログやリンクを更新した際に Twitter にツイートを投稿します。短縮 URL のサービスは自由に選択可能。豊富な機能でツイートのカスタマイズやプロモーションをサポートします。"
873
-
874
- #. Author of the plugin/theme
875
- msgid "Joseph Dolson"
876
- msgstr "Joseph Dolson"
877
-
878
- #. Author URI of the plugin/theme
879
- msgid "http://www.joedolson.com/"
880
- msgstr "http://www.joedolson.com/"
881
-
882
- #~ msgid "Your server time is"
883
- #~ msgstr "このサーバーの時刻は"
884
-
885
- #~ msgid ""
886
- #~ "If this is wrong, your server will not be able to connect with Twitter. "
887
- #~ "(<strong>Note:</strong> your server time may not match your current time, "
888
- #~ "but it should be correct for it's own time zone.)"
889
- #~ msgstr ""
890
- #~ "です。これがおかしいと Twitter との連携に失敗する可能性があります。 "
891
- #~ "(<strong>注:</strong> サーバーの時刻はあなたの現在位置での現在時刻とは同じ"
892
- #~ "ではないかもしれません。ですがタイムゾーンを考慮すると正しいはずです)"
1
+ # Copyright (C) 2010 WP to Twitter
2
+ # This file is distributed under the same license as the WP to Twitter package.
3
+ msgid ""
4
+ msgstr ""
5
+ "Project-Id-Version: WP to Twitter 2.2.9\n"
6
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
7
+ "POT-Creation-Date: 2011-04-12 22:29:25+00:00\n"
8
+ "PO-Revision-Date: 2011-04-26 18:12+0900\n"
9
+ "Last-Translator: cat <info@kndb.jp>\n"
10
+ "Language-Team: \n"
11
+ "MIME-Version: 1.0\n"
12
+ "Content-Type: text/plain; charset=UTF-8\n"
13
+ "Content-Transfer-Encoding: 8bit\n"
14
+ "X-Poedit-Language: Japanese\n"
15
+ "X-Poedit-Country: JAPAN\n"
16
+
17
+ #: functions.php:193
18
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
19
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>隠す</a>] なにか問題が起こってサポートをリクエストする場合は、この設定をコピーして送信してください。"
20
+
21
+ #: wp-to-twitter-oauth.php:105
22
+ #: wp-to-twitter-oauth.php:144
23
+ msgid "Connect to Twitter"
24
+ msgstr "Twitter と連携"
25
+
26
+ #: wp-to-twitter-oauth.php:109
27
+ msgid "The process to set up OAuth authentication for your web site is needlessly laborious. It is also confusing. However, this is the only method available from Twitter. Note that you will not add your Twitter username or password to WP to Twitter; they are not used in OAuth authentication."
28
+ msgstr "OAuth 認証の設定は無駄に面倒ですし、わけがわからないものでしょう。ですがこれが Twitter で認証するための唯一の方法なのです。 とはいえ WP to Twiitter に Twitter のユーザー名やパスワードを保存する必要がないことに注目してください。 OAuth 認証ではそういうものは必要ないのです。"
29
+
30
+ #: wp-to-twitter-oauth.php:112
31
+ msgid "1. Register this site as an application on "
32
+ msgstr "1. このサイトをアプリケーションとして登録する: "
33
+
34
+ #: wp-to-twitter-oauth.php:112
35
+ msgid "Twitter's application registration page"
36
+ msgstr "Twitter アプリケーション登録ページ"
37
+
38
+ #: wp-to-twitter-oauth.php:114
39
+ msgid "If you're not currently logged in, use the Twitter username and password which you want associated with this site"
40
+ msgstr "Twitter 側で現在ログインしていない場合は、このサイトと結び付けたいアカウントのユーザー名とパスワードでログインしてください"
41
+
42
+ #: wp-to-twitter-oauth.php:115
43
+ msgid "Your Application's Name will be what shows up after \"via\" in your twitter stream. Your application name cannot include the word \"Twitter.\" Use the name of your web site."
44
+ msgstr "アプリケーション名 (Application's Name) : つぶやきの「○○から」として表示されます。「Twitter」という単語を含めることはできません。サイト名を使うのがいいでしょう。"
45
+
46
+ #: wp-to-twitter-oauth.php:116
47
+ msgid "Your Application Description can be whatever you want."
48
+ msgstr "アプリケーションの説明 (Application Description) : なんでもお好きなことを書いてください"
49
+
50
+ #: wp-to-twitter-oauth.php:117
51
+ msgid "Application Type should be set on "
52
+ msgstr "アプリケーションの種類 (Application Type): "
53
+
54
+ #: wp-to-twitter-oauth.php:117
55
+ msgid "Browser"
56
+ msgstr "ブラウザアプリケーション (Browser)"
57
+
58
+ #: wp-to-twitter-oauth.php:118
59
+ msgid "The Callback URL should be "
60
+ msgstr "コールバック URL(Callback URL) : "
61
+
62
+ #: wp-to-twitter-oauth.php:119
63
+ msgid "Default Access type must be set to "
64
+ msgstr "標準のアクセスタイプ(Default Access type) : "
65
+
66
+ #: wp-to-twitter-oauth.php:119
67
+ msgid "Read &amp; Write"
68
+ msgstr "読み書き (Read &amp; Write)"
69
+
70
+ #: wp-to-twitter-oauth.php:119
71
+ msgid "(this is NOT the default)"
72
+ msgstr "(デフォルトでは Read-only です)"
73
+
74
+ #: wp-to-twitter-oauth.php:121
75
+ msgid "Once you have registered your site as an application, you will be provided with a consumer key and a consumer secret."
76
+ msgstr "サイトのアプリケーション登録が完了すると、 Consumer key と Consumer secret が発行されます。"
77
+
78
+ #: wp-to-twitter-oauth.php:122
79
+ msgid "2. Copy and paste your consumer key and consumer secret into the fields below"
80
+ msgstr "2. Consumer key と Consumer secret を下のフィールドに貼り付ける"
81
+
82
+ #: wp-to-twitter-oauth.php:125
83
+ msgid "Twitter Consumer Key"
84
+ msgstr "Consumer Key"
85
+
86
+ #: wp-to-twitter-oauth.php:129
87
+ msgid "Twitter Consumer Secret"
88
+ msgstr "Consumer Secret"
89
+
90
+ #: wp-to-twitter-oauth.php:132
91
+ msgid "3. Copy and paste your Access Token and Access Token Secret into the fields below"
92
+ msgstr "3. Access token と Access Token Secret を下のフィールドに貼り付ける"
93
+
94
+ #: wp-to-twitter-oauth.php:133
95
+ msgid "On the right hand side of your new application page at Twitter, click on 'My Access Token'."
96
+ msgstr "アプリケーションページの右サイドバーにある、「My Access Token」をクリックしてください"
97
+
98
+ #: wp-to-twitter-oauth.php:135
99
+ msgid "Access Token"
100
+ msgstr "Access Token"
101
+
102
+ #: wp-to-twitter-oauth.php:139
103
+ msgid "Access Token Secret"
104
+ msgstr "Access Token Secret"
105
+
106
+ #: wp-to-twitter-oauth.php:154
107
+ msgid "Disconnect from Twitter"
108
+ msgstr "Twitter との連携"
109
+
110
+ #: wp-to-twitter-oauth.php:161
111
+ msgid "Twitter Username "
112
+ msgstr "ユーザー名"
113
+
114
+ #: wp-to-twitter-oauth.php:162
115
+ msgid "Consumer Key "
116
+ msgstr "Consumer Key "
117
+
118
+ #: wp-to-twitter-oauth.php:163
119
+ msgid "Consumer Secret "
120
+ msgstr "Consumer Secret "
121
+
122
+ #: wp-to-twitter-oauth.php:164
123
+ msgid "Access Token "
124
+ msgstr "Access Token "
125
+
126
+ #: wp-to-twitter-oauth.php:165
127
+ msgid "Access Token Secret "
128
+ msgstr "Access Token Secret "
129
+
130
+ #: wp-to-twitter-oauth.php:168
131
+ msgid "Disconnect Your WordPress and Twitter Account"
132
+ msgstr "Twitter との連携を解除"
133
+
134
+ #: wp-to-twitter.php:49
135
+ msgid "WP to Twitter requires PHP version 5 or above with cURL support. Please upgrade PHP or install cURL to run WP to Twitter."
136
+ msgstr "WP to Twitter の動作には PHP 5 以上および cURL のサポートが必要です。 PHP のバージョンアップか cURL のインストールをお願いします。"
137
+
138
+ #: wp-to-twitter.php:70
139
+ msgid "WP to Twitter requires WordPress 2.9.2 or a more recent version. <a href=\"http://codex.wordpress.org/Upgrading_WordPress\">Please update your WordPress version!</a>"
140
+ msgstr "WP to Twitter の動作には WordPress 2.9.2 以上が必要です。<a href=\"http://wpdocs.sourceforge.jp/WordPress_%E3%81%AE%E3%82%A2%E3%83%83%E3%83%97%E3%82%B0%E3%83%AC%E3%83%BC%E3%83%89\">WordPress をアップグレードしましょう</a>。"
141
+
142
+ #: wp-to-twitter.php:84
143
+ msgid "Twitter now requires authentication by OAuth. You will need you to update your <a href=\"%s\">settings</a> in order to continue to use WP to Twitter."
144
+ msgstr "Twitter では OAuth 認証が必要になりました。 WP to Twitter を使うためには<a href=\"%s\">プラグイン設定</a>を更新する必要があります。"
145
+
146
+ #: wp-to-twitter.php:150
147
+ msgid "200 OK: Success!"
148
+ msgstr "200 OK: Success!"
149
+
150
+ #: wp-to-twitter.php:154
151
+ msgid "400 Bad Request: The request was invalid. This is the status code returned during rate limiting."
152
+ msgstr "400 Bad Request: リクエストが不正です。このエラーは API の使用が制限されているときに出ます。"
153
+
154
+ #: wp-to-twitter.php:158
155
+ msgid "401 Unauthorized: Authentication credentials were missing or incorrect."
156
+ msgstr "401 Unauthorized: 認証に失敗しました。"
157
+
158
+ #: wp-to-twitter.php:162
159
+ msgid "403 Forbidden: The request is understood, but it has been refused. This code is used when requests are understood, but are denied by Twitter. Reasons include exceeding the 140 character limit or the API update limit."
160
+ msgstr "403 Forbidden: リクエストされましたが処理できません。このエラーは、リクエストは届いたものの Twitter 側で拒否された際に出ます。ツイートが 140 字以上の場合・API 制限に引っかかった場合にも出ます。"
161
+
162
+ #: wp-to-twitter.php:166
163
+ msgid "500 Internal Server Error: Something is broken at Twitter."
164
+ msgstr "500 Internal Server Error: Twitter 側でなにかがおかしいようです"
165
+
166
+ #: wp-to-twitter.php:170
167
+ msgid "503 Service Unavailable: The Twitter servers are up, but overloaded with requests Please try again later."
168
+ msgstr "503 Service Unavailable: Twitter は使えないこともないのですが、負荷が高そうです。またあとで試してください。"
169
+
170
+ #: wp-to-twitter.php:174
171
+ msgid "502 Bad Gateway: Twitter is down or being upgraded."
172
+ msgstr "502 Bad Gateway: Twitter が落ちているか、アップグレード中です"
173
+
174
+ #. #-#-#-#-# plugin.pot (WP to Twitter 2.2.9) #-#-#-#-#
175
+ #. Plugin Name of the plugin/theme
176
+ #: wp-to-twitter.php:803
177
+ msgid "WP to Twitter"
178
+ msgstr "WP to Twitter"
179
+
180
+ #: wp-to-twitter.php:865
181
+ msgid "Custom Twitter Post"
182
+ msgstr "カスタムツイート"
183
+
184
+ #: wp-to-twitter.php:874
185
+ #: wp-to-twitter-manager.php:360
186
+ msgid "Make a Donation"
187
+ msgstr "寄付する"
188
+
189
+ #: wp-to-twitter.php:874
190
+ #: wp-to-twitter-manager.php:363
191
+ msgid "Get Support"
192
+ msgstr "サポート"
193
+
194
+ #: wp-to-twitter.php:877
195
+ msgid "Don't Tweet this post."
196
+ msgstr "この投稿はツイートしない"
197
+
198
+ #: wp-to-twitter.php:887
199
+ msgid "This URL is direct and has not been shortened: "
200
+ msgstr "この URL は短縮されていません: "
201
+
202
+ #: wp-to-twitter.php:946
203
+ msgid "WP to Twitter User Settings"
204
+ msgstr "WP to Twitter 個人設定"
205
+
206
+ #: wp-to-twitter.php:950
207
+ msgid "Use My Twitter Username"
208
+ msgstr "自分のアカウントを含める"
209
+
210
+ #: wp-to-twitter.php:951
211
+ msgid "Tweet my posts with an @ reference to my username."
212
+ msgstr "自分のアカウント宛に @ をつけてツイートする"
213
+
214
+ #: wp-to-twitter.php:952
215
+ msgid "Tweet my posts with an @ reference to both my username and to the main site username."
216
+ msgstr "自分と、サイト設定でのアカウント宛に @ をつけてツイート"
217
+
218
+ #: wp-to-twitter.php:956
219
+ msgid "Your Twitter Username"
220
+ msgstr "Twitter ユーザー名"
221
+
222
+ #: wp-to-twitter.php:957
223
+ msgid "Enter your own Twitter username."
224
+ msgstr "あなたの Twitter でのユーザー名を入力してください"
225
+
226
+ #: wp-to-twitter.php:996
227
+ msgid "Check the categories you want to tweet:"
228
+ msgstr "ツイートしたいカテゴリーを選択してください"
229
+
230
+ #: wp-to-twitter.php:1013
231
+ msgid "Set Categories"
232
+ msgstr "カテゴリーを登録"
233
+
234
+ #: wp-to-twitter.php:1037
235
+ msgid "<p>Couldn't locate the settings page.</p>"
236
+ msgstr "<p>設定ページが見つかりません</p>"
237
+
238
+ #: wp-to-twitter.php:1042
239
+ msgid "Settings"
240
+ msgstr "設定"
241
+
242
+ #: wp-to-twitter-manager.php:76
243
+ msgid "WP to Twitter is now connected with Twitter."
244
+ msgstr "WP to Twitter は Twitter と連携しました。"
245
+
246
+ #: wp-to-twitter-manager.php:86
247
+ msgid "OAuth Authentication Data Cleared."
248
+ msgstr "OAuth 認証データを削除しました。"
249
+
250
+ #: wp-to-twitter-manager.php:93
251
+ msgid "OAuth Authentication Failed. Your server time is not in sync with the Twitter servers. Talk to your hosting service to see what can be done."
252
+ msgstr "OAuth 認証に失敗しました。サーバーの時刻が Twitter サーバーと大幅にずれています。ホスティングサービスに連絡してください。"
253
+
254
+ #: wp-to-twitter-manager.php:100
255
+ msgid "OAuth Authentication response not understood."
256
+ msgstr "OAuth 認証のレスポンスが変です。設定を見なおしてください。"
257
+
258
+ #: wp-to-twitter-manager.php:109
259
+ msgid "WP to Twitter Errors Cleared"
260
+ msgstr "WP to Twitter エラーを削除しました。"
261
+
262
+ #: wp-to-twitter-manager.php:116
263
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
264
+ msgstr "ツイートしようとしたのですが、Twitter サーバーに接続できませんでした。ツイートはこの投稿のカスタムフィールド内に保存されました。もしお望みなら手動でツイートすることもできます。"
265
+
266
+ #: wp-to-twitter-manager.php:118
267
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
268
+ msgstr "リンクをツイートしようとしたのですが、Twitter サーバーに接続できませんでした。申し訳ありませんが手動でツイートする必要があります。"
269
+
270
+ #: wp-to-twitter-manager.php:156
271
+ msgid "WP to Twitter Advanced Options Updated"
272
+ msgstr "詳細設定を保存しました。"
273
+
274
+ #: wp-to-twitter-manager.php:173
275
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
276
+ msgstr "Bit.ly で URL を短縮するためには、 Bit.ly の ユーザー名と API キーを設定する必要があります"
277
+
278
+ #: wp-to-twitter-manager.php:177
279
+ msgid "You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS."
280
+ msgstr "リモートの YOURLS で URL を短縮するためには、 YOURLS の URL、ログイン名、パスワードを設定する必要があります。"
281
+
282
+ #: wp-to-twitter-manager.php:181
283
+ msgid "You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS."
284
+ msgstr "リモートの YOURLS で URL を短縮するためには、 YOURLS のインストールパスを設定に追加する必要があります。"
285
+
286
+ #: wp-to-twitter-manager.php:185
287
+ msgid "WP to Twitter Options Updated"
288
+ msgstr "基本設定を保存しました。"
289
+
290
+ #: wp-to-twitter-manager.php:195
291
+ msgid "Category limits updated."
292
+ msgstr "カテゴリーフィルタ設定を更新しました。"
293
+
294
+ #: wp-to-twitter-manager.php:199
295
+ msgid "Category limits unset."
296
+ msgstr "カテゴリーフィルタ設定を削除しました。"
297
+
298
+ #: wp-to-twitter-manager.php:207
299
+ msgid "YOURLS password updated. "
300
+ msgstr "YOURLS パスワードを更新しました。"
301
+
302
+ #: wp-to-twitter-manager.php:210
303
+ msgid "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS."
304
+ msgstr "YOURLS パスワードを削除しました。 URL の短縮にリモート YOURLS アカウントを使うことはできません。"
305
+
306
+ #: wp-to-twitter-manager.php:212
307
+ msgid "Failed to save your YOURLS password! "
308
+ msgstr "YOURLS パスワードの保存に失敗しました!"
309
+
310
+ #: wp-to-twitter-manager.php:216
311
+ msgid "YOURLS username added. "
312
+ msgstr "YOURLS ユーザー名を追加しました。"
313
+
314
+ #: wp-to-twitter-manager.php:220
315
+ msgid "YOURLS API url added. "
316
+ msgstr "YOURLS API の URL を追加しました。"
317
+
318
+ #: wp-to-twitter-manager.php:223
319
+ msgid "YOURLS API url removed. "
320
+ msgstr "YOURLS API の URL を削除しました。"
321
+
322
+ #: wp-to-twitter-manager.php:228
323
+ msgid "YOURLS local server path added. "
324
+ msgstr "YOURLS ローカルサーバーパスを追加しました。"
325
+
326
+ #: wp-to-twitter-manager.php:230
327
+ msgid "The path to your YOURLS installation is not correct. "
328
+ msgstr "YOURLS のインストールパスが正しくありません。"
329
+
330
+ #: wp-to-twitter-manager.php:234
331
+ msgid "YOURLS local server path removed. "
332
+ msgstr "YOURLS ローカルサーバーパスを削除しました。"
333
+
334
+ #: wp-to-twitter-manager.php:238
335
+ msgid "YOURLS will use Post ID for short URL slug."
336
+ msgstr "YOURLS での短縮に投稿 ID を使用します。"
337
+
338
+ #: wp-to-twitter-manager.php:241
339
+ msgid "YOURLS will not use Post ID for the short URL slug."
340
+ msgstr "YOURLS での短縮に投稿 ID を使用しません。"
341
+
342
+ #: wp-to-twitter-manager.php:249
343
+ msgid "Su.pr API Key and Username Updated"
344
+ msgstr "Su.pr API キーとユーザー名を更新しました。"
345
+
346
+ #: wp-to-twitter-manager.php:253
347
+ msgid "Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. "
348
+ msgstr "Su.pr API キーとユーザー名を削除しました。 WP to Twitter で作成した Su.pr の URL は、もうアカウントと結びついていません。"
349
+
350
+ #: wp-to-twitter-manager.php:255
351
+ msgid "Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! "
352
+ msgstr "Su.pr API キーがありません。 <a href='http://su.pr/'>取得してください</a>。"
353
+
354
+ #: wp-to-twitter-manager.php:261
355
+ msgid "Bit.ly API Key Updated."
356
+ msgstr "Bit.ly API キーを更新しました。"
357
+
358
+ #: wp-to-twitter-manager.php:264
359
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
360
+ msgstr "Bit.ly API キーを削除しました。API キーなしでは Bit.ly の API は使えません。"
361
+
362
+ #: wp-to-twitter-manager.php:266
363
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
364
+ msgstr "Bit.ly API キーがありません。<a href='http://bit.ly/account/'>取得してください</a>。API キーは Bit.ly API で URL を短縮する際に必要です。"
365
+
366
+ #: wp-to-twitter-manager.php:270
367
+ msgid " Bit.ly User Login Updated."
368
+ msgstr "Bit.ly ユーザー名を更新しました。"
369
+
370
+ #: wp-to-twitter-manager.php:273
371
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
372
+ msgstr "Bit.ly ユーザー名を削除しました。ユーザー名なしでは Bit.ly の API は使えません。"
373
+
374
+ #: wp-to-twitter-manager.php:275
375
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
376
+ msgstr "Bit.ly ユーザー名がありません。<a href='http://bit.ly/account/'>アカウントを作ってください</a>。"
377
+
378
+ #: wp-to-twitter-manager.php:304
379
+ msgid "No error information is available for your shortener."
380
+ msgstr "短縮 URL に関するエラーはありませんでした"
381
+
382
+ #: wp-to-twitter-manager.php:306
383
+ msgid "<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>"
384
+ msgstr "<li class=\"error\"><strong>WP to Twitter から指定の短縮 URL プロバイダへの接続に失敗しました</strong></li>"
385
+
386
+ #: wp-to-twitter-manager.php:309
387
+ msgid "<li><strong>WP to Twitter successfully contacted your selected URL shortening service.</strong> The following link should point to your blog homepage:"
388
+ msgstr "<li><strong>WP to Twitter から指定の短縮 URL プロバイダへの接続に成功しました</strong> サイトのアドレスの短縮 URL:"
389
+
390
+ #: wp-to-twitter-manager.php:318
391
+ msgid "<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>"
392
+ msgstr "<li><strong>WP to Twitter は Twitter への投稿に成功しました</strong></li>"
393
+
394
+ #: wp-to-twitter-manager.php:321
395
+ msgid "<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>"
396
+ msgstr "<li class=\"error\"><strong>WP to Twitter は Twitter への投稿に失敗しました</strong></li>"
397
+
398
+ #: wp-to-twitter-manager.php:325
399
+ msgid "You have not connected WordPress to Twitter."
400
+ msgstr "この WordPress はまだ Twitter と連携していません。"
401
+
402
+ #: wp-to-twitter-manager.php:329
403
+ msgid "<li class=\"error\"><strong>Your server does not appear to support the required methods for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect.</li>"
404
+ msgstr "<li class=\"error\"><strong>ご利用のサーバーには WP to Twitter に必要な機能がないようです</strong>。それでも試してみることはできます。このテストも完璧ではありませんから。</li>"
405
+
406
+ #: wp-to-twitter-manager.php:333
407
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
408
+ msgstr "<li><strong>WP to Twitter はご利用のサーバーで問題なく動きます</strong></li>"
409
+
410
+ #: wp-to-twitter-manager.php:350
411
+ msgid "WP to Twitter Options"
412
+ msgstr "WP to Twitter 設定"
413
+
414
+ #: wp-to-twitter-manager.php:360
415
+ msgid "Pledge to new features"
416
+ msgstr "機能リクエスト"
417
+
418
+ #: wp-to-twitter-manager.php:363
419
+ msgid "View Settings"
420
+ msgstr "設定を表示"
421
+
422
+ #: wp-to-twitter-manager.php:378
423
+ msgid "Shortcodes available in post update templates:"
424
+ msgstr "ツイート設定内で使えるショートコード: "
425
+
426
+ #: wp-to-twitter-manager.php:380
427
+ msgid "<code>#title#</code>: the title of your blog post"
428
+ msgstr "<code>#title#</code>: 投稿のタイトル"
429
+
430
+ #: wp-to-twitter-manager.php:381
431
+ msgid "<code>#blog#</code>: the title of your blog"
432
+ msgstr "<code>#blog#</code>: ブログのタイトル"
433
+
434
+ #: wp-to-twitter-manager.php:382
435
+ msgid "<code>#post#</code>: a short excerpt of the post content"
436
+ msgstr "<code>#post#</code>: 投稿の抜粋"
437
+
438
+ #: wp-to-twitter-manager.php:383
439
+ msgid "<code>#category#</code>: the first selected category for the post"
440
+ msgstr "<code>#category#</code>: 投稿のカテゴリー (最初の一つ)"
441
+
442
+ #: wp-to-twitter-manager.php:384
443
+ msgid "<code>#date#</code>: the post date"
444
+ msgstr "<code>#date#</code>: 投稿の日付"
445
+
446
+ #: wp-to-twitter-manager.php:385
447
+ msgid "<code>#url#</code>: the post URL"
448
+ msgstr "<code>#url#</code>: 投稿の URL"
449
+
450
+ #: wp-to-twitter-manager.php:386
451
+ msgid "<code>#author#</code>: the post author"
452
+ msgstr "<code>#author#</code>: 投稿の作成者"
453
+
454
+ #: wp-to-twitter-manager.php:387
455
+ msgid "<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)"
456
+ msgstr "<code>#account#</code>: @reference 形式のサイトの Twitter アカウント名 (もしくは、個人設定で値があれば投稿者のアカウント名)"
457
+
458
+ #: wp-to-twitter-manager.php:389
459
+ msgid "You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code></p>"
460
+ msgstr "カスタムフィールドを表示するショートコードを作ることもできます。ブラケット2つでカスタムフィールド名を囲むと、そのカスタムフィールドの値がツイートに含まれます。 例: <code>[[custom_field]]</code></p>"
461
+
462
+ #: wp-to-twitter-manager.php:394
463
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
464
+ msgstr "<p>いくつかの投稿が、ステータスの変更時のツイートに失敗しました。ツイートは投稿のカスタムフィールド内に保存されました。あとでお暇なときにツイートし直してください。</p>"
465
+
466
+ #: wp-to-twitter-manager.php:398
467
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr Help</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
468
+ msgstr "<p>短縮 URL API への問い合わせに失敗しました。 URL が短縮できなかったので、ツイートには通常の URL を添付しました。短縮 URL プロバイダでお知らせが出ていないか確認してください。 [<a href=\"http://www.stumbleupon.com/help/how-to-use-supr/\">Su.pr ヘルプ</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
469
+
470
+ #: wp-to-twitter-manager.php:405
471
+ msgid "Clear 'WP to Twitter' Error Messages"
472
+ msgstr "WP to Twitter エラーメッセージを消去する"
473
+
474
+ #: wp-to-twitter-manager.php:418
475
+ msgid "Basic Settings"
476
+ msgstr "基本設定"
477
+
478
+ #: wp-to-twitter-manager.php:424
479
+ msgid "Tweet Templates"
480
+ msgstr "ツイート設定"
481
+
482
+ #: wp-to-twitter-manager.php:427
483
+ msgid "Update when a post is published"
484
+ msgstr "投稿が公開されたらツイート"
485
+
486
+ #: wp-to-twitter-manager.php:427
487
+ msgid "Text for new post updates:"
488
+ msgstr "投稿公開時: "
489
+
490
+ #: wp-to-twitter-manager.php:433
491
+ #: wp-to-twitter-manager.php:436
492
+ msgid "Update when a post is edited"
493
+ msgstr "投稿が編集されたらツイート"
494
+
495
+ #: wp-to-twitter-manager.php:433
496
+ #: wp-to-twitter-manager.php:436
497
+ msgid "Text for editing updates:"
498
+ msgstr "投稿編集時"
499
+
500
+ #: wp-to-twitter-manager.php:437
501
+ msgid "You can not disable updates on edits when using Postie or similar plugins."
502
+ msgstr "Postie あるいは類似のプラグインを使っているので、編集時のツイートを無効にすることはできません"
503
+
504
+ #: wp-to-twitter-manager.php:441
505
+ msgid "Update Twitter when new Wordpress Pages are published"
506
+ msgstr "ページが公開されたらツイート"
507
+
508
+ #: wp-to-twitter-manager.php:441
509
+ msgid "Text for new page updates:"
510
+ msgstr "ページ公開時: "
511
+
512
+ #: wp-to-twitter-manager.php:445
513
+ msgid "Update Twitter when WordPress Pages are edited"
514
+ msgstr "ページが編集されたらツイート"
515
+
516
+ #: wp-to-twitter-manager.php:445
517
+ msgid "Text for page edit updates:"
518
+ msgstr "ページ編集時:"
519
+
520
+ #: wp-to-twitter-manager.php:449
521
+ msgid "Update Twitter when you post a Blogroll link"
522
+ msgstr "ブログロールにリンクを追加したらツイート"
523
+
524
+ #: wp-to-twitter-manager.php:450
525
+ msgid "Text for new link updates:"
526
+ msgstr "新規リンク: "
527
+
528
+ #: wp-to-twitter-manager.php:450
529
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
530
+ msgstr "利用可能なショートコード: <code>#url#</code> <code>#title#</code> <code>#description#</code>"
531
+
532
+ #: wp-to-twitter-manager.php:454
533
+ msgid "Choose your short URL service (account settings below)"
534
+ msgstr "短縮 URL (アカウント設定は下で行ってください)"
535
+
536
+ #: wp-to-twitter-manager.php:457
537
+ msgid "Don't shorten URLs."
538
+ msgstr "URL を短縮しない"
539
+
540
+ #: wp-to-twitter-manager.php:458
541
+ msgid "Use Su.pr for my URL shortener."
542
+ msgstr "Su.pr を使って短縮"
543
+
544
+ #: wp-to-twitter-manager.php:459
545
+ msgid "Use Bit.ly for my URL shortener."
546
+ msgstr "Bit.ly を使って短縮"
547
+
548
+ #: wp-to-twitter-manager.php:460
549
+ msgid "YOURLS (installed on this server)"
550
+ msgstr "YOURLS (このサーバー上)"
551
+
552
+ #: wp-to-twitter-manager.php:461
553
+ msgid "YOURLS (installed on a remote server)"
554
+ msgstr "YOURLS (別のサーバー上)"
555
+
556
+ #: wp-to-twitter-manager.php:462
557
+ msgid "Use WordPress as a URL shortener."
558
+ msgstr "WordPress の短縮 URL 機能"
559
+
560
+ #: wp-to-twitter-manager.php:464
561
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/wpdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
562
+ msgstr "WordPress の短縮 URL 機能では、パーマリンク設定内の「デフォルト」形式の URL を Twiterへ送信します。 例: <code>http://domain.com/wordpress/?p=123</code> この場合、 Google Analytics での解析はできません。"
563
+
564
+ #: wp-to-twitter-manager.php:470
565
+ msgid "Save WP->Twitter Options"
566
+ msgstr "基本設定を保存"
567
+
568
+ #: wp-to-twitter-manager.php:479
569
+ msgid "<abbr title=\"Uniform Resource Locator\">URL</abbr> Shortener Account Settings"
570
+ msgstr "短縮 <abbr title=\"Uniform Resource Locator\">URL</abbr> アカウント設定"
571
+
572
+ #: wp-to-twitter-manager.php:483
573
+ msgid "Your Su.pr account details"
574
+ msgstr "Su.pr アカウント設定"
575
+
576
+ #: wp-to-twitter-manager.php:488
577
+ msgid "Your Su.pr Username:"
578
+ msgstr "Su.pr ユーザー名: "
579
+
580
+ #: wp-to-twitter-manager.php:492
581
+ msgid "Your Su.pr <abbr title='application programming interface'>API</abbr> Key:"
582
+ msgstr "Su.pr <abbr title='application programming interface'>API</abbr> キー:"
583
+
584
+ #: wp-to-twitter-manager.php:498
585
+ msgid "Don't have a Su.pr account or API key? <a href='http://su.pr/'>Get one here</a>!<br />You'll need an API key in order to associate the URLs you create with your Su.pr account."
586
+ msgstr "Su.pr アカウントもしくは API キーをお持ちでない場合は<a href='http://su.pr/'>取得してください</a>!<br />API キーは短縮した URL をあなたの Su.pr アカウントと結びつけるために必要です。"
587
+
588
+ #: wp-to-twitter-manager.php:504
589
+ msgid "Your Bit.ly account details"
590
+ msgstr "Bit.ly アカウント設定"
591
+
592
+ #: wp-to-twitter-manager.php:509
593
+ msgid "Your Bit.ly username:"
594
+ msgstr "Bit.ly ユーザー名: "
595
+
596
+ #: wp-to-twitter-manager.php:513
597
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
598
+ msgstr "Bit.ly <abbr title='application programming interface'>API</abbr> キー:"
599
+
600
+ #: wp-to-twitter-manager.php:520
601
+ msgid "Save Bit.ly API Key"
602
+ msgstr "Bit.ly API キーを保存"
603
+
604
+ #: wp-to-twitter-manager.php:520
605
+ msgid "Clear Bit.ly API Key"
606
+ msgstr "Bit.ly API キーを消去"
607
+
608
+ #: wp-to-twitter-manager.php:520
609
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
610
+ msgstr "Bit.ly API キーとユーザー名は Bit.ly API および WP to Twitter から URL を短縮するために必要です。"
611
+
612
+ #: wp-to-twitter-manager.php:525
613
+ msgid "Your YOURLS account details"
614
+ msgstr "YOURLS アカウント設定"
615
+
616
+ #: wp-to-twitter-manager.php:529
617
+ msgid "Path to your YOURLS config file (Local installations)"
618
+ msgstr "YOURLS 設定ファイルへのパス (ローカルインストールの場合)"
619
+
620
+ #: wp-to-twitter-manager.php:530
621
+ #: wp-to-twitter-manager.php:534
622
+ msgid "Example:"
623
+ msgstr "例:"
624
+
625
+ #: wp-to-twitter-manager.php:533
626
+ msgid "URI to the YOURLS API (Remote installations)"
627
+ msgstr "YOURLS API へのパス (リモートインストールの場合)"
628
+
629
+ #: wp-to-twitter-manager.php:537
630
+ msgid "Your YOURLS username:"
631
+ msgstr "YOURLS ユーザー名:"
632
+
633
+ #: wp-to-twitter-manager.php:541
634
+ msgid "Your YOURLS password:"
635
+ msgstr "YOURLS パスワード:"
636
+
637
+ #: wp-to-twitter-manager.php:541
638
+ msgid "<em>Saved</em>"
639
+ msgstr "<em>保存しました</em>"
640
+
641
+ #: wp-to-twitter-manager.php:545
642
+ msgid "Use Post ID for YOURLS url slug."
643
+ msgstr "投稿 ID を YOURLS の短縮名に使う"
644
+
645
+ #: wp-to-twitter-manager.php:550
646
+ msgid "Save YOURLS Account Info"
647
+ msgstr "YOURLS アカウント設定を保存"
648
+
649
+ #: wp-to-twitter-manager.php:550
650
+ msgid "Clear YOURLS password"
651
+ msgstr "YOURLS パスワードを消去"
652
+
653
+ #: wp-to-twitter-manager.php:550
654
+ msgid "A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter."
655
+ msgstr "YOURLS のユーザー名とパスワードは YOURLS API および WP to Twitter から URL を短縮するために必要です。"
656
+
657
+ #: wp-to-twitter-manager.php:562
658
+ msgid "Advanced Settings"
659
+ msgstr "詳細設定"
660
+
661
+ #: wp-to-twitter-manager.php:569
662
+ msgid "Advanced Tweet settings"
663
+ msgstr "高度なツイート設定"
664
+
665
+ #: wp-to-twitter-manager.php:571
666
+ msgid "Add tags as hashtags on Tweets"
667
+ msgstr "投稿タグをハッシュタグとしてツイートする"
668
+
669
+ #: wp-to-twitter-manager.php:571
670
+ msgid "Strip nonalphanumeric characters"
671
+ msgstr "英数字以外の文字を取り除く"
672
+
673
+ #: wp-to-twitter-manager.php:572
674
+ msgid "Spaces replaced with:"
675
+ msgstr "空白を置換: "
676
+
677
+ #: wp-to-twitter-manager.php:574
678
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
679
+ msgstr "デフォルトの置換文字はアンダースコア (<code>_</code>)です。空白を消去するには <code>[ ]</code> としてください。"
680
+
681
+ #: wp-to-twitter-manager.php:577
682
+ msgid "Maximum number of tags to include:"
683
+ msgstr "タグの上限数:"
684
+
685
+ #: wp-to-twitter-manager.php:578
686
+ msgid "Maximum length in characters for included tags:"
687
+ msgstr "タグの最大文字数: "
688
+
689
+ #: wp-to-twitter-manager.php:579
690
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
691
+ msgstr "これらのオプションでは、ハッシュタグとして送信される投稿タグの長さや数を制限できます。すべて許可するには <code>0</code> または空白にしてください。"
692
+
693
+ #: wp-to-twitter-manager.php:582
694
+ msgid "Length of post excerpt (in characters):"
695
+ msgstr "抜粋の最大文字数:"
696
+
697
+ #: wp-to-twitter-manager.php:582
698
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
699
+ msgstr "デフォルトでは投稿の冒頭が抜き出されます。「抜粋」フィールドがあれば代わりにそちらを使用します。"
700
+
701
+ #: wp-to-twitter-manager.php:585
702
+ msgid "WP to Twitter Date Formatting:"
703
+ msgstr "日付フォーマット:"
704
+
705
+ #: wp-to-twitter-manager.php:586
706
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
707
+ msgstr "デフォルトは「一般設定」での値です。 <a href='http://wpdocs.sourceforge.jp/Formatting_Date_and_Time'>日付と時刻の書式の解説</a>"
708
+
709
+ #: wp-to-twitter-manager.php:590
710
+ msgid "Custom text before all Tweets:"
711
+ msgstr "ツイートの前につける文字列:"
712
+
713
+ #: wp-to-twitter-manager.php:591
714
+ msgid "Custom text after all Tweets:"
715
+ msgstr "ツイートの後につける文字列:"
716
+
717
+ #: wp-to-twitter-manager.php:594
718
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
719
+ msgstr "代替 URL を表すカスタムフィールド"
720
+
721
+ #: wp-to-twitter-manager.php:595
722
+ msgid "You can use a custom field to send an alternate URL for your post. The value is the name of a custom field containing your external URL."
723
+ msgstr "このカスタムフィールドで指定した URL が、通常の URL に代わって短縮・ツイートされます。"
724
+
725
+ #: wp-to-twitter-manager.php:599
726
+ msgid "Special Cases when WordPress should send a Tweet"
727
+ msgstr "特殊なツイートタイミング設定"
728
+
729
+ #: wp-to-twitter-manager.php:602
730
+ msgid "Do not post status updates by default"
731
+ msgstr "「この投稿はツイートしない」をデフォルトにする"
732
+
733
+ #: wp-to-twitter-manager.php:603
734
+ msgid "By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting."
735
+ msgstr "デフォルトでは、すべての投稿は他の条件に合致すると Twitter へ投稿されます。この設定を変えるにはチェックを入れてください。"
736
+
737
+ #: wp-to-twitter-manager.php:607
738
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
739
+ msgstr "リモート投稿時にツイートする (メール投稿・XMLRPC クライアント)"
740
+
741
+ #: wp-to-twitter-manager.php:609
742
+ msgid "I'm using a plugin to post by email, such as Postie. Only check this if your updates do not work."
743
+ msgstr "Postie などのメール投稿プラグインを利用中 (ツイートがうまくいかないときに選択してみてください)"
744
+
745
+ #: wp-to-twitter-manager.php:613
746
+ msgid "Update Twitter when a post is published using QuickPress"
747
+ msgstr "クイック投稿から公開記事が投稿されたらツイートする"
748
+
749
+ #: wp-to-twitter-manager.php:617
750
+ msgid "Google Analytics Settings"
751
+ msgstr "Google Analytics 設定"
752
+
753
+ #: wp-to-twitter-manager.php:618
754
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here. You can either define a static identifier or a dynamic identifier. Static identifiers don't change from post to post; dynamic identifiers are derived from information relevant to the specific post. Dynamic identifiers will allow you to break down your statistics by an additional variable."
755
+ msgstr "ここで Google Analytics のキャンペーン ID を指定すると Twitter からの訪問を解析することができます。静的 ID と 動的 ID が利用できます。静的 ID は投稿ごとに変わるということはありません。一方、動的 ID は特定の投稿情報によって変化します。動的 ID を用いると変数を追加して統計結果を分けることができます。"
756
+
757
+ #: wp-to-twitter-manager.php:622
758
+ msgid "Use a Static Identifier with WP-to-Twitter"
759
+ msgstr "静的 ID を使う"
760
+
761
+ #: wp-to-twitter-manager.php:623
762
+ msgid "Static Campaign identifier for Google Analytics:"
763
+ msgstr "Google Analytics のキャンペーン ID"
764
+
765
+ #: wp-to-twitter-manager.php:627
766
+ msgid "Use a dynamic identifier with Google Analytics and WP-to-Twitter"
767
+ msgstr "動的 ID を使う"
768
+
769
+ #: wp-to-twitter-manager.php:628
770
+ msgid "What dynamic identifier would you like to use?"
771
+ msgstr "動的 ID として使う値"
772
+
773
+ #: wp-to-twitter-manager.php:630
774
+ msgid "Category"
775
+ msgstr "カテゴリー"
776
+
777
+ #: wp-to-twitter-manager.php:631
778
+ msgid "Post ID"
779
+ msgstr "投稿 ID"
780
+
781
+ #: wp-to-twitter-manager.php:632
782
+ msgid "Post Title"
783
+ msgstr "投稿タイトル"
784
+
785
+ #: wp-to-twitter-manager.php:633
786
+ #: wp-to-twitter-manager.php:647
787
+ msgid "Author"
788
+ msgstr "投稿者"
789
+
790
+ #: wp-to-twitter-manager.php:638
791
+ msgid "Individual Authors"
792
+ msgstr "ユーザー設定"
793
+
794
+ #: wp-to-twitter-manager.php:641
795
+ msgid "Authors have individual Twitter accounts"
796
+ msgstr "ユーザー個人の Twitter アカウントを有効にする"
797
+
798
+ #: wp-to-twitter-manager.php:641
799
+ msgid "Authors can set their username in their user profile. As of version 2.2.0, this feature no longer allows authors to post to their own Twitter accounts. It can only add an @reference to the author. This @reference is placed using the <code>#account#</code> shortcode. (It will pick up the main account if user accounts are not enabled.)"
800
+ msgstr "ユーザーはプロフィールに自分の Twitter アカウントを設定できます。バージョン 2.2.0 からはこの機能はユーザーごとに自分のアカウントでツイートするものではなくなりました。 @reference のようにユーザーのアカウント名をツイートに追加するだけです。 @reference はショートコード <code>#account#</code> で配置できます。ユーザーアカウントがない場合、このショートコードはサイトのアカウント名になります。"
801
+
802
+ #: wp-to-twitter-manager.php:644
803
+ msgid "Choose the lowest user group that can add their Twitter information"
804
+ msgstr "Twitter アカウント情報を設定できるユーザーグループ"
805
+
806
+ #: wp-to-twitter-manager.php:645
807
+ msgid "Subscriber"
808
+ msgstr "購読者"
809
+
810
+ #: wp-to-twitter-manager.php:646
811
+ msgid "Contributor"
812
+ msgstr "寄稿者"
813
+
814
+ #: wp-to-twitter-manager.php:648
815
+ msgid "Editor"
816
+ msgstr "編集者"
817
+
818
+ #: wp-to-twitter-manager.php:649
819
+ msgid "Administrator"
820
+ msgstr "管理者"
821
+
822
+ #: wp-to-twitter-manager.php:654
823
+ msgid "Disable Error Messages"
824
+ msgstr "エラーメッセージの非表示設定"
825
+
826
+ #: wp-to-twitter-manager.php:657
827
+ msgid "Disable global URL shortener error messages."
828
+ msgstr "短縮 URL に関するエラーを非表示にする"
829
+
830
+ #: wp-to-twitter-manager.php:661
831
+ msgid "Disable global Twitter API error messages."
832
+ msgstr "Twitter API に関するエラーを非表示にする"
833
+
834
+ #: wp-to-twitter-manager.php:665
835
+ msgid "Disable notification to implement OAuth"
836
+ msgstr "OAuth 認証を要請するメッセージを非表示にする"
837
+
838
+ #: wp-to-twitter-manager.php:669
839
+ msgid "Get Debugging Data for OAuth Connection"
840
+ msgstr "OAuth 接続でのデバッグデータを表示する"
841
+
842
+ #: wp-to-twitter-manager.php:675
843
+ msgid "Save Advanced WP->Twitter Options"
844
+ msgstr "詳細設定を保存"
845
+
846
+ #: wp-to-twitter-manager.php:685
847
+ msgid "Limit Updating Categories"
848
+ msgstr "カテゴリーフィルタ設定"
849
+
850
+ #: wp-to-twitter-manager.php:689
851
+ msgid "Select which blog categories will be Tweeted. Uncheck all categories to disable category limits."
852
+ msgstr "ツイートするカテゴリーを選んでください。すべてのカテゴリーのチェックを外すと、この機能はオフになります。"
853
+
854
+ #: wp-to-twitter-manager.php:692
855
+ msgid "<em>Category limits are disabled.</em>"
856
+ msgstr "<em>カテゴリーフィルタは現在使われていません</em>"
857
+
858
+ #: wp-to-twitter-manager.php:706
859
+ msgid "Check Support"
860
+ msgstr "機能チェック"
861
+
862
+ #: wp-to-twitter-manager.php:706
863
+ msgid "Check whether your server supports <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter's</a> queries to the Twitter and URL shortening APIs. This test will send a status update to Twitter and shorten a URL using your selected methods."
864
+ msgstr "このサーバーが <a href=\"http://www.joedolson.com/articles/wp-to-twitter/\">WP to Twitter</a> で使われる Twitter および 短縮 URL の API をサポートしているかどうかをチェックします。このテストでは Twitter にテスト用ツイートを投稿し、上の設定に基づいた URL の短縮を行います。"
865
+
866
+ #. Plugin URI of the plugin/theme
867
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
868
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
869
+
870
+ #. Description of the plugin/theme
871
+ msgid "Posts a Twitter status update when you update your WordPress blog or post to your blogroll, using your chosen URL shortening service. Rich in features for customizing and promoting your Tweets."
872
+ msgstr "ブログやリンクを更新した際に Twitter にツイートを投稿します。短縮 URL のサービスは自由に選択可能。豊富な機能でツイートのカスタマイズやプロモーションをサポートします。"
873
+
874
+ #. Author of the plugin/theme
875
+ msgid "Joseph Dolson"
876
+ msgstr "Joseph Dolson"
877
+
878
+ #. Author URI of the plugin/theme
879
+ msgid "http://www.joedolson.com/"
880
+ msgstr "http://www.joedolson.com/"
881
+
882
+ #~ msgid "Your server time is"
883
+ #~ msgstr "このサーバーの時刻は"
884
+
885
+ #~ msgid ""
886
+ #~ "If this is wrong, your server will not be able to connect with Twitter. "
887
+ #~ "(<strong>Note:</strong> your server time may not match your current time, "
888
+ #~ "but it should be correct for it's own time zone.)"
889
+ #~ msgstr ""
890
+ #~ "です。これがおかしいと Twitter との連携に失敗する可能性があります。 "
891
+ #~ "(<strong>注:</strong> サーバーの時刻はあなたの現在位置での現在時刻とは同じ"
892
+ #~ "ではないかもしれません。ですがタイムゾーンを考慮すると正しいはずです)"
wp-to-twitter-lt_LT.po CHANGED
@@ -1,548 +1,548 @@
1
- # SOME DESCRIPTIVE TITLE.
2
- # Copyright (C) YEAR Joseph Dolson
3
- # This file is distributed under the same license as the PACKAGE package.
4
- # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
- #
6
- msgid ""
7
- msgstr ""
8
- "Project-Id-Version: WP to Twitter in russian\n"
9
- "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
- "POT-Creation-Date: 2009-12-22 20:09+0300\n"
11
- "PO-Revision-Date: 2011-07-30 22:46+0200\n"
12
- "Last-Translator: Natalija Strazdauskienė <ciuvir@mail.ru>\n"
13
- "Language-Team: Nata Strazda <nata@epastas.lt>\n"
14
- "MIME-Version: 1.0\n"
15
- "Content-Type: text/plain; charset=UTF-8\n"
16
- "Content-Transfer-Encoding: 8bit\n"
17
- "X-Poedit-Language: Lithuanian\n"
18
- "X-Poedit-Country: LITHUANIA\n"
19
-
20
- #: functions.php:127
21
- msgid "Twitter Password Saved"
22
- msgstr "Twitter slaptažodis išsaugotas"
23
-
24
- #: functions.php:129
25
- msgid "Twitter Password Not Saved"
26
- msgstr "Twitter slaptažodis neišsaugotas"
27
-
28
- #: functions.php:132
29
- msgid "Bit.ly API Saved"
30
- msgstr "Bit.ly API išsaugotas"
31
-
32
- #: functions.php:134
33
- msgid "Bit.ly API Not Saved"
34
- msgstr "Bit.ly API neišsaugotas"
35
-
36
- #: functions.php:140
37
- msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
- msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Paslėpti</a>] Jeigu kilo problemų, prašome nukopijuoti šiuos nustatymus ir kreiptis į palaikymą."
39
-
40
- #: wp-to-twitter-manager.php:63
41
- msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
- msgstr "Nustatykite savo Twitter prisijungimo informaciją ir URL trumpintojo API informaciją, naudojant šį įskiepį!"
43
-
44
- #: wp-to-twitter-manager.php:69
45
- msgid "Please add your Twitter password. "
46
- msgstr "Prašome pridėti savo Twitter slaptažodį."
47
-
48
- #: wp-to-twitter-manager.php:75
49
- msgid "WP to Twitter Errors Cleared"
50
- msgstr "WP į Twitter Klaidos pašalintos"
51
-
52
- #: wp-to-twitter-manager.php:82
53
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
- msgstr "Atsiprašome! Negaliu prisijungti prie Twitter serverio naujų blogo žinučių talpinimui. Jūsų tvitai buvo saugomi pasirinktiniame lauke, prisegtame prie žinutės, todėl jūs galite tvitinti rankiniu būdu, jei norite!"
55
-
56
- #: wp-to-twitter-manager.php:84
57
- msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
- msgstr "Atsiprašome! Negaliu susijungti su serveriu Twitter jūsų <strong>naujai nuorodai</strong> patalpinti! Bijau, kad teks tai atlikti rankiniu būdu."
59
-
60
- #: wp-to-twitter-manager.php:149
61
- msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
- msgstr "Jūs turite pridėti savo Bit.ly prisijungimą ir API raktą siekiant sutrumpinti URL Bit.ly."
63
-
64
- #: wp-to-twitter-manager.php:158
65
- msgid "WP to Twitter Options Updated"
66
- msgstr "WP į Twitter parinktys atnaujintos"
67
-
68
- #: wp-to-twitter-manager.php:168
69
- msgid "Twitter login and password updated. "
70
- msgstr "Twitter login ir slaptažodis atnaujinti. "
71
-
72
- #: wp-to-twitter-manager.php:170
73
- msgid "You need to provide your twitter login and password! "
74
- msgstr "Jūs turite nurodyti login ir slaptažodį į Twitter!"
75
-
76
- #: wp-to-twitter-manager.php:177
77
- msgid "Cligs API Key Updated"
78
- msgstr "Cligs API Raktas atnaujintas"
79
-
80
- #: wp-to-twitter-manager.php:180
81
- msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
- msgstr "Cli.gs API Raktas pašalintas. Cli.gs sukurtas WP į Twitter, daugiau nebus sujungtas su jūsų paskyra. "
83
-
84
- #: wp-to-twitter-manager.php:182
85
- msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
- msgstr "Cli.gs API raktas nepridėtas - <a href='http://cli.gs/user/api/'>gauti čia</a>! "
87
-
88
- #: wp-to-twitter-manager.php:188
89
- msgid "Bit.ly API Key Updated."
90
- msgstr "Bit.ly API Raktas atnaujintas."
91
-
92
- #: wp-to-twitter-manager.php:191
93
- msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
- msgstr "Bit.ly API Raktas pašalintas. Jūs negalite naudoti Bit.ly API be API rakto. "
95
-
96
- #: wp-to-twitter-manager.php:193
97
- msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
- msgstr "Bit.ly API Raktas nepridėtas - <a href='http://bit.ly/account/'>gauti čia</a>! API raktas turi naudoti trumpinimo servisą URL Bit.ly."
99
-
100
- #: wp-to-twitter-manager.php:197
101
- msgid " Bit.ly User Login Updated."
102
- msgstr " Bit.ly vartotojo login atnaujintas."
103
-
104
- #: wp-to-twitter-manager.php:200
105
- msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
- msgstr "Bit.ly vartotojo login pašalintas. Jūs negalite naudoti Bit.ly API be jūsų login. "
107
-
108
- #: wp-to-twitter-manager.php:202
109
- msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
- msgstr "Bit.ly login nepridėtas - <a href='http://bit.ly/account/'>gauti čia</a>! "
111
-
112
- #: wp-to-twitter-manager.php:236
113
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
- msgstr "<li>Sujungta su API Cli.gs per Snoopy, bet sukūrti URL nepavyko.</li>"
115
-
116
- #: wp-to-twitter-manager.php:238
117
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
- msgstr "<li>Sunungta su API Cli.gs per Snoopy, bet serverio Cli.gs klaida neleido sutrumpinti URL. </li>"
119
-
120
- #: wp-to-twitter-manager.php:240
121
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy и создана сокращенная ссылка.</li>"
122
- msgstr "<li>Sujungta su API Cli.gs per Snoopy ir sukūrta trumpa nuoroda.</li>"
123
-
124
- #: wp-to-twitter-manager.php:249
125
- #: wp-to-twitter-manager.php:274
126
- msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
- msgstr "<li>Sujungta su Bit.ly API per Snoopy.</li>"
128
-
129
- #: wp-to-twitter-manager.php:251
130
- #: wp-to-twitter-manager.php:276
131
- msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
- msgstr "<li>Nesujungta su Bit.ly API per Snoopy.</li>"
133
-
134
- #: wp-to-twitter-manager.php:254
135
- msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
- msgstr "<li>Negalima patikrinti Bit.ly API, reikalingas teisingas API raktas.</li>"
137
-
138
- #: wp-to-twitter-manager.php:258
139
- msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
- msgstr "<li>Sujungta su Twitter API per Snoopy.</li>"
141
-
142
- #: wp-to-twitter-manager.php:260
143
- msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
- msgstr "<li>Nesujungtas su Twitter API per Snoopy.</li>"
145
-
146
- #: wp-to-twitter-manager.php:266
147
- msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
- msgstr "<li>Sujungta su Twitter API per cURL.</li>"
149
-
150
- #: wp-to-twitter-manager.php:268
151
- msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
- msgstr "<li>Nesujungtas su Twitter API per cURL.</li>"
153
-
154
- #: wp-to-twitter-manager.php:280
155
- msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
- msgstr "<li>Sujungta su Cli.gs API per Snoopy.</li>"
157
-
158
- #: wp-to-twitter-manager.php:283
159
- msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
- msgstr "<li>Nesujungta su Cli.gs API per Snoopy.</li>"
161
-
162
- #: wp-to-twitter-manager.php:288
163
- msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
- msgstr "<li><strong>Jūsų serveris turi sėkmingai dirbti su WP į Twitter.</strong></li>"
165
-
166
- #: wp-to-twitter-manager.php:293
167
- msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
- msgstr "<li>Jūsų serveris nepalaiko <code>fputs</code>.</li>"
169
-
170
- #: wp-to-twitter-manager.php:297
171
- msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
- msgstr "<li>Jūsų serveris nepalaiko <code>file_get_contents</code> arba <code>cURL</code> funkcijas.</li>"
173
-
174
- #: wp-to-twitter-manager.php:301
175
- msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
- msgstr "<li>Jūsų serveris nepalaiko <code>Snoopy</code>.</li>"
177
-
178
- #: wp-to-twitter-manager.php:304
179
- msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
- msgstr "<li><strong>Jūsų serveris nepalaiko būtinas PHP funkcijas ir klases korektiškam įskiepio WP to Twitter darbui.</strong> Jūs galite pabandyti, tačiau garantijų nėra.</li>"
181
-
182
- #: wp-to-twitter-manager.php:313
183
- msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
- msgstr "Šis įskiepis gali nekorektiškai dirbti su serveriu. Įskiepiui nepavyksta susisiekti su sutrumpinimo URL API ir Twitter API serveriu."
185
-
186
- #: wp-to-twitter-manager.php:328
187
- msgid "WP to Twitter Options"
188
- msgstr "WP to Twitter parinktys"
189
-
190
- #: wp-to-twitter-manager.php:332
191
- #: wp-to-twitter.php:811
192
- msgid "Get Support"
193
- msgstr "Gauti palaikymą"
194
-
195
- #: wp-to-twitter-manager.php:333
196
- msgid "Export Settings"
197
- msgstr "Eksporto nustatymai"
198
-
199
- #: wp-to-twitter-manager.php:347
200
- msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
- msgstr "Norint atnaujinti žinutes, naudokite kodus antraštei <code>#title#</code>, blogo pavadinimui <code>#blog#</code>, žinutės trumpam aprašymui <code>#post#</code>, pirmos žinutės kategorijos pasirinkimui <code>#category#</code>, žinutės datai <code>#date#</code>, žinutės nuorodai <code>#url#</code> (trumpintai arba ne, priklausant nuo jūsų nustatymų.) Jūs taip pat galite sukūrti vartotojiškus prieigos kodus nustatomiems laukeliams WordPress. Naudokite dvigubus kvadratinius skliaustus, apsupant nustatomo laukelio vardą. Pvz.: <code>[[custom_field]]</code>"
202
-
203
- #: wp-to-twitter-manager.php:353
204
- msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
- msgstr "<p>Nepavyko perduoti informaciją apie vieno ar kelių žinučių statuso atnaujinimą Twitter. Jūsų žinutė išsaugota jūsų žinutės vartotojų laukeliuose ir jūs galite išsiųsti vėliau.</p>"
206
-
207
- #: wp-to-twitter-manager.php:356
208
- msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
- msgstr "<p>Nepavyko prisijungti prie trumpinimo URL serverio API ir jūsų URL nebuvo patrumpintas. Pilnas žinutės URL prikabintas prie jūsų žinutės. Prisijunkite prie trumpinto URL serverio, kad sužinoti apie galimas problemas. [<a href=\"http://blog.cli.gs\">Cli.gs Blogas</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blogas</a>]</p>"
210
-
211
- #: wp-to-twitter-manager.php:363
212
- msgid "Clear 'WP to Twitter' Error Messages"
213
- msgstr "Išvalyti 'WP to Twitter' žinutes nuo klaidų"
214
-
215
- #: wp-to-twitter-manager.php:371
216
- msgid "Set what should be in a Tweet"
217
- msgstr "Nustatyti, kas turi būti žinutėje"
218
-
219
- #: wp-to-twitter-manager.php:374
220
- msgid "Update when a post is published"
221
- msgstr "Atnaujinti, kada žinutė bus paskelbta"
222
-
223
- #: wp-to-twitter-manager.php:374
224
- msgid "Text for new post updates:"
225
- msgstr "Naujų žinučių teksto atnaujinimai:"
226
-
227
- #: wp-to-twitter-manager.php:379
228
- msgid "Update when a post is edited"
229
- msgstr "Atnaujinti, kai žinutės bus atredaguota"
230
-
231
- #: wp-to-twitter-manager.php:379
232
- msgid "Text for editing updates:"
233
- msgstr "Redaguojamų atnaujinimų tekstas:"
234
-
235
- #: wp-to-twitter-manager.php:383
236
- msgid "Update Twitter when new Wordpress Pages are published"
237
- msgstr "Atnaujinti Twitter, kai nauji puslapiai Wordpress bus apublikuoti"
238
-
239
- #: wp-to-twitter-manager.php:383
240
- msgid "Text for new page updates:"
241
- msgstr "Atnaujinimų tekstas naujam puslapiui"
242
-
243
- #: wp-to-twitter-manager.php:387
244
- msgid "Update Twitter when WordPress Pages are edited"
245
- msgstr "Atnaujinti Twitter, kai nauji Wordpress puslapiai atredaguoti"
246
-
247
- #: wp-to-twitter-manager.php:387
248
- msgid "Text for page edit updates:"
249
- msgstr "Atnaujinimo tekstas atredaguotiems puslapiams:"
250
-
251
- #: wp-to-twitter-manager.php:391
252
- msgid "Add tags as hashtags on Tweets"
253
- msgstr "Pridėti tegus kaip hashtags į žinutę"
254
-
255
- #: wp-to-twitter-manager.php:391
256
- msgid "Spaces replaced with:"
257
- msgstr "Tarpus pakeisti į:"
258
-
259
- #: wp-to-twitter-manager.php:392
260
- msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
261
- msgstr "Nurodytas pagal nutylėjimą pakeitimas - pabraukimo simbolis (<code>_</code>). Naudoti <code>[ ]</code>, kad pilani pašalinti tarpus."
262
-
263
- #: wp-to-twitter-manager.php:394
264
- msgid "Maximum number of tags to include:"
265
- msgstr "Maksimalus žymų skaičius įtraukimui:"
266
-
267
- #: wp-to-twitter-manager.php:395
268
- msgid "Maximum length in characters for included tags:"
269
- msgstr "Maksimalus ilgis simboliuose iterptuose teguose:"
270
-
271
- #: wp-to-twitter-manager.php:396
272
- msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
- msgstr "Šie parametrai apriboja ilgį ir tegų skaičių WordPress, nukreptus į Twitter, kaip hashtags. Nustatykite <code>0</code> arba palikite lauką tūščiu, kad leisti visus tegus. "
274
-
275
- #: wp-to-twitter-manager.php:400
276
- msgid "Update Twitter when you post a Blogroll link"
277
- msgstr "Atnaujinti Twitter, kai patalpinsite Blogroll nuorodą"
278
-
279
- #: wp-to-twitter-manager.php:401
280
- msgid "Text for new link updates:"
281
- msgstr "Atnaujinimo tekstas naujai nuorodai:"
282
-
283
- #: wp-to-twitter-manager.php:401
284
- msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
- msgstr "Prieinami kodai: <code>#url#</code>, <code>#title#</code>, и <code>#description#</code>."
286
-
287
- #: wp-to-twitter-manager.php:404
288
- msgid "Length of post excerpt (in characters):"
289
- msgstr "Žinutės ištraukos ilgis (simboliais):"
290
-
291
- #: wp-to-twitter-manager.php:404
292
- msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
- msgstr "Pagal nutylėjimą, ištrauktas tiesiogiai iš žinutės. Jeigu jūs naudojate lauką 'Ištrauka', tai bus naudojama vietoj jos."
294
-
295
- #: wp-to-twitter-manager.php:407
296
- msgid "WP to Twitter Date Formatting:"
297
- msgstr "WP to Twitter datos formavimas:"
298
-
299
- #: wp-to-twitter-manager.php:407
300
- msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
- msgstr "Pagal nutylėjimą iš bendrų nustatymų. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Formavimo datos dokumentacija</a>."
302
-
303
- #: wp-to-twitter-manager.php:411
304
- msgid "Custom text before Tweets:"
305
- msgstr "Vartotojiškas tekstas prieš žinutes:"
306
-
307
- #: wp-to-twitter-manager.php:412
308
- msgid "Custom text after Tweets:"
309
- msgstr "Vartotojo tekstas po žinutės:"
310
-
311
- #: wp-to-twitter-manager.php:415
312
- msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
- msgstr "Vartotojo laukas alternatyviems URL, kad sutrumpinti ir paskelbti:"
314
-
315
- #: wp-to-twitter-manager.php:416
316
- msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
- msgstr "Jūs galite naudoti pasirinktinį lauką, kad išsiųsti Cli.gs ir Twitter alternatyvų URL su nuolatine nuoroda WordPress. Reikšmė - pasirinktinio lauko pavadinimas, kurį jūs naudojate, kad pridėti išorinį URL."
318
-
319
- #: wp-to-twitter-manager.php:420
320
- msgid "Special Cases when WordPress should send a Tweet"
321
- msgstr "Kai kuriais atvėjais, kai WordPress turi išsiųsti žinutę"
322
-
323
- #: wp-to-twitter-manager.php:423
324
- msgid "Set default Tweet status to 'No.'"
325
- msgstr "Nustatyti pagal nutylėjimą žinutės statusą į 'Ne.'"
326
-
327
- #: wp-to-twitter-manager.php:424
328
- msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
- msgstr "Twitter atnaujinimai gali būti nustatyti ant kiekvienos žinutės. Pagal nutylėjimą, žinutės BUS patalpintos į Twitter. Patikrinkite, kad galima būtų pakeisti reikšmę pagal nutylėjimą į NE."
330
-
331
- #: wp-to-twitter-manager.php:428
332
- msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
- msgstr "Išsiųsti atnaujinimus Twitter per nuotolinę publikaciją (Žinutė per email arba XMLRPC klientą)"
334
-
335
- #: wp-to-twitter-manager.php:432
336
- msgid "Update Twitter when a post is published using QuickPress"
337
- msgstr "Atnaujinti Twitter, kai žinutė atnaujinta naudojant QuickPress"
338
-
339
- #: wp-to-twitter-manager.php:436
340
- msgid "Special Fields"
341
- msgstr "Specialūs laukai"
342
-
343
- #: wp-to-twitter-manager.php:439
344
- msgid "Use Google Analytics with WP-to-Twitter"
345
- msgstr "Naudoti Google Analytics su WP-to-Twitter"
346
-
347
- #: wp-to-twitter-manager.php:440
348
- msgid "Campaign identifier for Google Analytics:"
349
- msgstr "Google Analytics identifikatorius:"
350
-
351
- #: wp-to-twitter-manager.php:441
352
- msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
- msgstr "Jūs galite stebėti atsakymus Twitter'e, naudojant Google Analytics kompanijos identifikatoriaus apibrėžimą čia."
354
-
355
- #: wp-to-twitter-manager.php:446
356
- msgid "Authors have individual Twitter accounts"
357
- msgstr "Autoriai turi individualias Twitter paskyras"
358
-
359
- #: wp-to-twitter-manager.php:446
360
- msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
- msgstr "Kiekvienas autorius gali nustatyti nuosavą Twitter vardą ir slaptažodį vartotojo paskyroje. Jų žinutės bus nusiųstos į jūsų paskyras Twitter."
362
-
363
- #: wp-to-twitter-manager.php:450
364
- msgid "Set your preferred URL Shortener"
365
- msgstr "Nustatyti jums patinkantį URL sutrumpinimo serverį"
366
-
367
- #: wp-to-twitter-manager.php:453
368
- msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
- msgstr "Naudoti <strong>Cli.gs</strong> kaip mano URL trumpinimo serverį."
370
-
371
- #: wp-to-twitter-manager.php:454
372
- msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
- msgstr "Naudoti <strong>Bit.ly</strong> kaip mano URL trumpinimo serverį."
374
-
375
- #: wp-to-twitter-manager.php:455
376
- msgid "Use <strong>WordPress</strong> as a URL shortener."
377
- msgstr "Naudoti <strong>WordPress</strong> URL trumpinimui."
378
-
379
- #: wp-to-twitter-manager.php:456
380
- msgid "Don't shorten URLs."
381
- msgstr "Netrumpinti URL."
382
-
383
- #: wp-to-twitter-manager.php:457
384
- msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
- msgstr "Naudoti WordPress kaip URL trumpintoją ir siųs URLs į Twitter pagrindiniu URL WordPress formatu: <code>http://domain.com/subdir/?p=123</code>. Google Analytics nepasiekiamas, kai naudojamas WordPress trumpintojas URLs."
386
-
387
- #: wp-to-twitter-manager.php:462
388
- msgid "Save WP->Twitter Options"
389
- msgstr "Išsaugoti WP->Twitter parinktys"
390
-
391
- #: wp-to-twitter-manager.php:468
392
- msgid "Your Twitter account details"
393
- msgstr "Jūsų Twitter paskyros detalės"
394
-
395
- #: wp-to-twitter-manager.php:475
396
- msgid "Your Twitter username:"
397
- msgstr "Jūsų Twitter prisijungimo vardas:"
398
-
399
- #: wp-to-twitter-manager.php:479
400
- msgid "Your Twitter password:"
401
- msgstr "Jūsų Twitter slaptažodis: "
402
-
403
- #: wp-to-twitter-manager.php:479
404
- msgid "(<em>Saved</em>)"
405
- msgstr "(<em>Išsaugota</em>)"
406
-
407
- #: wp-to-twitter-manager.php:483
408
- msgid "Save Twitter Login Info"
409
- msgstr "Išsaugoti Twitter login informaciją"
410
-
411
- #: wp-to-twitter-manager.php:483
412
- msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
- msgstr "&raquo; <small>Nėra Twitter paskyros? <a href='http://www.twitter.com'>Gaukite ją nemokamai čia</a>"
414
-
415
- #: wp-to-twitter-manager.php:487
416
- msgid "Your Cli.gs account details"
417
- msgstr "Jūsų Cli.gs paskyros detalės"
418
-
419
- #: wp-to-twitter-manager.php:494
420
- msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
- msgstr "Jūsų Cli.gs <abbr title='application programming interface'>API</abbr> Raktas:"
422
-
423
- #: wp-to-twitter-manager.php:500
424
- msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
- msgstr "Nėra Cli.gs paskyros arba Cligs API Rakto? <a href='http://cli.gs/user/api/'>Gaukite nemokamai čia</a>!<br />Jums reikalingas API Raktas, kad sujungti Cligs, sukūrtus jūsų Cligs paskyros pagalba."
426
-
427
- #: wp-to-twitter-manager.php:505
428
- msgid "Your Bit.ly account details"
429
- msgstr "Jūsų Bit.ly paskyros detalės"
430
-
431
- #: wp-to-twitter-manager.php:510
432
- msgid "Your Bit.ly username:"
433
- msgstr "Jūsų Bit.ly prisijungimo vardas:"
434
-
435
- #: wp-to-twitter-manager.php:514
436
- msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
- msgstr "Jūsų Bit.ly <abbr title='application programming interface'>API</abbr> Raktas:"
438
-
439
- #: wp-to-twitter-manager.php:521
440
- msgid "Save Bit.ly API Key"
441
- msgstr "Išsaugoti Bit.ly API Raktą"
442
-
443
- #: wp-to-twitter-manager.php:521
444
- msgid "Clear Bit.ly API Key"
445
- msgstr "Išvalyti Bit.ly API Raktą"
446
-
447
- #: wp-to-twitter-manager.php:521
448
- msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
- msgstr "Bit.ly API raktas ir prisijungimo vardas reikalingas URL trumpinimui per Bit.ly API ir WP į Twitter."
450
-
451
- #: wp-to-twitter-manager.php:530
452
- msgid "Check Support"
453
- msgstr "Patikrinti palaikymą"
454
-
455
- #: wp-to-twitter-manager.php:530
456
- msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
- msgstr "Patikrinti, ar jūsų serveris palaiko WP to Twitter užklausas į Twitter ir URL trumpinimo serverius."
458
-
459
- #: wp-to-twitter-manager.php:538
460
- msgid "Need help?"
461
- msgstr "Reikalinga pagalba?"
462
-
463
- #: wp-to-twitter-manager.php:539
464
- msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
- msgstr "Apsilankykite <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter įskiepio puslapyje</a>."
466
-
467
- #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
- #. Plugin Name of an extension
469
- #: wp-to-twitter.php:761
470
- msgid "WP to Twitter"
471
- msgstr "WP to Twitter"
472
-
473
- #: wp-to-twitter.php:806
474
- msgid "Twitter Post"
475
- msgstr "Twitter žinutė"
476
-
477
- #: wp-to-twitter.php:811
478
- msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
- msgstr " simboliai.<br />Twitter žinutės neturi viršyti 140 simbolių; Jūsų Cli.gs nuoroda talpinama į dokumento pabaigą, jūs turite 119 simbolių. Jūs galite naudoti <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code> arba <code>#blog#</code>, kad įdėti sutrumpintą URL, žinutės pavadinimą, pirmą pasirinktą kategoriją, žinutės datą, žinutės ištrauką arba blogo pavadinimą į žinutę."
480
-
481
- #: wp-to-twitter.php:811
482
- msgid "Make a Donation"
483
- msgstr "Paremti"
484
-
485
- #: wp-to-twitter.php:814
486
- msgid "Don't Tweet this post."
487
- msgstr "Netalpinti šios žinutės."
488
-
489
- #: wp-to-twitter.php:863
490
- msgid "WP to Twitter User Settings"
491
- msgstr "WP to Twitter vartotojo nustatymai"
492
-
493
- #: wp-to-twitter.php:867
494
- msgid "Use My Twitter Account"
495
- msgstr "Naudoti mano Twitter paskyrą"
496
-
497
- #: wp-to-twitter.php:868
498
- msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
- msgstr "Pasirinkite šį parametrą, jei norite, kad jūsų žinutės būtų nusiųstos į jūsų Twitter paskyrą be @ nuorodų."
500
-
501
- #: wp-to-twitter.php:869
502
- msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
- msgstr "Rašyti mano žinutes į mano Twitter paskyrą su @ nuoroda į pagrindinį Twitter puslapį."
504
-
505
- #: wp-to-twitter.php:870
506
- msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
- msgstr "Rašyti mano žinutes mano paskyros pradiniame Twitter puslapyje su @ nuoroda į mano vartotojo vardą. (Šiam parametrui slaptažodis nėra reikalingas.)"
508
-
509
- #: wp-to-twitter.php:873
510
- msgid "Your Twitter Username"
511
- msgstr "JūsųTwitter prisijungimo vardas"
512
-
513
- #: wp-to-twitter.php:874
514
- msgid "Enter your own Twitter username."
515
- msgstr "Įveskite savo Twitter prisijungimo vardą."
516
-
517
- #: wp-to-twitter.php:877
518
- msgid "Your Twitter Password"
519
- msgstr "Jūsų Twitter slaptažodis"
520
-
521
- #: wp-to-twitter.php:878
522
- msgid "Enter your own Twitter password."
523
- msgstr "Įveskite savo Twitter slaptažodį."
524
-
525
- #: wp-to-twitter.php:997
526
- msgid "<p>Couldn't locate the settings page.</p>"
527
- msgstr "<p>Nerastas nustatymų puslapis.</p>"
528
-
529
- #: wp-to-twitter.php:1002
530
- msgid "Settings"
531
- msgstr "Nustatymai"
532
-
533
- #. Plugin URI of an extension
534
- msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
- msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
-
537
- #. Description of an extension
538
- msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
- msgstr "Atnaujinti Twitter, kai jūs parašysite naują žinutę bloge arba pridėsite į jūsų blogroll Cli.gs naudojimą. Cli.gs API rakto pagalba, sukūrkite clig jūsų Cli.gs paskyroje su jūsų žinutės pavadinimu kaip antrašte."
540
-
541
- #. Author of an extension
542
- msgid "Joseph Dolson"
543
- msgstr "Joseph Dolson"
544
-
545
- #. Author URI of an extension
546
- msgid "http://www.joedolson.com/"
547
- msgstr "http://www.joedolson.com/"
548
-
1
+ # SOME DESCRIPTIVE TITLE.
2
+ # Copyright (C) YEAR Joseph Dolson
3
+ # This file is distributed under the same license as the PACKAGE package.
4
+ # FIRST AUTHOR <EMAIL@ADDRESS>, YEAR.
5
+ #
6
+ msgid ""
7
+ msgstr ""
8
+ "Project-Id-Version: WP to Twitter in russian\n"
9
+ "Report-Msgid-Bugs-To: http://wordpress.org/tag/wp-to-twitter\n"
10
+ "POT-Creation-Date: 2009-12-22 20:09+0300\n"
11
+ "PO-Revision-Date: 2011-07-30 22:46+0200\n"
12
+ "Last-Translator: Natalija Strazdauskienė <ciuvir@mail.ru>\n"
13
+ "Language-Team: Nata Strazda <nata@epastas.lt>\n"
14
+ "MIME-Version: 1.0\n"
15
+ "Content-Type: text/plain; charset=UTF-8\n"
16
+ "Content-Transfer-Encoding: 8bit\n"
17
+ "X-Poedit-Language: Lithuanian\n"
18
+ "X-Poedit-Country: LITHUANIA\n"
19
+
20
+ #: functions.php:127
21
+ msgid "Twitter Password Saved"
22
+ msgstr "Twitter slaptažodis išsaugotas"
23
+
24
+ #: functions.php:129
25
+ msgid "Twitter Password Not Saved"
26
+ msgstr "Twitter slaptažodis neišsaugotas"
27
+
28
+ #: functions.php:132
29
+ msgid "Bit.ly API Saved"
30
+ msgstr "Bit.ly API išsaugotas"
31
+
32
+ #: functions.php:134
33
+ msgid "Bit.ly API Not Saved"
34
+ msgstr "Bit.ly API neišsaugotas"
35
+
36
+ #: functions.php:140
37
+ msgid "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Hide</a>] If you're experiencing trouble, please copy these settings into any request for support."
38
+ msgstr "[<a href='options-general.php?page=wp-to-twitter/wp-to-twitter.php'>Paslėpti</a>] Jeigu kilo problemų, prašome nukopijuoti šiuos nustatymus ir kreiptis į palaikymą."
39
+
40
+ #: wp-to-twitter-manager.php:63
41
+ msgid "Set your Twitter login information and URL shortener API information to use this plugin!"
42
+ msgstr "Nustatykite savo Twitter prisijungimo informaciją ir URL trumpintojo API informaciją, naudojant šį įskiepį!"
43
+
44
+ #: wp-to-twitter-manager.php:69
45
+ msgid "Please add your Twitter password. "
46
+ msgstr "Prašome pridėti savo Twitter slaptažodį."
47
+
48
+ #: wp-to-twitter-manager.php:75
49
+ msgid "WP to Twitter Errors Cleared"
50
+ msgstr "WP į Twitter Klaidos pašalintos"
51
+
52
+ #: wp-to-twitter-manager.php:82
53
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your new blog post. Your tweet has been stored in a custom field attached to the post, so you can Tweet it manually if you wish! "
54
+ msgstr "Atsiprašome! Negaliu prisijungti prie Twitter serverio naujų blogo žinučių talpinimui. Jūsų tvitai buvo saugomi pasirinktiniame lauke, prisegtame prie žinutės, todėl jūs galite tvitinti rankiniu būdu, jei norite!"
55
+
56
+ #: wp-to-twitter-manager.php:84
57
+ msgid "Sorry! I couldn't get in touch with the Twitter servers to post your <strong>new link</strong>! You'll have to post it manually, I'm afraid. "
58
+ msgstr "Atsiprašome! Negaliu susijungti su serveriu Twitter jūsų <strong>naujai nuorodai</strong> patalpinti! Bijau, kad teks tai atlikti rankiniu būdu."
59
+
60
+ #: wp-to-twitter-manager.php:149
61
+ msgid "You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly."
62
+ msgstr "Jūs turite pridėti savo Bit.ly prisijungimą ir API raktą siekiant sutrumpinti URL Bit.ly."
63
+
64
+ #: wp-to-twitter-manager.php:158
65
+ msgid "WP to Twitter Options Updated"
66
+ msgstr "WP į Twitter parinktys atnaujintos"
67
+
68
+ #: wp-to-twitter-manager.php:168
69
+ msgid "Twitter login and password updated. "
70
+ msgstr "Twitter login ir slaptažodis atnaujinti. "
71
+
72
+ #: wp-to-twitter-manager.php:170
73
+ msgid "You need to provide your twitter login and password! "
74
+ msgstr "Jūs turite nurodyti login ir slaptažodį į Twitter!"
75
+
76
+ #: wp-to-twitter-manager.php:177
77
+ msgid "Cligs API Key Updated"
78
+ msgstr "Cligs API Raktas atnaujintas"
79
+
80
+ #: wp-to-twitter-manager.php:180
81
+ msgid "Cli.gs API Key deleted. Cli.gs created by WP to Twitter will no longer be associated with your account. "
82
+ msgstr "Cli.gs API Raktas pašalintas. Cli.gs sukurtas WP į Twitter, daugiau nebus sujungtas su jūsų paskyra. "
83
+
84
+ #: wp-to-twitter-manager.php:182
85
+ msgid "Cli.gs API Key not added - <a href='http://cli.gs/user/api/'>get one here</a>! "
86
+ msgstr "Cli.gs API raktas nepridėtas - <a href='http://cli.gs/user/api/'>gauti čia</a>! "
87
+
88
+ #: wp-to-twitter-manager.php:188
89
+ msgid "Bit.ly API Key Updated."
90
+ msgstr "Bit.ly API Raktas atnaujintas."
91
+
92
+ #: wp-to-twitter-manager.php:191
93
+ msgid "Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. "
94
+ msgstr "Bit.ly API Raktas pašalintas. Jūs negalite naudoti Bit.ly API be API rakto. "
95
+
96
+ #: wp-to-twitter-manager.php:193
97
+ msgid "Bit.ly API Key not added - <a href='http://bit.ly/account/'>get one here</a>! An API key is required to use the Bit.ly URL shortening service."
98
+ msgstr "Bit.ly API Raktas nepridėtas - <a href='http://bit.ly/account/'>gauti čia</a>! API raktas turi naudoti trumpinimo servisą URL Bit.ly."
99
+
100
+ #: wp-to-twitter-manager.php:197
101
+ msgid " Bit.ly User Login Updated."
102
+ msgstr " Bit.ly vartotojo login atnaujintas."
103
+
104
+ #: wp-to-twitter-manager.php:200
105
+ msgid "Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. "
106
+ msgstr "Bit.ly vartotojo login pašalintas. Jūs negalite naudoti Bit.ly API be jūsų login. "
107
+
108
+ #: wp-to-twitter-manager.php:202
109
+ msgid "Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! "
110
+ msgstr "Bit.ly login nepridėtas - <a href='http://bit.ly/account/'>gauti čia</a>! "
111
+
112
+ #: wp-to-twitter-manager.php:236
113
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but the URL creation failed.</li>"
114
+ msgstr "<li>Sujungta su API Cli.gs per Snoopy, bet sukūrti URL nepavyko.</li>"
115
+
116
+ #: wp-to-twitter-manager.php:238
117
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy, but a Cli.gs server error prevented the URL from being shrotened.</li>"
118
+ msgstr "<li>Sunungta su API Cli.gs per Snoopy, bet serverio Cli.gs klaida neleido sutrumpinti URL. </li>"
119
+
120
+ #: wp-to-twitter-manager.php:240
121
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy и создана сокращенная ссылка.</li>"
122
+ msgstr "<li>Sujungta su API Cli.gs per Snoopy ir sukūrta trumpa nuoroda.</li>"
123
+
124
+ #: wp-to-twitter-manager.php:249
125
+ #: wp-to-twitter-manager.php:274
126
+ msgid "<li>Successfully contacted the Bit.ly API via Snoopy.</li>"
127
+ msgstr "<li>Sujungta su Bit.ly API per Snoopy.</li>"
128
+
129
+ #: wp-to-twitter-manager.php:251
130
+ #: wp-to-twitter-manager.php:276
131
+ msgid "<li>Failed to contact the Bit.ly API via Snoopy.</li>"
132
+ msgstr "<li>Nesujungta su Bit.ly API per Snoopy.</li>"
133
+
134
+ #: wp-to-twitter-manager.php:254
135
+ msgid "<li>Cannot check the Bit.ly API without a valid API key.</li>"
136
+ msgstr "<li>Negalima patikrinti Bit.ly API, reikalingas teisingas API raktas.</li>"
137
+
138
+ #: wp-to-twitter-manager.php:258
139
+ msgid "<li>Successfully contacted the Twitter API via Snoopy.</li>"
140
+ msgstr "<li>Sujungta su Twitter API per Snoopy.</li>"
141
+
142
+ #: wp-to-twitter-manager.php:260
143
+ msgid "<li>Failed to contact the Twitter API via Snoopy.</li>"
144
+ msgstr "<li>Nesujungtas su Twitter API per Snoopy.</li>"
145
+
146
+ #: wp-to-twitter-manager.php:266
147
+ msgid "<li>Successfully contacted the Twitter API via cURL.</li>"
148
+ msgstr "<li>Sujungta su Twitter API per cURL.</li>"
149
+
150
+ #: wp-to-twitter-manager.php:268
151
+ msgid "<li>Failed to contact the Twitter API via cURL.</li>"
152
+ msgstr "<li>Nesujungtas su Twitter API per cURL.</li>"
153
+
154
+ #: wp-to-twitter-manager.php:280
155
+ msgid "<li>Successfully contacted the Cli.gs API via Snoopy.</li>"
156
+ msgstr "<li>Sujungta su Cli.gs API per Snoopy.</li>"
157
+
158
+ #: wp-to-twitter-manager.php:283
159
+ msgid "<li>Failed to contact the Cli.gs API via Snoopy.</li>"
160
+ msgstr "<li>Nesujungta su Cli.gs API per Snoopy.</li>"
161
+
162
+ #: wp-to-twitter-manager.php:288
163
+ msgid "<li><strong>Your server should run WP to Twitter successfully.</strong></li>"
164
+ msgstr "<li><strong>Jūsų serveris turi sėkmingai dirbti su WP į Twitter.</strong></li>"
165
+
166
+ #: wp-to-twitter-manager.php:293
167
+ msgid "<li>Your server does not support <code>fputs</code>.</li>"
168
+ msgstr "<li>Jūsų serveris nepalaiko <code>fputs</code>.</li>"
169
+
170
+ #: wp-to-twitter-manager.php:297
171
+ msgid "<li>Your server does not support <code>file_get_contents</code> or <code>cURL</code> functions.</li>"
172
+ msgstr "<li>Jūsų serveris nepalaiko <code>file_get_contents</code> arba <code>cURL</code> funkcijas.</li>"
173
+
174
+ #: wp-to-twitter-manager.php:301
175
+ msgid "<li>Your server does not support <code>Snoopy</code>.</li>"
176
+ msgstr "<li>Jūsų serveris nepalaiko <code>Snoopy</code>.</li>"
177
+
178
+ #: wp-to-twitter-manager.php:304
179
+ msgid "<li><strong>Your server does not appear to support the required PHP functions and classes for WP to Twitter to function.</strong> You can try it anyway - these tests aren't perfect - but no guarantees.</li>"
180
+ msgstr "<li><strong>Jūsų serveris nepalaiko būtinas PHP funkcijas ir klases korektiškam įskiepio WP to Twitter darbui.</strong> Jūs galite pabandyti, tačiau garantijų nėra.</li>"
181
+
182
+ #: wp-to-twitter-manager.php:313
183
+ msgid "This plugin may not fully work in your server environment. The plugin failed to contact both a URL shortener API and the Twitter service API."
184
+ msgstr "Šis įskiepis gali nekorektiškai dirbti su serveriu. Įskiepiui nepavyksta susisiekti su sutrumpinimo URL API ir Twitter API serveriu."
185
+
186
+ #: wp-to-twitter-manager.php:328
187
+ msgid "WP to Twitter Options"
188
+ msgstr "WP to Twitter parinktys"
189
+
190
+ #: wp-to-twitter-manager.php:332
191
+ #: wp-to-twitter.php:811
192
+ msgid "Get Support"
193
+ msgstr "Gauti palaikymą"
194
+
195
+ #: wp-to-twitter-manager.php:333
196
+ msgid "Export Settings"
197
+ msgstr "Eksporto nustatymai"
198
+
199
+ #: wp-to-twitter-manager.php:347
200
+ msgid "For any post update field, you can use the codes <code>#title#</code> for the title of your blog post, <code>#blog#</code> for the title of your blog, <code>#post#</code> for a short excerpt of the post content, <code>#category#</code> for the first selected category for the post, <code>#date#</code> for the post date, or <code>#url#</code> for the post URL (shortened or not, depending on your preferences.) You can also create custom shortcodes to access WordPress custom fields. Use doubled square brackets surrounding the name of your custom field to add the value of that custom field to your status update. Example: <code>[[custom_field]]</code>"
201
+ msgstr "Norint atnaujinti žinutes, naudokite kodus antraštei <code>#title#</code>, blogo pavadinimui <code>#blog#</code>, žinutės trumpam aprašymui <code>#post#</code>, pirmos žinutės kategorijos pasirinkimui <code>#category#</code>, žinutės datai <code>#date#</code>, žinutės nuorodai <code>#url#</code> (trumpintai arba ne, priklausant nuo jūsų nustatymų.) Jūs taip pat galite sukūrti vartotojiškus prieigos kodus nustatomiems laukeliams WordPress. Naudokite dvigubus kvadratinius skliaustus, apsupant nustatomo laukelio vardą. Pvz.: <code>[[custom_field]]</code>"
202
+
203
+ #: wp-to-twitter-manager.php:353
204
+ msgid "<p>One or more of your last posts has failed to send it's status update to Twitter. Your Tweet has been saved in your post custom fields, and you can re-Tweet it at your leisure.</p>"
205
+ msgstr "<p>Nepavyko perduoti informaciją apie vieno ar kelių žinučių statuso atnaujinimą Twitter. Jūsų žinutė išsaugota jūsų žinutės vartotojų laukeliuose ir jūs galite išsiųsti vėliau.</p>"
206
+
207
+ #: wp-to-twitter-manager.php:356
208
+ msgid "<p>The query to the URL shortener API failed, and your URL was not shrunk. The full post URL was attached to your Tweet. Check with your URL shortening provider to see if there are any known issues. [<a href=\"http://blog.cli.gs\">Cli.gs Blog</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blog</a>]</p>"
209
+ msgstr "<p>Nepavyko prisijungti prie trumpinimo URL serverio API ir jūsų URL nebuvo patrumpintas. Pilnas žinutės URL prikabintas prie jūsų žinutės. Prisijunkite prie trumpinto URL serverio, kad sužinoti apie galimas problemas. [<a href=\"http://blog.cli.gs\">Cli.gs Blogas</a>] [<a href=\"http://blog.bit.ly\">Bit.ly Blogas</a>]</p>"
210
+
211
+ #: wp-to-twitter-manager.php:363
212
+ msgid "Clear 'WP to Twitter' Error Messages"
213
+ msgstr "Išvalyti 'WP to Twitter' žinutes nuo klaidų"
214
+
215
+ #: wp-to-twitter-manager.php:371
216
+ msgid "Set what should be in a Tweet"
217
+ msgstr "Nustatyti, kas turi būti žinutėje"
218
+
219
+ #: wp-to-twitter-manager.php:374
220
+ msgid "Update when a post is published"
221
+ msgstr "Atnaujinti, kada žinutė bus paskelbta"
222
+
223
+ #: wp-to-twitter-manager.php:374
224
+ msgid "Text for new post updates:"
225
+ msgstr "Naujų žinučių teksto atnaujinimai:"
226
+
227
+ #: wp-to-twitter-manager.php:379
228
+ msgid "Update when a post is edited"
229
+ msgstr "Atnaujinti, kai žinutės bus atredaguota"
230
+
231
+ #: wp-to-twitter-manager.php:379
232
+ msgid "Text for editing updates:"
233
+ msgstr "Redaguojamų atnaujinimų tekstas:"
234
+
235
+ #: wp-to-twitter-manager.php:383
236
+ msgid "Update Twitter when new Wordpress Pages are published"
237
+ msgstr "Atnaujinti Twitter, kai nauji puslapiai Wordpress bus apublikuoti"
238
+
239
+ #: wp-to-twitter-manager.php:383
240
+ msgid "Text for new page updates:"
241
+ msgstr "Atnaujinimų tekstas naujam puslapiui"
242
+
243
+ #: wp-to-twitter-manager.php:387
244
+ msgid "Update Twitter when WordPress Pages are edited"
245
+ msgstr "Atnaujinti Twitter, kai nauji Wordpress puslapiai atredaguoti"
246
+
247
+ #: wp-to-twitter-manager.php:387
248
+ msgid "Text for page edit updates:"
249
+ msgstr "Atnaujinimo tekstas atredaguotiems puslapiams:"
250
+
251
+ #: wp-to-twitter-manager.php:391
252
+ msgid "Add tags as hashtags on Tweets"
253
+ msgstr "Pridėti tegus kaip hashtags į žinutę"
254
+
255
+ #: wp-to-twitter-manager.php:391
256
+ msgid "Spaces replaced with:"
257
+ msgstr "Tarpus pakeisti į:"
258
+
259
+ #: wp-to-twitter-manager.php:392
260
+ msgid "Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely."
261
+ msgstr "Nurodytas pagal nutylėjimą pakeitimas - pabraukimo simbolis (<code>_</code>). Naudoti <code>[ ]</code>, kad pilani pašalinti tarpus."
262
+
263
+ #: wp-to-twitter-manager.php:394
264
+ msgid "Maximum number of tags to include:"
265
+ msgstr "Maksimalus žymų skaičius įtraukimui:"
266
+
267
+ #: wp-to-twitter-manager.php:395
268
+ msgid "Maximum length in characters for included tags:"
269
+ msgstr "Maksimalus ilgis simboliuose iterptuose teguose:"
270
+
271
+ #: wp-to-twitter-manager.php:396
272
+ msgid "These options allow you to restrict the length and number of WordPress tags sent to Twitter as hashtags. Set to <code>0</code> or leave blank to allow any and all tags."
273
+ msgstr "Šie parametrai apriboja ilgį ir tegų skaičių WordPress, nukreptus į Twitter, kaip hashtags. Nustatykite <code>0</code> arba palikite lauką tūščiu, kad leisti visus tegus. "
274
+
275
+ #: wp-to-twitter-manager.php:400
276
+ msgid "Update Twitter when you post a Blogroll link"
277
+ msgstr "Atnaujinti Twitter, kai patalpinsite Blogroll nuorodą"
278
+
279
+ #: wp-to-twitter-manager.php:401
280
+ msgid "Text for new link updates:"
281
+ msgstr "Atnaujinimo tekstas naujai nuorodai:"
282
+
283
+ #: wp-to-twitter-manager.php:401
284
+ msgid "Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>."
285
+ msgstr "Prieinami kodai: <code>#url#</code>, <code>#title#</code>, и <code>#description#</code>."
286
+
287
+ #: wp-to-twitter-manager.php:404
288
+ msgid "Length of post excerpt (in characters):"
289
+ msgstr "Žinutės ištraukos ilgis (simboliais):"
290
+
291
+ #: wp-to-twitter-manager.php:404
292
+ msgid "By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead."
293
+ msgstr "Pagal nutylėjimą, ištrauktas tiesiogiai iš žinutės. Jeigu jūs naudojate lauką 'Ištrauka', tai bus naudojama vietoj jos."
294
+
295
+ #: wp-to-twitter-manager.php:407
296
+ msgid "WP to Twitter Date Formatting:"
297
+ msgstr "WP to Twitter datos formavimas:"
298
+
299
+ #: wp-to-twitter-manager.php:407
300
+ msgid "Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>."
301
+ msgstr "Pagal nutylėjimą iš bendrų nustatymų. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Formavimo datos dokumentacija</a>."
302
+
303
+ #: wp-to-twitter-manager.php:411
304
+ msgid "Custom text before Tweets:"
305
+ msgstr "Vartotojiškas tekstas prieš žinutes:"
306
+
307
+ #: wp-to-twitter-manager.php:412
308
+ msgid "Custom text after Tweets:"
309
+ msgstr "Vartotojo tekstas po žinutės:"
310
+
311
+ #: wp-to-twitter-manager.php:415
312
+ msgid "Custom field for an alternate URL to be shortened and Tweeted:"
313
+ msgstr "Vartotojo laukas alternatyviems URL, kad sutrumpinti ir paskelbti:"
314
+
315
+ #: wp-to-twitter-manager.php:416
316
+ msgid "You can use a custom field to send Cli.gs and Twitter an alternate URL from the permalink provided by WordPress. The value is the name of the custom field you're using to add an external URL."
317
+ msgstr "Jūs galite naudoti pasirinktinį lauką, kad išsiųsti Cli.gs ir Twitter alternatyvų URL su nuolatine nuoroda WordPress. Reikšmė - pasirinktinio lauko pavadinimas, kurį jūs naudojate, kad pridėti išorinį URL."
318
+
319
+ #: wp-to-twitter-manager.php:420
320
+ msgid "Special Cases when WordPress should send a Tweet"
321
+ msgstr "Kai kuriais atvėjais, kai WordPress turi išsiųsti žinutę"
322
+
323
+ #: wp-to-twitter-manager.php:423
324
+ msgid "Set default Tweet status to 'No.'"
325
+ msgstr "Nustatyti pagal nutylėjimą žinutės statusą į 'Ne.'"
326
+
327
+ #: wp-to-twitter-manager.php:424
328
+ msgid "Twitter updates can be set on a post by post basis. By default, posts WILL be posted to Twitter. Check this to change the default to NO."
329
+ msgstr "Twitter atnaujinimai gali būti nustatyti ant kiekvienos žinutės. Pagal nutylėjimą, žinutės BUS patalpintos į Twitter. Patikrinkite, kad galima būtų pakeisti reikšmę pagal nutylėjimą į NE."
330
+
331
+ #: wp-to-twitter-manager.php:428
332
+ msgid "Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)"
333
+ msgstr "Išsiųsti atnaujinimus Twitter per nuotolinę publikaciją (Žinutė per email arba XMLRPC klientą)"
334
+
335
+ #: wp-to-twitter-manager.php:432
336
+ msgid "Update Twitter when a post is published using QuickPress"
337
+ msgstr "Atnaujinti Twitter, kai žinutė atnaujinta naudojant QuickPress"
338
+
339
+ #: wp-to-twitter-manager.php:436
340
+ msgid "Special Fields"
341
+ msgstr "Specialūs laukai"
342
+
343
+ #: wp-to-twitter-manager.php:439
344
+ msgid "Use Google Analytics with WP-to-Twitter"
345
+ msgstr "Naudoti Google Analytics su WP-to-Twitter"
346
+
347
+ #: wp-to-twitter-manager.php:440
348
+ msgid "Campaign identifier for Google Analytics:"
349
+ msgstr "Google Analytics identifikatorius:"
350
+
351
+ #: wp-to-twitter-manager.php:441
352
+ msgid "You can track the response from Twitter using Google Analytics by defining a campaign identifier here."
353
+ msgstr "Jūs galite stebėti atsakymus Twitter'e, naudojant Google Analytics kompanijos identifikatoriaus apibrėžimą čia."
354
+
355
+ #: wp-to-twitter-manager.php:446
356
+ msgid "Authors have individual Twitter accounts"
357
+ msgstr "Autoriai turi individualias Twitter paskyras"
358
+
359
+ #: wp-to-twitter-manager.php:446
360
+ msgid "Each author can set their own Twitter username and password in their user profile. Their posts will be sent to their own Twitter accounts."
361
+ msgstr "Kiekvienas autorius gali nustatyti nuosavą Twitter vardą ir slaptažodį vartotojo paskyroje. Jų žinutės bus nusiųstos į jūsų paskyras Twitter."
362
+
363
+ #: wp-to-twitter-manager.php:450
364
+ msgid "Set your preferred URL Shortener"
365
+ msgstr "Nustatyti jums patinkantį URL sutrumpinimo serverį"
366
+
367
+ #: wp-to-twitter-manager.php:453
368
+ msgid "Use <strong>Cli.gs</strong> for my URL shortener."
369
+ msgstr "Naudoti <strong>Cli.gs</strong> kaip mano URL trumpinimo serverį."
370
+
371
+ #: wp-to-twitter-manager.php:454
372
+ msgid "Use <strong>Bit.ly</strong> for my URL shortener."
373
+ msgstr "Naudoti <strong>Bit.ly</strong> kaip mano URL trumpinimo serverį."
374
+
375
+ #: wp-to-twitter-manager.php:455
376
+ msgid "Use <strong>WordPress</strong> as a URL shortener."
377
+ msgstr "Naudoti <strong>WordPress</strong> URL trumpinimui."
378
+
379
+ #: wp-to-twitter-manager.php:456
380
+ msgid "Don't shorten URLs."
381
+ msgstr "Netrumpinti URL."
382
+
383
+ #: wp-to-twitter-manager.php:457
384
+ msgid "Using WordPress as a URL shortener will send URLs to Twitter in the default URL format for WordPress: <code>http://domain.com/subdir/?p=123</code>. Google Analytics is not available when using WordPress shortened URLs."
385
+ msgstr "Naudoti WordPress kaip URL trumpintoją ir siųs URLs į Twitter pagrindiniu URL WordPress formatu: <code>http://domain.com/subdir/?p=123</code>. Google Analytics nepasiekiamas, kai naudojamas WordPress trumpintojas URLs."
386
+
387
+ #: wp-to-twitter-manager.php:462
388
+ msgid "Save WP->Twitter Options"
389
+ msgstr "Išsaugoti WP->Twitter parinktys"
390
+
391
+ #: wp-to-twitter-manager.php:468
392
+ msgid "Your Twitter account details"
393
+ msgstr "Jūsų Twitter paskyros detalės"
394
+
395
+ #: wp-to-twitter-manager.php:475
396
+ msgid "Your Twitter username:"
397
+ msgstr "Jūsų Twitter prisijungimo vardas:"
398
+
399
+ #: wp-to-twitter-manager.php:479
400
+ msgid "Your Twitter password:"
401
+ msgstr "Jūsų Twitter slaptažodis: "
402
+
403
+ #: wp-to-twitter-manager.php:479
404
+ msgid "(<em>Saved</em>)"
405
+ msgstr "(<em>Išsaugota</em>)"
406
+
407
+ #: wp-to-twitter-manager.php:483
408
+ msgid "Save Twitter Login Info"
409
+ msgstr "Išsaugoti Twitter login informaciją"
410
+
411
+ #: wp-to-twitter-manager.php:483
412
+ msgid "&raquo; <small>Don't have a Twitter account? <a href='http://www.twitter.com'>Get one for free here</a>"
413
+ msgstr "&raquo; <small>Nėra Twitter paskyros? <a href='http://www.twitter.com'>Gaukite ją nemokamai čia</a>"
414
+
415
+ #: wp-to-twitter-manager.php:487
416
+ msgid "Your Cli.gs account details"
417
+ msgstr "Jūsų Cli.gs paskyros detalės"
418
+
419
+ #: wp-to-twitter-manager.php:494
420
+ msgid "Your Cli.gs <abbr title='application programming interface'>API</abbr> Key:"
421
+ msgstr "Jūsų Cli.gs <abbr title='application programming interface'>API</abbr> Raktas:"
422
+
423
+ #: wp-to-twitter-manager.php:500
424
+ msgid "Don't have a Cli.gs account or Cligs API key? <a href='http://cli.gs/user/api/'>Get one free here</a>!<br />You'll need an API key in order to associate the Cligs you create with your Cligs account."
425
+ msgstr "Nėra Cli.gs paskyros arba Cligs API Rakto? <a href='http://cli.gs/user/api/'>Gaukite nemokamai čia</a>!<br />Jums reikalingas API Raktas, kad sujungti Cligs, sukūrtus jūsų Cligs paskyros pagalba."
426
+
427
+ #: wp-to-twitter-manager.php:505
428
+ msgid "Your Bit.ly account details"
429
+ msgstr "Jūsų Bit.ly paskyros detalės"
430
+
431
+ #: wp-to-twitter-manager.php:510
432
+ msgid "Your Bit.ly username:"
433
+ msgstr "Jūsų Bit.ly prisijungimo vardas:"
434
+
435
+ #: wp-to-twitter-manager.php:514
436
+ msgid "Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:"
437
+ msgstr "Jūsų Bit.ly <abbr title='application programming interface'>API</abbr> Raktas:"
438
+
439
+ #: wp-to-twitter-manager.php:521
440
+ msgid "Save Bit.ly API Key"
441
+ msgstr "Išsaugoti Bit.ly API Raktą"
442
+
443
+ #: wp-to-twitter-manager.php:521
444
+ msgid "Clear Bit.ly API Key"
445
+ msgstr "Išvalyti Bit.ly API Raktą"
446
+
447
+ #: wp-to-twitter-manager.php:521
448
+ msgid "A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter."
449
+ msgstr "Bit.ly API raktas ir prisijungimo vardas reikalingas URL trumpinimui per Bit.ly API ir WP į Twitter."
450
+
451
+ #: wp-to-twitter-manager.php:530
452
+ msgid "Check Support"
453
+ msgstr "Patikrinti palaikymą"
454
+
455
+ #: wp-to-twitter-manager.php:530
456
+ msgid "Check whether your server supports WP to Twitter's queries to the Twitter and URL shortening APIs."
457
+ msgstr "Patikrinti, ar jūsų serveris palaiko WP to Twitter užklausas į Twitter ir URL trumpinimo serverius."
458
+
459
+ #: wp-to-twitter-manager.php:538
460
+ msgid "Need help?"
461
+ msgstr "Reikalinga pagalba?"
462
+
463
+ #: wp-to-twitter-manager.php:539
464
+ msgid "Visit the <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter plugin page</a>."
465
+ msgstr "Apsilankykite <a href='http://www.joedolson.com/articles/wp-to-twitter/'>WP to Twitter įskiepio puslapyje</a>."
466
+
467
+ #. #-#-#-#-# plugin.pot (PACKAGE VERSION) #-#-#-#-#
468
+ #. Plugin Name of an extension
469
+ #: wp-to-twitter.php:761
470
+ msgid "WP to Twitter"
471
+ msgstr "WP to Twitter"
472
+
473
+ #: wp-to-twitter.php:806
474
+ msgid "Twitter Post"
475
+ msgstr "Twitter žinutė"
476
+
477
+ #: wp-to-twitter.php:811
478
+ msgid " characters.<br />Twitter posts are a maximum of 140 characters; if your Cli.gs URL is appended to the end of your document, you have 119 characters available. You can use <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code>, or <code>#blog#</code> to insert the shortened URL, post title, the first category selected, the post date, or a post excerpt or blog name into the Tweet."
479
+ msgstr " simboliai.<br />Twitter žinutės neturi viršyti 140 simbolių; Jūsų Cli.gs nuoroda talpinama į dokumento pabaigą, jūs turite 119 simbolių. Jūs galite naudoti <code>#url#</code>, <code>#title#</code>, <code>#post#</code>, <code>#category#</code>, <code>#date#</code> arba <code>#blog#</code>, kad įdėti sutrumpintą URL, žinutės pavadinimą, pirmą pasirinktą kategoriją, žinutės datą, žinutės ištrauką arba blogo pavadinimą į žinutę."
480
+
481
+ #: wp-to-twitter.php:811
482
+ msgid "Make a Donation"
483
+ msgstr "Paremti"
484
+
485
+ #: wp-to-twitter.php:814
486
+ msgid "Don't Tweet this post."
487
+ msgstr "Netalpinti šios žinutės."
488
+
489
+ #: wp-to-twitter.php:863
490
+ msgid "WP to Twitter User Settings"
491
+ msgstr "WP to Twitter vartotojo nustatymai"
492
+
493
+ #: wp-to-twitter.php:867
494
+ msgid "Use My Twitter Account"
495
+ msgstr "Naudoti mano Twitter paskyrą"
496
+
497
+ #: wp-to-twitter.php:868
498
+ msgid "Select this option if you would like your posts to be Tweeted into your own Twitter account with no @ references."
499
+ msgstr "Pasirinkite šį parametrą, jei norite, kad jūsų žinutės būtų nusiųstos į jūsų Twitter paskyrą be @ nuorodų."
500
+
501
+ #: wp-to-twitter.php:869
502
+ msgid "Tweet my posts into my Twitter account with an @ reference to the site's main Twitter account."
503
+ msgstr "Rašyti mano žinutes į mano Twitter paskyrą su @ nuoroda į pagrindinį Twitter puslapį."
504
+
505
+ #: wp-to-twitter.php:870
506
+ msgid "Tweet my posts into the main site Twitter account with an @ reference to my username. (Password not required with this option.)"
507
+ msgstr "Rašyti mano žinutes mano paskyros pradiniame Twitter puslapyje su @ nuoroda į mano vartotojo vardą. (Šiam parametrui slaptažodis nėra reikalingas.)"
508
+
509
+ #: wp-to-twitter.php:873
510
+ msgid "Your Twitter Username"
511
+ msgstr "JūsųTwitter prisijungimo vardas"
512
+
513
+ #: wp-to-twitter.php:874
514
+ msgid "Enter your own Twitter username."
515
+ msgstr "Įveskite savo Twitter prisijungimo vardą."
516
+
517
+ #: wp-to-twitter.php:877
518
+ msgid "Your Twitter Password"
519
+ msgstr "Jūsų Twitter slaptažodis"
520
+
521
+ #: wp-to-twitter.php:878
522
+ msgid "Enter your own Twitter password."
523
+ msgstr "Įveskite savo Twitter slaptažodį."
524
+
525
+ #: wp-to-twitter.php:997
526
+ msgid "<p>Couldn't locate the settings page.</p>"
527
+ msgstr "<p>Nerastas nustatymų puslapis.</p>"
528
+
529
+ #: wp-to-twitter.php:1002
530
+ msgid "Settings"
531
+ msgstr "Nustatymai"
532
+
533
+ #. Plugin URI of an extension
534
+ msgid "http://www.joedolson.com/articles/wp-to-twitter/"
535
+ msgstr "http://www.joedolson.com/articles/wp-to-twitter/"
536
+
537
+ #. Description of an extension
538
+ msgid "Updates Twitter when you create a new blog post or add to your blogroll using Cli.gs. With a Cli.gs API key, creates a clig in your Cli.gs account with the name of your post as the title."
539
+ msgstr "Atnaujinti Twitter, kai jūs parašysite naują žinutę bloge arba pridėsite į jūsų blogroll Cli.gs naudojimą. Cli.gs API rakto pagalba, sukūrkite clig jūsų Cli.gs paskyroje su jūsų žinutės pavadinimu kaip antrašte."
540
+
541
+ #. Author of an extension
542
+ msgid "Joseph Dolson"
543
+ msgstr "Joseph Dolson"
544
+
545
+ #. Author URI of an extension
546
+ msgid "http://www.joedolson.com/"
547
+ msgstr "http://www.joedolson.com/"
548
+
wp-to-twitter-manager.php CHANGED
@@ -1,895 +1,907 @@
1
- <?php
2
- // FUNCTION to see if checkboxes should be checked
3
- function jd_checkCheckbox( $theFieldname,$sub1=false,$sub2='' ) {
4
- if ( $sub1 ) {
5
- $setting = get_option($theFieldname);
6
- if ( isset( $setting[$sub1] ) ) {
7
- $value = ( $sub2 != '' )?$setting[$sub1][$sub2]:$setting[$sub1];
8
- } else {
9
- $value = 0;
10
- }
11
- if ( $value == 1 ) {
12
- return 'checked="checked"';
13
- }
14
- }
15
- if( get_option( $theFieldname ) == '1'){
16
- return 'checked="checked"';
17
- }
18
- }
19
- function jd_checkSelect( $theFieldname, $theValue, $type='select' ) {
20
- if( get_option( $theFieldname ) == $theValue ) {
21
- echo ( $type == 'select' )?'selected="selected"':'checked="checked"';
22
- }
23
- }
24
-
25
-
26
- function jd_check_functions() {
27
- $message = "<div class='update'><ul>";
28
- // grab or set necessary variables
29
- $testurl = get_bloginfo( 'url' );
30
- $shortener = get_option( 'jd_shortener' );
31
- $title = urlencode( 'Your blog home' );
32
- $shrink = jd_shorten_link( $testurl, $title, false, 'true' );
33
- $api_url = $jdwp_api_post_status;
34
- $yourls_URL = "";
35
- if ($shrink == FALSE) {
36
- if ($shortener == 1) {
37
- $error = htmlentities( get_option('wp_supr_error') );
38
- } else if ( $shortener == 2 ) {
39
- $error = htmlentities( get_option('wp_bitly_error') );
40
- } else {
41
- $error = _('No error information is available for your shortener.','wp-to-twitter');
42
- }
43
- $message .= __("<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>",'wp-to-twitter');
44
- $message .= "<li><code>$error</code></li>";
45
- } else {
46
- $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');
47
- $message .= " <a href='$shrink'>$shrink</a></li>";
48
- }
49
- //check twitter credentials
50
- if ( wtt_oauth_test() ) {
51
- $rand = rand(1000000,9999999);
52
- $testpost = jd_doTwitterAPIPost( "This is a test of WP to Twitter. $shrink ($rand)" );
53
- if ($testpost) {
54
- $message .= __("<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>",'wp-to-twitter');
55
- } else {
56
- $error = get_option('jd_status_message');
57
- $message .= __("<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>",'wp-to-twitter');
58
- $message .= "<li class=\"error\">$error</li>";
59
- }
60
- } else {
61
- $message .= "<strong>"._e('You have not connected WordPress to Twitter.','wp-to-twitter')."</strong> ";
62
- }
63
- // If everything's OK, there's no reason to do this again.
64
- if ($testpost == FALSE && $shrink == FALSE ) {
65
- $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');
66
- } else {
67
- }
68
- if ( $testpost && $shrink ) {
69
- $message .= __("<li><strong>Your server should run WP to Twitter successfully.</strong></li>", 'wp-to-twitter');
70
- }
71
- $message .= "</ul>
72
- </div>";
73
- return $message;
74
- }
75
-
76
- function wpt_update_settings() {
77
- wpt_check_version();
78
- if ( !empty($_POST) ) {
79
- $nonce=$_REQUEST['_wpnonce'];
80
- if (! wp_verify_nonce($nonce,'wp-to-twitter-nonce') ) die("Security check failed");
81
- }
82
-
83
- if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'clear-error' ) {
84
- update_option( 'wp_twitter_failure','0' );
85
- update_option( 'wp_url_failure','0' );
86
- update_option( 'jd_status_message','');
87
- $message = __("WP to Twitter Errors Cleared", 'wp-to-twitter');
88
- }
89
-
90
- if ( isset($_POST['oauth_settings'] ) ) {
91
- $oauth_message = jd_update_oauth_settings( false, $_POST );
92
- }
93
-
94
- $wp_twitter_error = FALSE;
95
- $wp_supr_error = FALSE;
96
- $wp_bitly_error = FALSE;
97
- $message = "";
98
-
99
- // SET DEFAULT OPTIONS
100
- if ( get_option( 'twitterInitialised') != '1' ) {
101
- $initial_settings = array(
102
- 'post'=> array(
103
- 'post-published-update'=>1,
104
- 'post-published-text'=>'New post: #title# #url#',
105
- 'post-edited-update'=>1,
106
- 'post-edited-text'=>'Post Edited: #title# #url#'
107
- ),
108
- 'page'=> array(
109
- 'post-published-update'=>0,
110
- 'post-published-text'=>'New page: #title# #url#',
111
- 'post-edited-update'=>0,
112
- 'post-edited-text'=>'Page edited: #title# #url#'
113
- )
114
- );
115
- update_option( 'wpt_post_types', $initial_settings );
116
- update_option( 'jd_twit_blogroll', '1');
117
- update_option( 'newlink-published-text', 'New link: #title# #url#' );
118
- update_option( 'comment-published-update', 0 );
119
- update_option( 'comment-published-text', 'New comment: #title# #url#' );
120
- update_option( 'limit_categories','0' );
121
- update_option( 'jd_shortener', '1' );
122
- update_option( 'jd_strip_nonan', '0' );
123
- update_option('jd_max_tags',3);
124
- update_option('jd_max_characters',15);
125
- update_option('jd_replace_character','_');
126
- update_option('wtt_user_permissions','administrator');
127
- $administrator = get_role('administrator');
128
- $administrator->add_cap('wpt_twitter_oauth');
129
- $administrator->add_cap('wpt_twitter_custom');
130
- $administrator->add_cap('wpt_twitter_switch');
131
- update_option('wtt_show_custom_tweet','administrator');
132
-
133
- update_option( 'jd_twit_remote', '0' );
134
- update_option( 'jd_post_excerpt', 30 );
135
- // Use Google Analytics with Twitter
136
- update_option( 'twitter-analytics-campaign', 'twitter' );
137
- update_option( 'use-twitter-analytics', '0' );
138
- update_option( 'jd_dynamic_analytics','0' );
139
- update_option( 'use_dynamic_analytics','category' );
140
- // Use custom external URLs to point elsewhere.
141
- update_option( 'jd_twit_custom_url', 'external_link' );
142
- // Error checking
143
- update_option( 'wp_twitter_failure','0' );
144
- update_option( 'wp_url_failure','0' );
145
- // Default publishing options.
146
- update_option( 'jd_tweet_default', '0' );
147
- update_option( 'wpt_inline_edits', '0' );
148
- // Note that default options are set.
149
- update_option( 'twitterInitialised', '1' );
150
- //YOURLS API
151
- update_option( 'jd_keyword_format', '0' );
152
- }
153
- if ( get_option( 'twitterInitialised') == '1' && get_option( 'jd_post_excerpt' ) == "" ) {
154
- update_option( 'jd_post_excerpt', 30 );
155
- }
156
-
157
- // notifications from oauth connection
158
- if ( isset($_POST['oauth_settings'] ) ) {
159
- if ( $oauth_message == "success" ) {
160
- print('
161
- <div id="message" class="updated fade">
162
- <p>'.__('WP to Twitter is now connected with Twitter.', 'wp-to-twitter').'</p>
163
- </div>
164
-
165
- ');
166
- } else if ( $oauth_message == "fail" ) {
167
- print('
168
- <div id="message" class="updated fade">
169
- <p>'.__('WP to Twitter failed to connect with Twitter. Try enabling OAuth debugging.', 'wp-to-twitter').'</p>
170
- </div>
171
-
172
- ');
173
- } else if ( $oauth_message == "cleared" ) {
174
- print('
175
- <div id="message" class="updated fade">
176
- <p>'.__('OAuth Authentication Data Cleared.', 'wp-to-twitter').'</p>
177
- </div>
178
-
179
- ');
180
- } else if ( $oauth_message == 'nosync' ) {
181
- print('
182
- <div id="message" class="error fade">
183
- <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>
184
- </div>
185
-
186
- ');
187
- } else {
188
- print('
189
- <div id="message" class="error fade">
190
- <p>'.__('OAuth Authentication response not understood.', 'wp-to-twitter').'</p>
191
- </div>
192
- ');
193
- }
194
- }
195
-
196
- if ( isset( $_POST['submit-type'] ) && $_POST['submit-type'] == 'advanced' ) {
197
- update_option( 'jd_tweet_default', ( isset( $_POST['jd_tweet_default'] ) )?$_POST['jd_tweet_default']:0 );
198
- update_option( 'wpt_inline_edits', ( isset( $_POST['wpt_inline_edits'] ) )?$_POST['wpt_inline_edits']:0 );
199
- update_option( 'jd_twit_remote',( isset( $_POST['jd_twit_remote'] ) )?$_POST['jd_twit_remote']:0 );
200
- update_option( 'jd_twit_custom_url', $_POST['jd_twit_custom_url'] );
201
- update_option( 'jd_strip_nonan', ( isset( $_POST['jd_strip_nonan'] ) )?$_POST['jd_strip_nonan']:0 );
202
- update_option( 'jd_twit_prepend', $_POST['jd_twit_prepend'] );
203
- update_option( 'jd_twit_append', $_POST['jd_twit_append'] );
204
- update_option( 'jd_post_excerpt', $_POST['jd_post_excerpt'] );
205
- update_option( 'jd_max_tags',$_POST['jd_max_tags']);
206
- update_option( 'jd_max_characters',$_POST['jd_max_characters']);
207
- update_option( 'jd_replace_character',$_POST['jd_replace_character']);
208
- update_option( 'jd_date_format',$_POST['jd_date_format'] );
209
- update_option( 'jd_dynamic_analytics',$_POST['jd-dynamic-analytics'] );
210
- update_option( 'use_dynamic_analytics',( isset( $_POST['use-dynamic-analytics'] ) )?$_POST['use-dynamic-analytics']:0 );
211
- update_option( 'use-twitter-analytics', ( isset( $_POST['use-twitter-analytics'] ) )?$_POST['use-twitter-analytics']:0 );
212
- update_option( 'twitter-analytics-campaign', $_POST['twitter-analytics-campaign'] );
213
- update_option( 'jd_individual_twitter_users', $_POST['jd_individual_twitter_users'] );
214
- $wtt_user_permissions = $_POST['wtt_user_permissions'];
215
- $prev = get_option('wtt_user_permissions');
216
- if ( $wtt_user_permissions != $prev ) {
217
- $subscriber = get_role('subscriber'); $subscriber->remove_cap('wpt_twitter_oauth');
218
- $contributor = get_role('contributor'); $contributor->remove_cap('wpt_twitter_oauth');
219
- $author = get_role('author'); $author->remove_cap('wpt_twitter_oauth');
220
- $editor = get_role('editor'); $editor->remove_cap('wpt_twitter_oauth');
221
- switch ( $wtt_user_permissions ) {
222
- case 'subscriber': $subscriber->add_cap('wpt_twitter_oauth'); $contributor->add_cap('wpt_twitter_oauth'); $author->add_cap('wpt_twitter_oauth'); $editor->add_cap('wpt_twitter_oauth'); break;
223
- case 'contributor': $contributor->add_cap('wpt_twitter_oauth'); $author->add_cap('wpt_twitter_oauth'); $editor->add_cap('wpt_twitter_oauth'); break;
224
- case 'author': $author->add_cap('wpt_twitter_oauth'); $editor->add_cap('wpt_twitter_oauth'); break;
225
- case 'editor':$editor->add_cap('wpt_twitter_oauth'); break;
226
- default:
227
- $role = get_role( $wtt_user_permissions );
228
- $role->add_cap('wpt_twitter_oauth');
229
- break;
230
- }
231
- }
232
- update_option( 'wtt_user_permissions',$wtt_user_permissions);
233
-
234
- $wtt_show_custom_tweet = $_POST['wtt_show_custom_tweet'];
235
- $prev = get_option('wtt_show_custom_tweet');
236
- if ( $wtt_show_custom_tweet != $prev ) {
237
- $subscriber = get_role('subscriber'); $subscriber->remove_cap('wpt_twitter_custom');
238
- $contributor = get_role('contributor'); $contributor->remove_cap('wpt_twitter_custom');
239
- $author = get_role('author'); $author->remove_cap('wpt_twitter_custom');
240
- $editor = get_role('editor'); $editor->remove_cap('wpt_twitter_custom');
241
- switch ( $wtt_show_custom_tweet ) {
242
- case 'subscriber': $subscriber->add_cap('wpt_twitter_custom'); $contributor->add_cap('wpt_twitter_custom'); $author->add_cap('wpt_twitter_custom'); $editor->add_cap('wpt_twitter_custom'); break;
243
- case 'contributor': $contributor->add_cap('wpt_twitter_custom'); $author->add_cap('wpt_twitter_custom'); $editor->add_cap('wpt_twitter_custom'); break;
244
- case 'author': $author->add_cap('wpt_twitter_custom'); $editor->add_cap('wpt_twitter_custom'); break;
245
- case 'editor':$editor->add_cap('wpt_twitter_custom'); break;
246
- default:
247
- $role = get_role( $wtt_show_custom_tweet );
248
- $role->add_cap('wpt_twitter_custom');
249
- break;
250
- }
251
- }
252
- update_option( 'wtt_show_custom_tweet',$wtt_show_custom_tweet);
253
-
254
- $wpt_twitter_switch = $_POST['wpt_twitter_switch'];
255
- $prev = get_option('wpt_twitter_switch');
256
- if ( $wpt_twitter_switch != $prev ) {
257
- $subscriber = get_role('subscriber'); $subscriber->remove_cap('wpt_twitter_switch');
258
- $contributor = get_role('contributor'); $contributor->remove_cap('wpt_twitter_switch');
259
- $author = get_role('author'); $author->remove_cap('wpt_twitter_switch');
260
- $editor = get_role('editor'); $editor->remove_cap('wpt_twitter_switch');
261
- switch ( $wpt_twitter_switch ) {
262
- case 'subscriber': $subscriber->add_cap('wpt_twitter_switch'); $contributor->add_cap('wpt_twitter_switch'); $author->add_cap('wpt_twitter_switch'); $editor->add_cap('wpt_twitter_switch'); break;
263
- case 'contributor': $contributor->add_cap('wpt_twitter_switch'); $author->add_cap('wpt_twitter_switch'); $editor->add_cap('wpt_twitter_switch'); break;
264
- case 'author': $author->add_cap('wpt_twitter_switch'); $editor->add_cap('wpt_twitter_switch'); break;
265
- case 'editor':$editor->add_cap('wpt_twitter_switch'); break;
266
- default:
267
- $role = get_role( $wpt_twitter_switch );
268
- $role->add_cap('wpt_twitter_switch');
269
- break;
270
- }
271
- }
272
- update_option( 'wpt_twitter_switch',$wpt_twitter_switch);
273
-
274
- update_option( 'disable_url_failure' , ( isset( $_POST['disable_url_failure'] ) )?$_POST['disable_url_failure']:0 );
275
- update_option( 'disable_twitter_failure' , ( isset( $_POST['disable_twitter_failure'] ) )?$_POST['disable_twitter_failure']:0 );
276
- update_option( 'disable_oauth_notice' , ( isset( $_POST['disable_oauth_notice'] ) )?$_POST['disable_oauth_notice']:0 );
277
- update_option( 'wp_debug_oauth' , ( isset( $_POST['wp_debug_oauth'] ) )?$_POST['wp_debug_oauth']:0 );
278
- update_option( 'wpt_http' , ( isset( $_POST['wpt_http'] ) )?$_POST['wpt_http']:0 );
279
-
280
- update_option( 'jd_donations' , ( isset( $_POST['jd_donations'] ) )?$_POST['jd_donations']:0 );
281
- $wpt_truncation_order = $_POST['wpt_truncation_order'];
282
- update_option( 'wpt_truncation_order', $wpt_truncation_order );
283
- $message .= __( 'WP to Twitter Advanced Options Updated' , 'wp-to-twitter');
284
- }
285
- if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'options' ) {
286
- // UPDATE OPTIONS
287
- $wpt_settings = get_option('wpt_post_types');
288
- foreach($_POST['wpt_post_types'] as $key=>$value) {
289
- $array = array(
290
- 'post-published-update'=>( isset( $value["post-published-update"] ) )?$value["post-published-update"]:"",
291
- 'post-published-text'=>$value["post-published-text"],
292
- 'post-edited-update'=>( isset( $value["post-edited-update"] ) )?$value["post-edited-update"]:"",
293
- 'post-edited-text'=>$value["post-edited-text"]
294
- );
295
- $wpt_settings[$key] = $array;
296
- }
297
- update_option( 'wpt_post_types', $wpt_settings );
298
- update_option( 'newlink-published-text', $_POST['newlink-published-text'] );
299
- update_option( 'jd_twit_blogroll',(isset($_POST['jd_twit_blogroll']) )?$_POST['jd_twit_blogroll']:"" );
300
- update_option( 'comment-published-text', $_POST['comment-published-text'] );
301
- update_option( 'comment-published-update',(isset($_POST['comment-published-update']) )?$_POST['comment-published-update']:"" );
302
- update_option( 'jd_shortener', $_POST['jd_shortener'] );
303
-
304
- if ( get_option( 'jd_shortener' ) == 2 && ( get_option( 'bitlylogin' ) == "" || get_option( 'bitlyapi' ) == "" ) ) {
305
- $message .= __( 'You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly.' , 'wp-to-twitter');
306
- $message .= "<br />";
307
- }
308
- if ( get_option( 'jd_shortener' ) == 6 && ( get_option( 'yourlslogin' ) == "" || get_option( 'yourlsapi' ) == "" || get_option( 'yourlsurl' ) == "" ) ) {
309
- $message .= __( 'You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS.' , 'wp-to-twitter');
310
- $message .= "<br />";
311
- }
312
- if ( get_option( 'jd_shortener' ) == 5 && ( get_option( 'yourlspath' ) == "" ) ) {
313
- $message .= __( 'You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS.' , 'wp-to-twitter');
314
- $message .= "<br />";
315
- }
316
- $message .= __( 'WP to Twitter Options Updated' , 'wp-to-twitter');
317
- }
318
-
319
- if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'setcategories' ) {
320
- if ( isset($_POST['jd_twit_cats']) ) { update_option('jd_twit_cats',1); } else { update_option('jd_twit_cats',0); }
321
- if ( is_array($_POST['categories'])) {
322
- $categories = $_POST['categories'];
323
- update_option('limit_categories','1');
324
- update_option('tweet_categories',$categories);
325
- $message = __("Category limits updated.");
326
- } else {
327
- update_option('limit_categories','0');
328
- update_option('tweet_categories','');
329
- $message = __("Category limits unset.",'wp-to-twitter');
330
- }
331
- }
332
-
333
- if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'yourlsapi' ) {
334
- if ( $_POST['yourlsapi'] != '' && isset( $_POST['submit'] ) ) {
335
- update_option( 'yourlsapi', trim($_POST['yourlsapi']) );
336
- $message = __("YOURLS password updated. ", 'wp-to-twitter');
337
- } else if ( isset( $_POST['clear'] ) ) {
338
- update_option( 'yourlsapi','' );
339
- $message = __( "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS.", 'wp-to-twitter');
340
- } else {
341
- $message = __( "Failed to save your YOURLS password! ", 'wp-to-twitter' );
342
- }
343
- if ( $_POST['yourlslogin'] != '' ) {
344
- update_option( 'yourlslogin', trim($_POST['yourlslogin']) );
345
- $message .= __( "YOURLS username added. ",'wp-to-twitter' );
346
- }
347
- if ( $_POST['yourlsurl'] != '' ) {
348
- update_option( 'yourlsurl', trim($_POST['yourlsurl']) );
349
- $message .= __( "YOURLS API url added. ",'wp-to-twitter' );
350
- } else {
351
- update_option('yourlsurl','');
352
- $message .= __( "YOURLS API url removed. ",'wp-to-twitter' );
353
- }
354
- if ( $_POST['yourlspath'] != '' ) {
355
- update_option( 'yourlspath', trim($_POST['yourlspath']) );
356
- if ( file_exists( $_POST['yourlspath'] ) ) {
357
- $message .= __( "YOURLS local server path added. ",'wp-to-twitter');
358
- } else {
359
- $message .= __( "The path to your YOURLS installation is not correct. ",'wp-to-twitter' );
360
- }
361
- } else {
362
- update_option( 'yourlspath','' );
363
- $message .= __( "YOURLS local server path removed. ",'wp-to-twitter');
364
- }
365
- if ( $_POST['jd_keyword_format'] != '' ) {
366
- update_option( 'jd_keyword_format', $_POST['jd_keyword_format'] );
367
- if ( $_POST['jd_keyword_format'] == 1 ) {
368
- $message .= __( "YOURLS will use Post ID for short URL slug.",'wp-to-twitter');
369
- } else {
370
- $message .= __( "YOURLS will use your custom keyword for short URL slug.",'wp-to-twitter');
371
- }
372
- } else {
373
- update_option( 'jd_keyword_format','' );
374
- $message .= __( "YOURLS will not use Post ID for the short URL slug.",'wp-to-twitter');
375
- }
376
- }
377
-
378
- if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'suprapi' ) {
379
- if ( $_POST['suprapi'] != '' && isset( $_POST['submit'] ) ) {
380
- update_option( 'suprapi', trim($_POST['suprapi']) );
381
- update_option( 'suprlogin', trim($_POST['suprlogin']) );
382
- $message = __("Su.pr API Key and Username Updated", 'wp-to-twitter');
383
- } else if ( isset( $_POST['clear'] ) ) {
384
- update_option( 'suprapi','' );
385
- update_option( 'suprlogin','' );
386
- $message = __("Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. ", 'wp-to-twitter');
387
- } else {
388
- $message = __("Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! ", 'wp-to-twitter');
389
- }
390
- }
391
- if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'bitlyapi' ) {
392
- if ( $_POST['bitlyapi'] != '' && isset( $_POST['submit'] ) ) {
393
- update_option( 'bitlyapi', trim($_POST['bitlyapi']) );
394
- $message = __("Bit.ly API Key Updated.", 'wp-to-twitter');
395
- } else if ( isset( $_POST['clear'] ) ) {
396
- update_option( 'bitlyapi','' );
397
- $message = __("Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. ", 'wp-to-twitter');
398
- } else {
399
- $message = __("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.", 'wp-to-twitter');
400
- }
401
- if ( $_POST['bitlylogin'] != '' && isset( $_POST['submit'] ) ) {
402
- update_option( 'bitlylogin', trim($_POST['bitlylogin']) );
403
- $message .= __(" Bit.ly User Login Updated.", 'wp-to-twitter');
404
- } else if ( isset( $_POST['clear'] ) ) {
405
- update_option( 'bitlylogin','' );
406
- $message = __("Bit.ly User Login deleted. You cannot use the Bit.ly API without providing your username. ", 'wp-to-twitter');
407
- } else {
408
- $message = __("Bit.ly Login not added - <a href='http://bit.ly/account/'>get one here</a>! ", 'wp-to-twitter');
409
- }
410
- }
411
- // Check whether the server has supported for needed functions.
412
- if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'check-support' ) {
413
- $message = jd_check_functions();
414
- }
415
- ?>
416
- <div class="wrap" id="wp-to-twitter">
417
- <?php wpt_marginal_function(); ?>
418
- <?php if ( $message ) { ?>
419
- <div id="message" class="updated fade"><?php echo $message; ?></div>
420
- <?php } ?>
421
- <?php if ( get_option( 'wp_twitter_failure' ) != '0' || get_option( 'wp_url_failure' ) == '1' ) { ?>
422
- <div class="error">
423
- <?php if ( get_option( 'wp_twitter_failure' ) == '1' ) {
424
- _e("<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>", 'wp-to-twitter');
425
- }
426
- if ( get_option( 'jd_status_message' ) != '' ) {
427
- echo "<p><strong>".get_option( 'jd_status_message' )."</strong></p>";
428
- }
429
- if ( get_option( 'wp_twitter_failure' ) == '2') {
430
- echo "<p>".__("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. ", 'wp-to-twitter')."</p>";
431
- }
432
- if ( get_option( 'wp_url_failure' ) == '1' ) {
433
- _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');
434
- } ?>
435
- <?php $admin_url = ( is_plugin_active('wp-tweets-pro/wpt-pro-functions.php') )?admin_url('admin.php?page=wp-tweets-pro'):admin_url('options-general.php?page=wp-to-twitter/wp-to-twitter.php'); ?>
436
- <form method="post" action="<?php echo $admin_url; ?>">
437
- <div><input type="hidden" name="submit-type" value="clear-error" /></div>
438
- <?php $nonce = wp_nonce_field('wp-to-twitter-nonce', '_wpnonce', true, false).wp_referer_field(false); echo "<div>$nonce</div>"; ?>
439
- <p><input type="submit" name="submit" value="<?php _e("Clear 'WP to Twitter' Error Messages", 'wp-to-twitter'); ?>" class="button-primary" /></p>
440
- </form>
441
- </div>
442
- <?php
443
- }
444
- ?>
445
- <?php if (isset($_GET['export']) && $_GET['export'] == "settings") { print_settings(); } ?>
446
- <h2><?php _e("WP to Twitter Options", 'wp-to-twitter'); ?></h2>
447
- <div id="wpt_settings_page" class="postbox-container" style="width: 70%">
448
-
449
- <?php $wp_to_twitter_directory = get_bloginfo( 'wpurl' ) . '/' . PLUGINDIR . '/' . dirname( plugin_basename(__FILE__) ); ?>
450
-
451
- <div class="metabox-holder">
452
-
453
- <?php if (function_exists('wtt_connect_oauth') ) { wtt_connect_oauth(); } ?>
454
-
455
- <?php if (function_exists( 'wpt_pro_functions' ) ) { wpt_pro_functions(); } ?>
456
- <div class="ui-sortable meta-box-sortables">
457
- <div class="postbox">
458
-
459
- <h3><?php _e('Basic Settings','wp-to-twitter'); ?></h3>
460
- <div class="inside">
461
- <form method="post" action="">
462
- <?php $nonce = wp_nonce_field('wp-to-twitter-nonce', '_wpnonce', true, false).wp_referer_field(false); echo "<div>$nonce</div>"; ?>
463
- <div>
464
- <input type="submit" name="submit" value="<?php _e("Save WP->Twitter Options", 'wp-to-twitter'); ?>" class="button-primary button-side" />
465
- <?php
466
- $post_types = get_post_types( '', 'names' );
467
- $wpt_settings = get_option('wpt_post_types');
468
-
469
- foreach( $post_types as $type ) {
470
- if ( $type == 'attachment' || $type == 'nav_menu_item' || $type == 'revision' ) {
471
-
472
- } else {
473
- $vowels = array( 'a','e','i','o','u' );
474
- foreach ( $vowels as $vowel ) {
475
- if ( strpos($type, $vowel ) === 0 ) { $word = 'an'; break; } else { $word = 'a'; }
476
- }
477
- ?>
478
- <fieldset class='wpt_types'>
479
- <legend><?php _e("Settings for type '$type'",'wp-to-twitter' ); ?></legend>
480
- <p>
481
- <input type="checkbox" name="wpt_post_types[<?php echo $type; ?>][post-published-update]" id="<?php echo $type; ?>-post-published-update" value="1" <?php echo jd_checkCheckbox('wpt_post_types',$type,'post-published-update')?> />
482
- <label for="<?php echo $type; ?>-post-published-update"><strong><?php _e("Update when $word $type is published", 'wp-to-twitter'); ?></strong></label> <label for="<?php echo $type; ?>-post-published-text"><br /><?php _e("Text for new $type updates:", 'wp-to-twitter'); ?></label><br /><input type="text" name="wpt_post_types[<?php echo $type; ?>][post-published-text]" id="<?php echo $type; ?>-post-published-text" size="60" maxlength="120" value="<?php if ( isset( $wpt_settings[$type] ) ) { echo esc_attr( stripslashes( $wpt_settings[$type]['post-published-text'] ) ); } ?>" />
483
- </p>
484
- <p>
485
- <input type="checkbox" name="wpt_post_types[<?php echo $type; ?>][post-edited-update]" id="<?php echo $type; ?>-post-edited-update" value="1" <?php echo jd_checkCheckbox('wpt_post_types',$type,'post-edited-update')?> />
486
- <label for="<?php echo $type; ?>-post-edited-update"><strong><?php _e("Update when $word $type is edited", 'wp-to-twitter'); ?></strong></label><br /><label for="<?php echo $type; ?>-post-edited-text"><?php _e("Text for $type editing updates:", 'wp-to-twitter'); ?></label><br /><input type="text" name="wpt_post_types[<?php echo $type; ?>][post-edited-text]" id="<?php echo $type; ?>-post-edited-text" size="60" maxlength="120" value="<?php if ( isset( $wpt_settings[$type] ) ) { echo esc_attr( stripslashes( $wpt_settings[$type]['post-edited-text'] ) ); } ?>" />
487
- </p>
488
- </fieldset>
489
- <?php
490
- }
491
- }
492
- ?>
493
- <fieldset class="comments">
494
- <legend><?php _e('Settings for Comments','wp-to-twitter'); ?></legend>
495
- <p>
496
- <input type="checkbox" name="comment-published-update" id="comment-published-update" value="1" <?php echo jd_checkCheckbox('comment-published-update')?> />
497
- <label for="comment-published-update"><strong><?php _e("Update Twitter when new comments are posted", 'wp-to-twitter'); ?></strong></label><br />
498
- <label for="comment-published-text"><?php _e("Text for new comments:", 'wp-to-twitter'); ?></label> <input type="text" name="comment-published-text" id="comment-published-text" size="60" maxlength="120" value="<?php echo ( esc_attr( stripslashes( get_option( 'comment-published-text' ) ) ) ); ?>" />
499
- </p>
500
- <p><?php _e('In addition to the above short tags, comment templates can use <code>#commenter#</code> to post the commenter\'s provided name in the Tweet. <strong>Use this feature at your own risk</strong>, as it provides the ability for anybody who can post a comment on your site to post a phrase of their choice in your Twitter stream.','wp-to-twitter'); ?>
501
- </fieldset>
502
- <fieldset>
503
- <legend><?php _e('Settings for Links','wp-to-twitter'); ?></legend>
504
- <p>
505
- <input type="checkbox" name="jd_twit_blogroll" id="jd_twit_blogroll" value="1" <?php echo jd_checkCheckbox('jd_twit_blogroll')?> />
506
- <label for="jd_twit_blogroll"><strong><?php _e("Update Twitter when you post a Blogroll link", 'wp-to-twitter'); ?></strong></label><br />
507
- <label for="newlink-published-text"><?php _e("Text for new link updates:", 'wp-to-twitter'); ?></label> <input type="text" name="newlink-published-text" id="newlink-published-text" size="60" maxlength="120" value="<?php echo ( esc_attr( stripslashes( get_option( 'newlink-published-text' ) ) ) ); ?>" /><br /><small><?php _e('Available shortcodes: <code>#url#</code>, <code>#title#</code>, and <code>#description#</code>.','wp-to-twitter'); ?></small>
508
- </p>
509
- </fieldset>
510
- <fieldset>
511
- <legend><?php _e("Choose your short URL service (account settings below)",'wp-to-twitter' ); ?></legend>
512
- <p>
513
- <select name="jd_shortener" id="jd_shortener">
514
- <option value="3" <?php jd_checkSelect('jd_shortener','3'); ?>><?php _e("Don't shorten URLs.", 'wp-to-twitter'); ?></option>
515
- <option value="7" <?php jd_checkSelect('jd_shortener','7'); ?>><?php _e("Use Su.pr for my URL shortener.", 'wp-to-twitter'); ?></option>
516
- <option value="2" <?php jd_checkSelect('jd_shortener','2'); ?>><?php _e("Use Bit.ly for my URL shortener.", 'wp-to-twitter'); ?></option>
517
- <option value="8" <?php jd_checkSelect('jd_shortener','8'); ?>><?php _e("Use Goo.gl as a URL shortener.", 'wp-to-twitter'); ?></option>
518
- <option value="5" <?php jd_checkSelect('jd_shortener','5'); ?>><?php _e("YOURLS (installed on this server)", 'wp-to-twitter'); ?></option>
519
- <option value="6" <?php jd_checkSelect('jd_shortener','6'); ?>><?php _e("YOURLS (installed on a remote server)", 'wp-to-twitter'); ?></option>
520
- <option value="4" <?php jd_checkSelect('jd_shortener','4'); ?>><?php _e("Use WordPress as a URL shortener.", 'wp-to-twitter'); ?></option>
521
- </select><br />
522
- <small><?php _e("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.", 'wp-to-twitter'); ?></small>
523
- </p>
524
- </fieldset>
525
- <div>
526
- <input type="hidden" name="submit-type" value="options" />
527
- </div>
528
- <input type="submit" name="submit" value="<?php _e("Save WP->Twitter Options", 'wp-to-twitter'); ?>" class="button-primary" />
529
- </div>
530
- </form>
531
- </div>
532
- </div>
533
- </div>
534
- <div class="ui-sortable meta-box-sortables">
535
- <div class="postbox">
536
-
537
- <h3><?php _e('<abbr title="Uniform Resource Locator">URL</abbr> Shortener Account Settings','wp-to-twitter'); ?></h3>
538
-
539
- <div class="inside">
540
- <div class="panel">
541
- <h4 class="supr"><span><?php _e("Your Su.pr account details", 'wp-to-twitter'); ?></span></h4>
542
-
543
- <form method="post" action="">
544
- <div>
545
- <p>
546
- <label for="suprlogin"><?php _e("Your Su.pr Username:", 'wp-to-twitter'); ?></label>
547
- <input type="text" name="suprlogin" id="suprlogin" size="40" value="<?php echo ( esc_attr( get_option( 'suprlogin' ) ) ) ?>" />
548
- </p>
549
- <p>
550
- <label for="suprapi"><?php _e("Your Su.pr <abbr title='application programming interface'>API</abbr> Key:", 'wp-to-twitter'); ?></label>
551
- <input type="text" name="suprapi" id="suprapi" size="40" value="<?php echo ( esc_attr( get_option( 'suprapi' ) ) ) ?>" />
552
- </p>
553
- <div>
554
- <input type="hidden" name="submit-type" value="suprapi" />
555
- </div>
556
- <?php $nonce = wp_nonce_field('wp-to-twitter-nonce', '_wpnonce', true, false).wp_referer_field(false); echo "<div>$nonce</div>"; ?>
557
- <p><input type="submit" name="submit" value="Save Su.pr API Key" class="button-primary" /> <input type="submit" name="clear" value="Clear Su.pr API Key" />&raquo; <small><?php _e("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.", 'wp-to-twitter'); ?></small></p>
558
- </div>
559
- </form>
560
- </div>
561
- <div class="panel">
562
- <h4 class="bitly"><span><?php _e("Your Bit.ly account details", 'wp-to-twitter'); ?></span></h4>
563
- <form method="post" action="">
564
- <div>
565
- <p>
566
- <label for="bitlylogin"><?php _e("Your Bit.ly username:", 'wp-to-twitter'); ?></label>
567
- <input type="text" name="bitlylogin" id="bitlylogin" value="<?php echo ( esc_attr( get_option( 'bitlylogin' ) ) ) ?>" />
568
- <br /><small><?php _e('This must be a standard Bit.ly account. Your Twitter or Facebook log-in will not work.','wp-to-twitter'); ?></small></p>
569
- <p>
570
- <label for="bitlyapi"><?php _e("Your Bit.ly <abbr title='application programming interface'>API</abbr> Key:", 'wp-to-twitter'); ?></label>
571
- <input type="text" name="bitlyapi" id="bitlyapi" size="40" value="<?php echo ( esc_attr( get_option( 'bitlyapi' ) ) ) ?>" />
572
- </p>
573
-
574
- <div>
575
- <input type="hidden" name="submit-type" value="bitlyapi" />
576
- </div>
577
- <?php $nonce = wp_nonce_field('wp-to-twitter-nonce', '_wpnonce', true, false).wp_referer_field(false); echo "<div>$nonce</div>"; ?>
578
- <p><input type="submit" name="submit" value="<?php _e('Save Bit.ly API Key','wp-to-twitter'); ?>" class="button-primary" /> <input type="submit" name="clear" value="<?php _e('Clear Bit.ly API Key','wp-to-twitter'); ?>" /><br /><small><?php _e("A Bit.ly API key and username is required to shorten URLs via the Bit.ly API and WP to Twitter.", 'wp-to-twitter' ); ?></small></p>
579
- </div>
580
- </form>
581
- </div>
582
- <div class="panel">
583
- <h4 class="yourls"><span><?php _e("Your YOURLS account details", 'wp-to-twitter'); ?></span></h4>
584
- <form method="post" action="">
585
- <div>
586
- <p>
587
- <label for="yourlspath"><?php _e('Path to your YOURLS config file (Local installations)','wp-to-twitter'); ?></label> <input type="text" id="yourlspath" name="yourlspath" size="60" value="<?php echo ( esc_attr( get_option( 'yourlspath' ) ) ); ?>"/>
588
- <small><?php _e('Example:','wp-to-twitter'); ?> <code>/home/username/www/www/yourls/includes/config.php</code></small>
589
- </p>
590
- <p>
591
- <label for="yourlsurl"><?php _e('URI to the YOURLS API (Remote installations)','wp-to-twitter'); ?></label> <input type="text" id="yourlsurl" name="yourlsurl" size="60" value="<?php echo ( esc_attr( get_option( 'yourlsurl' ) ) ); ?>"/>
592
- <small><?php _e('Example:','wp-to-twitter'); ?> <code>http://domain.com/yourls-api.php</code></small>
593
- </p>
594
- <p>
595
- <label for="yourlslogin"><?php _e("Your YOURLS username:", 'wp-to-twitter'); ?></label>
596
- <input type="text" name="yourlslogin" id="yourlslogin" size="30" value="<?php echo ( esc_attr( get_option( 'yourlslogin' ) ) ) ?>" />
597
- </p>
598
- <p>
599
- <label for="yourlsapi"><?php _e("Your YOURLS password:", 'wp-to-twitter'); ?> <?php if ( get_option( 'yourlsapi' ) != '') { _e("<em>Saved</em>",'wp-to-twitter'); } ?></label>
600
- <input type="password" name="yourlsapi" id="yourlsapi" size="30" value="" />
601
- </p>
602
- <p>
603
- <input type="radio" name="jd_keyword_format" id="jd_keyword_id" value="1" <?php jd_checkSelect( 'jd_keyword_format',1,'checkbox' ); ?> /> <label for="jd_keyword_id"><?php _e("Post ID for YOURLS url slug.",'wp-to-twitter'); ?></label><br />
604
- <input type="radio" name="jd_keyword_format" id="jd_keyword" value="2" <?php jd_checkSelect( 'jd_keyword_format',2,'checkbox' ); ?> /> <label for="jd_keyword"><?php _e("Custom keyword for YOURLS url slug.",'wp-to-twitter'); ?></label><br />
605
- <input type="radio" name="jd_keyword_format" id="jd_keyword_default" value="0" <?php jd_checkSelect( 'jd_keyword_format',0,'checkbox' ); ?> /> <label for="jd_keyword_default"><?php _e("Default: sequential URL numbering.",'wp-to-twitter'); ?></label>
606
- </p>
607
- <div>
608
- <input type="hidden" name="submit-type" value="yourlsapi" />
609
- </div>
610
- <?php $nonce = wp_nonce_field('wp-to-twitter-nonce', '_wpnonce', true, false).wp_referer_field(false); echo "<div>$nonce</div>"; ?>
611
- <p><input type="submit" name="submit" value="<?php _e('Save YOURLS Account Info','wp-to-twitter'); ?>" class="button-primary" /> <input type="submit" name="clear" value="<?php _e('Clear YOURLS password','wp-to-twitter'); ?>" /><br /><small><?php _e("A YOURLS password and username is required to shorten URLs via the remote YOURLS API and WP to Twitter.", 'wp-to-twitter' ); ?></small></p>
612
- </div>
613
- </form>
614
- </div>
615
-
616
- </div>
617
- </div>
618
- </div>
619
-
620
- <div class="ui-sortable meta-box-sortables">
621
- <div class="postbox">
622
- <h3><?php _e('Advanced Settings','wp-to-twitter'); ?></h3>
623
- <div class="inside">
624
- <form method="post" action="">
625
- <div>
626
- <?php $nonce = wp_nonce_field('wp-to-twitter-nonce', '_wpnonce', true, false).wp_referer_field(false); echo "<div>$nonce</div>"; ?>
627
- <input type="submit" name="submit" value="<?php _e("Save Advanced WP->Twitter Options", 'wp-to-twitter'); ?>" class="button-primary button-side" />
628
- <fieldset>
629
- <legend><?php _e("Advanced Tweet settings","wp-to-twitter"); ?></legend>
630
- <p>
631
- <input type="checkbox" name="jd_strip_nonan" id="jd_strip_nonan" value="1" <?php echo jd_checkCheckbox('jd_strip_nonan'); ?> /> <label for="jd_strip_nonan"><?php _e("Strip nonalphanumeric characters from tags",'wp-to-twitter'); ?></label><br />
632
- <label for="jd_replace_character"><?php _e("Spaces in tags replaced with:",'wp-to-twitter'); ?></label> <input type="text" name="jd_replace_character" id="jd_replace_character" value="<?php echo esc_attr( get_option('jd_replace_character') ); ?>" size="3" /><br />
633
-
634
- <small><?php _e("Default replacement is an underscore (<code>_</code>). Use <code>[ ]</code> to remove spaces entirely.",'wp-to-twitter'); ?></small>
635
- </p>
636
- <p>
637
- <label for="jd_max_tags"><?php _e("Maximum number of tags to include:",'wp-to-twitter'); ?></label> <input type="text" name="jd_max_tags" id="jd_max_tags" value="<?php echo esc_attr( get_option('jd_max_tags') ); ?>" size="3" />
638
- <label for="jd_max_characters"><?php _e("Maximum length in characters for included tags:",'wp-to-twitter'); ?></label> <input type="text" name="jd_max_characters" id="jd_max_characters" value="<?php echo esc_attr( get_option('jd_max_characters') ); ?>" size="3" /><br />
639
- <small><?php _e("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.",'wp-to-twitter'); ?></small>
640
- </p>
641
- <p>
642
- <label for="jd_post_excerpt"><?php _e("Length of post excerpt (in characters):", 'wp-to-twitter'); ?></label> <input type="text" name="jd_post_excerpt" id="jd_post_excerpt" size="3" maxlength="3" value="<?php echo ( esc_attr( get_option( 'jd_post_excerpt' ) ) ) ?>" /><br /><small><?php _e("By default, extracted from the post itself. If you use the 'Excerpt' field, that will be used instead.", 'wp-to-twitter'); ?></small>
643
- </p>
644
- <p>
645
- <label for="jd_date_format"><?php _e("WP to Twitter Date Formatting:", 'wp-to-twitter'); ?></label> <input type="text" name="jd_date_format" id="jd_date_format" size="12" maxlength="12" value="<?php if (get_option('jd_date_format')=='') { echo ( esc_attr( get_option('date_format') ) ); } else { echo ( esc_attr( get_option( 'jd_date_format' ) ) ); }?>" /> (<?php if ( get_option( 'jd_date_format' ) != '' ) { echo date_i18n( get_option( 'jd_date_format' ) ); } else { echo "<em>".date_i18n( get_option( 'date_format' ) )."</em>"; } ?>)<br />
646
- <small><?php _e("Default is from your general settings. <a href='http://codex.wordpress.org/Formatting_Date_and_Time'>Date Formatting Documentation</a>.", 'wp-to-twitter'); ?></small>
647
- </p>
648
-
649
- <p>
650
- <label for="jd_twit_prepend"><?php _e("Custom text before all Tweets:", 'wp-to-twitter'); ?></label> <input type="text" name="jd_twit_prepend" id="jd_twit_prepend" size="20" maxlength="20" value="<?php echo ( esc_attr( get_option( 'jd_twit_prepend' ) ) ) ?>" />
651
- <label for="jd_twit_append"><?php _e("Custom text after all Tweets:", 'wp-to-twitter'); ?></label> <input type="text" name="jd_twit_append" id="jd_twit_append" size="20" maxlength="20" value="<?php echo ( esc_attr( get_option( 'jd_twit_append' ) ) ) ?>" />
652
- </p>
653
- <p>
654
- <label for="jd_twit_custom_url"><?php _e("Custom field for an alternate URL to be shortened and Tweeted:", 'wp-to-twitter'); ?></label> <input type="text" name="jd_twit_custom_url" id="jd_twit_custom_url" size="40" maxlength="120" value="<?php echo ( esc_attr( get_option( 'jd_twit_custom_url' ) ) ) ?>" /><br />
655
- <small><?php _e("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.", 'wp-to-twitter'); ?></small>
656
- </p>
657
- <?php
658
- $inputs = '';
659
- $default_order = array(
660
- 'excerpt'=>0,
661
- 'title'=>1,
662
- 'date'=>2,
663
- 'category'=>3,
664
- 'blogname'=>4,
665
- 'author'=>5,
666
- 'account'=>6,
667
- 'tags'=>7 );
668
- $preferred_order = get_option( 'wpt_truncation_order' );
669
- if ( is_array( $preferred_order ) ) { $default_order = $preferred_order; }
670
- asort($default_order);
671
- foreach ( $default_order as $k=>$v ) {
672
- $label = ucfirst($k);
673
- $inputs .= "<input type='text' size='2' value='$v' name='wpt_truncation_order[$k]' /> <label for='$k-$v'>$label</label><br />";
674
- }
675
- ?>
676
- <fieldset>
677
- <legend><?php _e('Preferred status update truncation sequence','wp-to-twitter'); ?></legend>
678
- <p>
679
- <?php echo $inputs; ?>
680
- <small><?php _e('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.','wp-to-twitter'); ?></small>
681
- </p>
682
- </fieldset>
683
- </fieldset>
684
- <fieldset>
685
- <legend><?php _e( "Special Cases when WordPress should send a Tweet",'wp-to-twitter' ); ?></legend>
686
- <p>
687
- <input type="checkbox" name="jd_tweet_default" id="jd_tweet_default" value="1" <?php echo jd_checkCheckbox('jd_tweet_default')?> />
688
- <label for="jd_tweet_default"><?php _e("Do not post Tweets by default", 'wp-to-twitter'); ?></label><br />
689
- <small><?php _e("By default, all posts meeting other requirements will be posted to Twitter. Check this to change your setting.", 'wp-to-twitter'); ?></small>
690
- </p>
691
- <p>
692
- <input type="checkbox" name="wpt_inline_edits" id="wpt_inline_edits" value="1" <?php echo jd_checkCheckbox('wpt_inline_edits')?> />
693
- <label for="wpt_inline_edits"><?php _e("Allow status updates from Quick Edit", 'wp-to-twitter'); ?></label><br />
694
- <small><?php _e("If checked, all posts edited individually or in bulk through the Quick Edit feature will be Tweeted.", 'wp-to-twitter'); ?></small>
695
-
696
- </p>
697
- <?php if ( function_exists( 'wpt_pro_exists') && get_option( 'wpt_delay_tweets' ) > 0 ) {
698
- $r_disabled = " disabled='disabled'";
699
- $r_message = "<em>".__('Delaying tweets with WP Tweets PRO moves Tweeting to an publishing-independent action.','wp-to-twitter' )."</em>";
700
- } else {
701
- $r_disabled = '';
702
- $r_message = '';
703
- } ?>
704
- <p>
705
- <input type="checkbox"<?php echo $r_disabled; ?> name="jd_twit_remote" id="jd_twit_remote" value="1" <?php echo jd_checkCheckbox('jd_twit_remote')?> />
706
- <label for="jd_twit_remote"><?php _e("Send Twitter Updates on remote publication (Post by Email or XMLRPC Client)", 'wp-to-twitter'); ?></label><br />
707
- <?php echo $r_message; ?>
708
- </p>
709
- </fieldset>
710
- <fieldset>
711
- <legend><?php _e( "Google Analytics Settings",'wp-to-twitter' ); ?></legend>
712
- <p><?php _e("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.","wp-to-twitter"); ?></p>
713
-
714
- <p>
715
- <input type="checkbox" name="use-twitter-analytics" id="use-twitter-analytics" value="1" <?php echo jd_checkCheckbox('use-twitter-analytics')?> />
716
- <label for="use-twitter-analytics"><?php _e("Use a Static Identifier with WP-to-Twitter", 'wp-to-twitter'); ?></label><br />
717
- <label for="twitter-analytics-campaign"><?php _e("Static Campaign identifier for Google Analytics:", 'wp-to-twitter'); ?></label> <input type="text" name="twitter-analytics-campaign" id="twitter-analytics-campaign" size="40" maxlength="120" value="<?php echo ( esc_attr( get_option( 'twitter-analytics-campaign' ) ) ) ?>" /><br />
718
- </p>
719
- <p>
720
- <input type="checkbox" name="use-dynamic-analytics" id="use-dynamic-analytics" value="1" <?php echo jd_checkCheckbox('use_dynamic_analytics')?> />
721
- <label for="use-dynamic-analytics"><?php _e("Use a dynamic identifier with Google Analytics and WP-to-Twitter", 'wp-to-twitter'); ?></label><br />
722
- <label for="jd-dynamic-analytics"><?php _e("What dynamic identifier would you like to use?","wp-to-twitter"); ?></label>
723
- <select name="jd-dynamic-analytics" id="jd-dynamic-analytics">
724
- <option value="post_category"<?php jd_checkSelect( 'jd_dynamic_analytics','post_category'); ?>><?php _e("Category","wp-to-twitter"); ?></option>
725
- <option value="post_ID"<?php jd_checkSelect( 'jd_dynamic_analytics','post_ID'); ?>><?php _e("Post ID","wp-to-twitter"); ?></option>
726
- <option value="post_title"<?php jd_checkSelect( 'jd_dynamic_analytics','post_title'); ?>><?php _e("Post Title","wp-to-twitter"); ?></option>
727
- <option value="post_author"<?php jd_checkSelect( 'jd_dynamic_analytics','post_author'); ?>><?php _e("Author","wp-to-twitter"); ?></option>
728
- </select><br />
729
- </p>
730
- </fieldset>
731
- <fieldset id="indauthors">
732
- <legend><?php _e('Individual Authors','wp-to-twitter'); ?></legend>
733
- <p>
734
- <input type="checkbox" name="jd_individual_twitter_users" id="jd_individual_twitter_users" value="1" <?php echo jd_checkCheckbox('jd_individual_twitter_users')?> />
735
- <label for="jd_individual_twitter_users"><?php _e("Authors have individual Twitter accounts", 'wp-to-twitter'); ?></label><br /><small><?php _e('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.', 'wp-to-twitter'); ?></small>
736
- </p>
737
- <?php
738
- global $wp_roles;
739
- $roles = $wp_roles->get_names();
740
- $options = '';
741
- $permissions = '';
742
- $switcher = '';
743
- foreach ( $roles as $role=>$rolename ) {
744
- $permissions .= ($role !='subscriber')?"<option value='$role'".wtt_option_selected(get_option('wtt_user_permissions'),$role,'option').">$rolename</option>\n":'';
745
- $options .= ($role !='subscriber')?"<option value='$role'".wtt_option_selected(get_option('wtt_show_custom_tweet'),$role,'option').">$rolename</option>\n":'';
746
- $switcher .= ($role !='subscriber')?"<option value='$role'".wtt_option_selected(get_option('wpt_twitter_switch'),$role,'option').">$rolename</option>\n":'';
747
- }
748
- ?>
749
- <p>
750
- <label for="wtt_user_permissions"><?php _e('Choose the lowest user group that can add their Twitter information','wp-to-twitter'); ?></label> <select id="wtt_user_permissions" name="wtt_user_permissions">
751
- <?php echo $permissions; ?>
752
- </select>
753
- </p>
754
- <p>
755
- <label for="wtt_show_custom_tweet"><?php _e('Choose the lowest user group that can see the Custom Tweet options when posting','wp-to-twitter'); ?></label> <select id="wtt_show_custom_tweet" name="wtt_show_custom_tweet">
756
- <?php echo $options; ?>
757
- </select>
758
- </p>
759
- <p>
760
- <label for="wpt_twitter_switch"><?php _e('User groups above this can toggle the Tweet/Don\'t Tweet option, but not see other custom tweet options.','wp-to-twitter'); ?></label> <select id="wpt_twitter_switch" name="wpt_twitter_switch">
761
- <?php echo $switcher; ?>
762
- </select>
763
- </p>
764
- </fieldset>
765
- <fieldset>
766
- <legend><?php _e('Disable Error Messages','wp-to-twitter'); ?></legend>
767
- <ul>
768
- <li><input type="checkbox" name="disable_url_failure" id="disable_url_failure" value="1" <?php echo jd_checkCheckbox('disable_url_failure')?> /> <label for="disable_url_failure"><?php _e("Disable global URL shortener error messages.", 'wp-to-twitter'); ?></label></li>
769
- <li><input type="checkbox" name="disable_twitter_failure" id="disable_twitter_failure" value="1" <?php echo jd_checkCheckbox('disable_twitter_failure')?> /> <label for="disable_twitter_failure"><?php _e("Disable global Twitter API error messages.", 'wp-to-twitter'); ?></label></li>
770
- <li><input type="checkbox" name="disable_oauth_notice" id="disable_oauth_notice" value="1" <?php echo jd_checkCheckbox('disable_oauth_notice')?> /> <label for="disable_oauth_notice"><?php _e("Disable notification to implement OAuth", 'wp-to-twitter'); ?></label></li>
771
- <li><input type="checkbox" name="wp_debug_oauth" id="wp_debug_oauth" value="1" <?php echo jd_checkCheckbox('wp_debug_oauth')?> />
772
- <label for="wp_debug_oauth"><?php _e("Get Debugging Data for OAuth Connection", 'wp-to-twitter'); ?></label></li>
773
- <li><input type="checkbox" name="wpt_http" id="wpt_http" value="1" <?php echo jd_checkCheckbox('wpt_http')?> />
774
- <label for="wpt_http"><?php _e("Switch to <code>http</code> connection. (Default is https)", 'wp-to-twitter'); ?></label></li>
775
- <li><input type="checkbox" name="jd_donations" id="jd_donations" value="1" <?php echo jd_checkCheckbox('jd_donations')?> />
776
- <label for="jd_donations"><strong><?php _e("I made a donation, so stop whinging at me, please.", 'wp-to-twitter'); ?></strong></label></li>
777
- </ul>
778
- </fieldset>
779
- <div>
780
- <input type="hidden" name="submit-type" value="advanced" />
781
- </div>
782
- <input type="submit" name="submit" value="<?php _e("Save Advanced WP->Twitter Options", 'wp-to-twitter'); ?>" class="button-primary" />
783
- </div>
784
- </form>
785
- </div>
786
- </div>
787
- </div>
788
- <div class="ui-sortable meta-box-sortables">
789
- <div class="postbox categories">
790
- <h3><?php _e('Limit Updating Categories','wp-to-twitter'); ?></h3>
791
- <div class="inside">
792
- <p>
793
- <?php _e('If no categories are checked, limiting by category will be ignored, and all categories will be Tweeted.','wp-to-twitter'); ?>
794
- <?php if ( get_option('limit_categories') == '0' ) { _e('<em>Category limits are disabled.</em>','wp-to-twitter'); } ?>
795
- </p>
796
- <?php jd_list_categories(); ?>
797
-
798
- </div>
799
- </div>
800
- </div>
801
-
802
- <div class="postbox" id="get-support">
803
- <h3><?php _e('Get Plug-in Support','wp-to-twitter'); ?></h3>
804
- <div class="inside">
805
- <?php if ( !function_exists( 'wpt_pro_exists' ) ) { ?>
806
- <p><?php _e('Support requests without a donation will not be answered, but will be treated as bug reports.','wp-to-twitter'); ?></p>
807
- <?php } ?>
808
- <?php wpt_get_support_form(); ?>
809
- </div>
810
- </div>
811
-
812
- <form method="post" action="">
813
- <fieldset>
814
- <input type="hidden" name="submit-type" value="check-support" />
815
- <?php $nonce = wp_nonce_field('wp-to-twitter-nonce', '_wpnonce', true, false).wp_referer_field(false); echo "<div>$nonce</div>"; ?>
816
- <p>
817
- <input type="submit" name="submit" value="<?php _e('Check Support','wp-to-twitter'); ?>" class="button-primary" /> <?php _e('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.','wp-to-twitter'); ?>
818
- </p>
819
- </fieldset>
820
- </form>
821
- </div>
822
- </div>
823
- <div class="postbox-container" style="width:20%">
824
- <div class="metabox-holder">
825
- <div class="ui-sortable meta-box-sortables">
826
- <div class="postbox">
827
- <?php if ( !function_exists( 'wpt_pro_exists' ) ) { ?>
828
- <h3><strong><?php _e('Support WP to Twitter','wp-to-twitter'); ?></strong></h3>
829
- <?php } else { ?>
830
- <h3><strong><?php _e('WP to Twitter Support','wp-to-twitter'); ?></strong></h3>
831
- <?php } ?>
832
- <div class="inside resources">
833
- <ul>
834
- <li><a href="?page=wp-to-twitter/wp-to-twitter.php&amp;export=settings"><?php _e("View Settings",'wp-to-twitter'); ?></a></li>
835
- <?php if ( function_exists( 'wpt_pro_exists' ) ) { $support = admin_url('admin.php?page=wp-tweets-pro'); } else { $support = admin_url('options-general.php?page=wp-to-twitter/wp-to-twitter.php');} ?>
836
- <li><a href="<?php echo $support; ?>#get-support"><?php _e("Get Support",'wp-to-twitter'); ?></a></li>
837
- </ul>
838
- <?php if ( get_option('jd_donations') != 1 && !function_exists( 'wpt_pro_exists' ) ) { ?>
839
- <div>
840
- <p><?php _e('<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!','wp-to-twitter'); ?></p>
841
- <form action="https://www.paypal.com/cgi-bin/webscr" method="post">
842
- <div>
843
- <input type="hidden" name="cmd" value="_s-xclick" />
844
- <input type="hidden" name="hosted_button_id" value="8490399" />
845
- <input type="image" src="https://www.paypal.com/en_US/i/btn/btn_donate_LG.gif" name="submit" alt="Donate" />
846
- <img alt="" border="0" src="https://www.paypal.com/en_US/i/scr/pixel.gif" width="1" height="1" />
847
- </div>
848
- </form>
849
- </div>
850
- <?php } ?>
851
- </div>
852
- </div>
853
- </div>
854
- <?php if ( !function_exists( 'wpt_pro_exists' ) ) { ?>
855
- <div class="ui-sortable meta-box-sortables">
856
- <div class="postbox">
857
- <h3><strong><?php _e('Upgrade Now!','wp-to-twitter'); ?></strong></h3>
858
- <div class="inside purchase">
859
- <strong><a href="http://www.joedolson.com/articles/wp-tweets-pro/"><?php _e('Upgrade to <strong>WP Tweets PRO</strong> for more control!','wp-to-twitter'); ?></a></strong>
860
- <p><?php _e('Extra features with the PRO upgrade:','wp-to-twitter'); ?></p>
861
- <ul>
862
- <li><?php _e('Users can post to their own Twitter accounts','wp-to-twitter'); ?></li>
863
- <li><?php _e('Set a timer to send your Tweet minutes or hours after you publish the post','wp-to-twitter'); ?></li>
864
- <li><?php _e('Automatically re-send Tweets at an assigned time after publishing','wp-to-twitter'); ?></li>
865
- </ul>
866
-
867
- </div>
868
- </div>
869
- </div>
870
- <?php } ?>
871
- <div class="ui-sortable meta-box-sortables">
872
- <div class="postbox">
873
- <h3><?php _e('Shortcodes','wp-to-twitter'); ?></h3>
874
- <div class="inside">
875
- <p><?php _e("Available in post update templates:", 'wp-to-twitter'); ?></p>
876
- <ul>
877
- <li><?php _e("<code>#title#</code>: the title of your blog post", 'wp-to-twitter'); ?></li>
878
- <li><?php _e("<code>#blog#</code>: the title of your blog", 'wp-to-twitter'); ?></li>
879
- <li><?php _e("<code>#post#</code>: a short excerpt of the post content", 'wp-to-twitter'); ?></li>
880
- <li><?php _e("<code>#category#</code>: the first selected category for the post", 'wp-to-twitter'); ?></li>
881
- <li><?php _e("<code>#date#</code>: the post date", 'wp-to-twitter'); ?></li>
882
- <li><?php _e("<code>#modified</code>: the post modified date", 'wp-to-twitter'); ?></li>
883
- <li><?php _e("<code>#url#</code>: the post URL", 'wp-to-twitter'); ?></li>
884
- <li><?php _e("<code>#author#</code>: the post author",'wp-to-twitter'); ?></li>
885
- <li><?php _e("<code>#account#</code>: the twitter @reference for the account (or the author, if author settings are enabled and set.)",'wp-to-twitter'); ?></li>
886
- <li><?php _e("<code>#tags#</code>: your tags modified into hashtags. See options in the Advanced Settings section, below.",'wp-to-twitter'); ?></li>
887
- </ul>
888
- <p><?php _e("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>", 'wp-to-twitter'); ?>
889
- </div>
890
- </div>
891
- </div>
892
- </div>
893
- </div>
894
- </div>
1
+ <?php
2
+ // FUNCTION to see if checkboxes should be checked
3
+ function jd_checkCheckbox( $theFieldname,$sub1=false,$sub2='' ) {
4
+ if ( $sub1 ) {
5
+ $setting = get_option($theFieldname);
6
+ if ( isset( $setting[$sub1] ) ) {
7
+ $value = ( $sub2 != '' )?$setting[$sub1][$sub2]:$setting[$sub1];
8
+ } else {
9
+ $value = 0;
10
+ }
11
+ if ( $value == 1 ) {
12
+ return 'checked="checked"';
13
+ }
14
+ }
15
+ if( get_option( $theFieldname ) == '1'){
16
+ return 'checked="checked"';
17
+ }
18
+ }
19
+
20
+ function jd_checkSelect( $theFieldname, $theValue, $type='select' ) {
21
+ if( get_option( $theFieldname ) == $theValue ) {
22
+ echo ( $type == 'select' )?'selected="selected"':'checked="checked"';
23
+ }
24
+ }
25
+
26
+ function jd_check_functions() {
27
+ $message = "<div class='update'><ul>";
28
+ // grab or set necessary variables
29
+ $testurl = get_bloginfo( 'url' );
30
+ $shortener = get_option( 'jd_shortener' );
31
+ $title = urlencode( 'Your blog home' );
32
+ $shrink = jd_shorten_link( $testurl, $title, false, 'true' );
33
+ $api_url = $jdwp_api_post_status;
34
+ $yourls_URL = "";
35
+ if ($shrink == FALSE) {
36
+ if ($shortener == 1) {
37
+ $error = htmlentities( get_option('wp_supr_error') );
38
+ } else if ( $shortener == 2 ) {
39
+ $error = htmlentities( get_option('wp_bitly_error') );
40
+ } else {
41
+ $error = __('No error information is available for your shortener.','wp-to-twitter');
42
+ }
43
+ $message .= __("<li class=\"error\"><strong>WP to Twitter was unable to contact your selected URL shortening service.</strong></li>",'wp-to-twitter');
44
+ $message .= "<li><code>$error</code></li>";
45
+ } else {
46
+ $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');
47
+ $message .= " <a href='$shrink'>$shrink</a></li>";
48
+ }
49
+ //check twitter credentials
50
+ if ( wtt_oauth_test() ) {
51
+ $rand = rand(1000000,9999999);
52
+ $testpost = jd_doTwitterAPIPost( "This is a test of WP to Twitter. $shrink ($rand)" );
53
+ if ($testpost) {
54
+ $message .= __("<li><strong>WP to Twitter successfully submitted a status update to Twitter.</strong></li>",'wp-to-twitter');
55
+ } else {
56
+ $error = get_option('jd_status_message');
57
+ $message .= __("<li class=\"error\"><strong>WP to Twitter failed to submit an update to Twitter.</strong></li>",'wp-to-twitter');
58
+ $message .= "<li class=\"error\">$error</li>";
59
+ }
60
+ } else {
61
+ $message .= "<strong>"._e('You have not connected WordPress to Twitter.','wp-to-twitter')."</strong> ";
62
+ }
63
+ // If everything's OK, there's no reason to do this again.
64
+ if ($testpost == FALSE && $shrink == FALSE ) {
65
+ $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');
66
+ } else {
67
+ }
68
+ if ( $testpost && $shrink ) {
69
+ $message .= __("<li><strong>Your server should run WP to Twitter successfully.</strong></li>", 'wp-to-twitter');
70
+ }
71
+ $message .= "</ul>
72
+ </div>";
73
+ return $message;
74
+ }
75
+
76
+ function wpt_update_settings() {
77
+ wpt_check_version();
78
+ if ( !empty($_POST) ) {
79
+ $nonce=$_REQUEST['_wpnonce'];
80
+ if (! wp_verify_nonce($nonce,'wp-to-twitter-nonce') ) die("Security check failed");
81
+ }
82
+
83
+ if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'clear-error' ) {
84
+ update_option( 'wp_twitter_failure','0' );
85
+ update_option( 'wp_url_failure','0' );
86
+ update_option( 'jd_status_message','');
87
+ $message = __("WP to Twitter Errors Cleared", 'wp-to-twitter');
88
+ }
89
+
90
+ if ( isset($_POST['oauth_settings'] ) ) {
91
+ $oauth_message = jd_update_oauth_settings( false, $_POST );
92
+ }
93
+
94
+ $wp_twitter_error = FALSE;
95
+ $wp_supr_error = FALSE;
96
+ $wp_bitly_error = FALSE;
97
+ $message = "";
98
+
99
+ // SET DEFAULT OPTIONS
100
+ if ( get_option( 'twitterInitialised') != '1' ) {
101
+ $initial_settings = array(
102
+ 'post'=> array(
103
+ 'post-published-update'=>1,
104
+ 'post-published-text'=>'New post: #title# #url#',
105
+ 'post-edited-update'=>1,
106
+ 'post-edited-text'=>'Post Edited: #title# #url#'
107
+ ),
108
+ 'page'=> array(
109
+ 'post-published-update'=>0,
110
+ 'post-published-text'=>'New page: #title# #url#',
111
+ 'post-edited-update'=>0,
112
+ 'post-edited-text'=>'Page edited: #title# #url#'
113
+ )
114
+ );
115
+ update_option( 'wpt_post_types', $initial_settings );
116
+ update_option( 'jd_twit_blogroll', '1');
117
+ update_option( 'newlink-published-text', 'New link: #title# #url#' );
118
+ update_option( 'comment-published-update', 0 );
119
+ update_option( 'comment-published-text', 'New comment: #title# #url#' );
120
+ update_option( 'limit_categories','0' );
121
+ update_option( 'jd_shortener', '1' );
122
+ update_option( 'jd_strip_nonan', '0' );
123
+ update_option('jd_max_tags',3);
124
+ update_option('jd_max_characters',15);
125
+ update_option('jd_replace_character','_');
126
+ update_option('wtt_user_permissions','administrator');
127
+ $administrator = get_role('administrator');
128
+ $administrator->add_cap('wpt_twitter_oauth');
129
+ $administrator->add_cap('wpt_twitter_custom');
130
+ $administrator->add_cap('wpt_twitter_switch');
131
+ update_option('wtt_show_custom_tweet','administrator');
132
+
133
+ update_option( 'jd_twit_remote', '0' );
134
+ update_option( 'jd_post_excerpt', 30 );
135
+ // Use Google Analytics with Twitter
136
+ update_option( 'twitter-analytics-campaign', 'twitter' );
137
+ update_option( 'use-twitter-analytics', '0' );
138
+ update_option( 'jd_dynamic_analytics','0' );
139
+ update_option( 'use_dynamic_analytics','category' );
140
+ // Use custom external URLs to point elsewhere.
141
+ update_option( 'jd_twit_custom_url', 'external_link' );
142
+ // Error checking
143
+ update_option( 'wp_twitter_failure','0' );
144
+ update_option( 'wp_url_failure','0' );
145
+ // Default publishing options.
146
+ update_option( 'jd_tweet_default', '0' );
147
+ update_option( 'jd_tweet_default_edit','0' );
148
+ update_option( 'wpt_inline_edits', '0' );
149
+ // Note that default options are set.
150
+ update_option( 'twitterInitialised', '1' );
151
+ //YOURLS API
152
+ update_option( 'jd_keyword_format', '0' );
153
+ }
154
+ if ( get_option( 'twitterInitialised') == '1' && get_option( 'jd_post_excerpt' ) == "" ) {
155
+ update_option( 'jd_post_excerpt', 30 );
156
+ }
157
+
158
+ // notifications from oauth connection
159
+ if ( isset($_POST['oauth_settings'] ) ) {
160
+ if ( $oauth_message == "success" ) {
161
+ print('
162
+ <div id="message" class="updated fade">
163
+ <p>'.__('WP to Twitter is now connected with Twitter.', 'wp-to-twitter').'</p>
164
+ </div>
165
+
166
+ ');
167
+ } else if ( $oauth_message == "failed" ) {
168
+ print('
169
+ <div id="message" class="updated fade">
170
+ <p>'.__('WP to Twitter failed to connect with Twitter. Try enabling OAuth debugging.', 'wp-to-twitter').'</p>
171
+ </div>
172
+
173
+ ');
174
+ } else if ( $oauth_message == "cleared" ) {
175
+ print('
176
+ <div id="message" class="updated fade">
177
+ <p>'.__('OAuth Authentication Data Cleared.', 'wp-to-twitter').'</p>
178
+ </div>
179
+
180
+ ');
181
+ } else if ( $oauth_message == 'nosync' ) {
182
+ print('
183
+ <div id="message" class="error fade">
184
+ <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>
185
+ </div>
186
+
187
+ ');
188
+ } else {
189
+ print('
190
+ <div id="message" class="error fade">
191
+ <p>'.__('OAuth Authentication response not understood.', 'wp-to-twitter').'</p>
192
+ </div>
193
+ ');
194
+ }
195
+ }
196
+
197
+ if ( isset( $_POST['submit-type'] ) && $_POST['submit-type'] == 'advanced' ) {
198
+ update_option( 'jd_tweet_default', ( isset( $_POST['jd_tweet_default'] ) )?$_POST['jd_tweet_default']:0 );
199
+ update_option( 'jd_tweet_default_edit', ( isset( $_POST['jd_tweet_default_edit'] ) )?$_POST['jd_tweet_default_edit']:0 );
200
+ update_option( 'wpt_inline_edits', ( isset( $_POST['wpt_inline_edits'] ) )?$_POST['wpt_inline_edits']:0 );
201
+ update_option( 'jd_twit_remote',( isset( $_POST['jd_twit_remote'] ) )?$_POST['jd_twit_remote']:0 );
202
+ update_option( 'jd_twit_custom_url', $_POST['jd_twit_custom_url'] );
203
+ update_option( 'jd_strip_nonan', ( isset( $_POST['jd_strip_nonan'] ) )?$_POST['jd_strip_nonan']:0 );
204
+ update_option( 'jd_twit_prepend', $_POST['jd_twit_prepend'] );
205
+ update_option( 'jd_twit_append', $_POST['jd_twit_append'] );
206
+ update_option( 'jd_post_excerpt', $_POST['jd_post_excerpt'] );
207
+ update_option( 'jd_max_tags',$_POST['jd_max_tags']);
208
+ update_option( 'jd_max_characters',$_POST['jd_max_characters']);
209
+ update_option( 'jd_replace_character',$_POST['jd_replace_character']);
210
+ update_option( 'jd_date_format',$_POST['jd_date_format'] );
211
+ update_option( 'jd_dynamic_analytics',$_POST['jd-dynamic-analytics'] );
212
+ update_option( 'use_dynamic_analytics',( isset( $_POST['use-dynamic-analytics'] ) )?$_POST['use-dynamic-analytics']:0 );
213
+ update_option( 'use-twitter-analytics', ( isset( $_POST['use-twitter-analytics'] ) )?$_POST['use-twitter-analytics']:0 );
214
+ update_option( 'twitter-analytics-campaign', $_POST['twitter-analytics-campaign'] );
215
+ update_option( 'jd_individual_twitter_users', $_POST['jd_individual_twitter_users'] );
216
+ $wtt_user_permissions = $_POST['wtt_user_permissions'];
217
+ $prev = get_option('wtt_user_permissions');
218
+ if ( $wtt_user_permissions != $prev ) {
219
+ $subscriber = get_role('subscriber'); $subscriber->remove_cap('wpt_twitter_oauth');
220
+ $contributor = get_role('contributor'); $contributor->remove_cap('wpt_twitter_oauth');
221
+ $author = get_role('author'); $author->remove_cap('wpt_twitter_oauth');
222
+ $editor = get_role('editor'); $editor->remove_cap('wpt_twitter_oauth');
223
+ switch ( $wtt_user_permissions ) {
224
+ case 'subscriber': $subscriber->add_cap('wpt_twitter_oauth'); $contributor->add_cap('wpt_twitter_oauth'); $author->add_cap('wpt_twitter_oauth'); $editor->add_cap('wpt_twitter_oauth'); break;
225
+ case 'contributor': $contributor->add_cap('wpt_twitter_oauth'); $author->add_cap('wpt_twitter_oauth'); $editor->add_cap('wpt_twitter_oauth'); break;
226
+ case 'author': $author->add_cap('wpt_twitter_oauth'); $editor->add_cap('wpt_twitter_oauth'); break;
227
+ case 'editor':$editor->add_cap('wpt_twitter_oauth'); break;
228
+ default:
229
+ $role = get_role( $wtt_user_permissions );
230
+ $role->add_cap('wpt_twitter_oauth');
231
+ break;
232
+ }
233
+ }
234
+ update_option( 'wtt_user_permissions',$wtt_user_permissions);
235
+
236
+ $wtt_show_custom_tweet = $_POST['wtt_show_custom_tweet'];
237
+ $prev = get_option('wtt_show_custom_tweet');
238
+ if ( $wtt_show_custom_tweet != $prev ) {
239
+ $subscriber = get_role('subscriber'); $subscriber->remove_cap('wpt_twitter_custom');
240
+ $contributor = get_role('contributor'); $contributor->remove_cap('wpt_twitter_custom');
241
+ $author = get_role('author'); $author->remove_cap('wpt_twitter_custom');
242
+ $editor = get_role('editor'); $editor->remove_cap('wpt_twitter_custom');
243
+ switch ( $wtt_show_custom_tweet ) {
244
+ case 'subscriber': $subscriber->add_cap('wpt_twitter_custom'); $contributor->add_cap('wpt_twitter_custom'); $author->add_cap('wpt_twitter_custom'); $editor->add_cap('wpt_twitter_custom'); break;
245
+ case 'contributor': $contributor->add_cap('wpt_twitter_custom'); $author->add_cap('wpt_twitter_custom'); $editor->add_cap('wpt_twitter_custom'); break;
246
+ case 'author': $author->add_cap('wpt_twitter_custom'); $editor->add_cap('wpt_twitter_custom'); break;
247
+ case 'editor':$editor->add_cap('wpt_twitter_custom'); break;
248
+ default:
249
+ $role = get_role( $wtt_show_custom_tweet );
250
+ $role->add_cap('wpt_twitter_custom');
251
+ break;
252
+ }
253
+ }
254
+ update_option( 'wtt_show_custom_tweet',$wtt_show_custom_tweet);
255
+
256
+ $wpt_twitter_switch = $_POST['wpt_twitter_switch'];
257
+ $prev = get_option('wpt_twitter_switch');
258
+ if ( $wpt_twitter_switch != $prev ) {
259
+ $subscriber = get_role('subscriber'); $subscriber->remove_cap('wpt_twitter_switch');
260
+ $contributor = get_role('contributor'); $contributor->remove_cap('wpt_twitter_switch');
261
+ $author = get_role('author'); $author->remove_cap('wpt_twitter_switch');
262
+ $editor = get_role('editor'); $editor->remove_cap('wpt_twitter_switch');
263
+ switch ( $wpt_twitter_switch ) {
264
+ case 'subscriber': $subscriber->add_cap('wpt_twitter_switch'); $contributor->add_cap('wpt_twitter_switch'); $author->add_cap('wpt_twitter_switch'); $editor->add_cap('wpt_twitter_switch'); break;
265
+ case 'contributor': $contributor->add_cap('wpt_twitter_switch'); $author->add_cap('wpt_twitter_switch'); $editor->add_cap('wpt_twitter_switch'); break;
266
+ case 'author': $author->add_cap('wpt_twitter_switch'); $editor->add_cap('wpt_twitter_switch'); break;
267
+ case 'editor':$editor->add_cap('wpt_twitter_switch'); break;
268
+ default:
269
+ $role = get_role( $wpt_twitter_switch );
270
+ $role->add_cap('wpt_twitter_switch');
271
+ break;
272
+ }
273
+ }
274
+ update_option( 'wpt_twitter_switch',$wpt_twitter_switch);
275
+
276
+ update_option( 'disable_url_failure' , ( isset( $_POST['disable_url_failure'] ) )?$_POST['disable_url_failure']:0 );
277
+ update_option( 'disable_twitter_failure' , ( isset( $_POST['disable_twitter_failure'] ) )?$_POST['disable_twitter_failure']:0 );
278
+ update_option( 'disable_oauth_notice' , ( isset( $_POST['disable_oauth_notice'] ) )?$_POST['disable_oauth_notice']:0 );
279
+ update_option( 'wp_debug_oauth' , ( isset( $_POST['wp_debug_oauth'] ) )?$_POST['wp_debug_oauth']:0 );
280
+ update_option( 'wpt_http' , ( isset( $_POST['wpt_http'] ) )?$_POST['wpt_http']:0 );
281
+
282
+ update_option( 'jd_donations' , ( isset( $_POST['jd_donations'] ) )?$_POST['jd_donations']:0 );
283
+ $wpt_truncation_order = $_POST['wpt_truncation_order'];
284
+ update_option( 'wpt_truncation_order', $wpt_truncation_order );
285
+ $message .= __( 'WP to Twitter Advanced Options Updated' , 'wp-to-twitter');
286
+ }
287
+ if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'options' ) {
288
+ // UPDATE OPTIONS
289
+ $wpt_settings = get_option('wpt_post_types');
290
+ foreach($_POST['wpt_post_types'] as $key=>$value) {
291
+ $array = array(
292
+ 'post-published-update'=>( isset( $value["post-published-update"] ) )?$value["post-published-update"]:"",
293
+ 'post-published-text'=>$value["post-published-text"],
294
+ 'post-edited-update'=>( isset( $value["post-edited-update"] ) )?$value["post-edited-update"]:"",
295
+ 'post-edited-text'=>$value["post-edited-text"]
296
+ );
297
+ $wpt_settings[$key] = $array;
298
+ }
299
+ update_option( 'wpt_post_types', $wpt_settings );
300
+ update_option( 'newlink-published-text', $_POST['newlink-published-text'] );
301
+ update_option( 'jd_twit_blogroll',(isset($_POST['jd_twit_blogroll']) )?$_POST['jd_twit_blogroll']:"" );
302
+ update_option( 'comment-published-text', $_POST['comment-published-text'] );
303
+ update_option( 'comment-published-update',(isset($_POST['comment-published-update']) )?$_POST['comment-published-update']:"" );
304
+ update_option( 'jd_shortener', $_POST['jd_shortener'] );
305
+
306
+ if ( get_option( 'jd_shortener' ) == 2 && ( get_option( 'bitlylogin' ) == "" || get_option( 'bitlyapi' ) == "" ) ) {
307
+ $message .= __( 'You must add your Bit.ly login and API key in order to shorten URLs with Bit.ly.' , 'wp-to-twitter');
308
+ $message .= "<br />";
309
+ }
310
+ if ( get_option( 'jd_shortener' ) == 6 && ( get_option( 'yourlslogin' ) == "" || get_option( 'yourlsapi' ) == "" || get_option( 'yourlsurl' ) == "" ) ) {
311
+ $message .= __( 'You must add your YOURLS remote URL, login, and password in order to shorten URLs with a remote installation of YOURLS.' , 'wp-to-twitter');
312
+ $message .= "<br />";
313
+ }
314
+ if ( get_option( 'jd_shortener' ) == 5 && ( get_option( 'yourlspath' ) == "" ) ) {
315
+ $message .= __( 'You must add your YOURLS server path in order to shorten URLs with a remote installation of YOURLS.' , 'wp-to-twitter');
316
+ $message .= "<br />";
317
+ }
318
+ $message .= __( 'WP to Twitter Options Updated' , 'wp-to-twitter');
319
+ }
320
+
321
+ if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'setcategories' ) {
322
+ if ( isset($_POST['jd_twit_cats']) ) { update_option('jd_twit_cats',1); } else { update_option('jd_twit_cats',0); }
323
+ if ( is_array($_POST['categories'])) {
324
+ $categories = $_POST['categories'];
325
+ update_option('limit_categories','1');
326
+ update_option('tweet_categories',$categories);
327
+ $message = __("Category limits updated.");
328
+ } else {
329
+ update_option('limit_categories','0');
330
+ update_option('tweet_categories','');
331
+ $message = __("Category limits unset.",'wp-to-twitter');
332
+ }
333
+ }
334
+
335
+ if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'yourlsapi' ) {
336
+ if ( $_POST['yourlsapi'] != '' && isset( $_POST['submit'] ) ) {
337
+ update_option( 'yourlsapi', trim($_POST['yourlsapi']) );
338
+ $message = __("YOURLS password updated. ", 'wp-to-twitter');
339
+ } else if ( isset( $_POST['clear'] ) ) {
340
+ update_option( 'yourlsapi','' );
341
+ $message = __( "YOURLS password deleted. You will be unable to use your remote YOURLS account to create short URLS.", 'wp-to-twitter');
342
+ } else {
343
+ $message = __( "Failed to save your YOURLS password! ", 'wp-to-twitter' );
344
+ }
345
+ if ( $_POST['yourlslogin'] != '' ) {
346
+ update_option( 'yourlslogin', trim($_POST['yourlslogin']) );
347
+ $message .= __( "YOURLS username added. ",'wp-to-twitter' );
348
+ }
349
+ if ( $_POST['yourlsurl'] != '' ) {
350
+ update_option( 'yourlsurl', trim($_POST['yourlsurl']) );
351
+ $message .= __( "YOURLS API url added. ",'wp-to-twitter' );
352
+ } else {
353
+ update_option('yourlsurl','');
354
+ $message .= __( "YOURLS API url removed. ",'wp-to-twitter' );
355
+ }
356
+ if ( $_POST['yourlspath'] != '' ) {
357
+ update_option( 'yourlspath', trim($_POST['yourlspath']) );
358
+ if ( file_exists( $_POST['yourlspath'] ) ) {
359
+ $message .= __( "YOURLS local server path added. ",'wp-to-twitter');
360
+ } else {
361
+ $message .= __( "The path to your YOURLS installation is not correct. ",'wp-to-twitter' );
362
+ }
363
+ } else {
364
+ update_option( 'yourlspath','' );
365
+ $message .= __( "YOURLS local server path removed. ",'wp-to-twitter');
366
+ }
367
+ if ( $_POST['jd_keyword_format'] != '' ) {
368
+ update_option( 'jd_keyword_format', $_POST['jd_keyword_format'] );
369
+ if ( $_POST['jd_keyword_format'] == 1 ) {
370
+ $message .= __( "YOURLS will use Post ID for short URL slug.",'wp-to-twitter');
371
+ } else {
372
+ $message .= __( "YOURLS will use your custom keyword for short URL slug.",'wp-to-twitter');
373
+ }
374
+ } else {
375
+ update_option( 'jd_keyword_format','' );
376
+ $message .= __( "YOURLS will not use Post ID for the short URL slug.",'wp-to-twitter');
377
+ }
378
+ }
379
+
380
+ if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'suprapi' ) {
381
+ if ( $_POST['suprapi'] != '' && isset( $_POST['submit'] ) ) {
382
+ update_option( 'suprapi', trim($_POST['suprapi']) );
383
+ update_option( 'suprlogin', trim($_POST['suprlogin']) );
384
+ $message = __("Su.pr API Key and Username Updated", 'wp-to-twitter');
385
+ } else if ( isset( $_POST['clear'] ) ) {
386
+ update_option( 'suprapi','' );
387
+ update_option( 'suprlogin','' );
388
+ $message = __("Su.pr API Key and username deleted. Su.pr URLs created by WP to Twitter will no longer be associated with your account. ", 'wp-to-twitter');
389
+ } else {
390
+ $message = __("Su.pr API Key not added - <a href='http://su.pr/'>get one here</a>! ", 'wp-to-twitter');
391
+ }
392
+ }
393
+ if ( isset($_POST['submit-type']) && $_POST['submit-type'] == 'bitlyapi' ) {
394
+ if ( $_POST['bitlyapi'] != '' && isset( $_POST['submit'] ) ) {
395
+ update_option( 'bitlyapi', trim($_POST['bitlyapi']) );
396
+ $message = __("Bit.ly API Key Updated.", 'wp-to-twitter');
397
+ } else if ( isset( $_POST['clear'] ) ) {
398
+ update_option( 'bitlyapi','' );
399
+ $message = __("Bit.ly API Key deleted. You cannot use the Bit.ly API without an API key. ", 'wp-to-twitter');
400
+ } else {
401
+ $message = __("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.", 'wp-to-twitter');
402
+ }
403
+ if ( $_POST['bitlylogin'] != '' && isset( $_POST['submit'] ) ) {
404
+ update_optio