diff --git a/wp-content/plugins/selective-tweets/readme.txt b/wp-content/plugins/selective-tweets/readme.txt deleted file mode 100644 index aa4dfd6d2b9f692dff4a9874e61f081c03376c6a..0000000000000000000000000000000000000000 --- a/wp-content/plugins/selective-tweets/readme.txt +++ /dev/null @@ -1,43 +0,0 @@ -=== Selective status list === -Contributors: publicvoid -Tags: twitter, tweets, status, filtered -Requires at least: 2.8 -Tested up to: 2.8.4 -Stable tag: 0.3 - -Widget shows list of tweets from specified user which are marked by a specified keyword. - -== Description == - -The plugin provides a widget, which shows a list of tweets from the specified author, filtered by a specified hashtag. User name and hashtag are customizable. The plugin uses AJAX to fetch status notices, hence it does'nt work for users without javascript enabled at the moment, but keeps the page load small. - -== Installation == - -1. Upload the 'selectiv-tweet-list.php' and 'selective-tweet-list.js' to your '/wp-content/plugins/' directory -1. Alternatively use your wordpress installations plugin install functions in the admin area -1. Activate the plugin through the 'Plugins' menu in WordPress -1. Drag the widget to the sidebar and fill in your desired settings (microblogging service, user name, filter hashtag, ) - -== Frequently Asked Questions == - -= Why are no tweets showing up? = - -Make sure your user screen name is right. Check whether you have tweets containing your specified keyword in your timeline. Verify that the number of tweets fetched is set high enought to include some of those. You can check your settings by typing http://twitter.com/statuses/user_timeline.xml?screen_name=<your_screen_name>&count=<number_of_tweets_fetched> in your browsers address bar and see whether there are matching tweets. - -= What about identi.ca, caching and status digests? = - -Coming soon. - -== Changelog == - -= 0.1 = -Initial release - -= 0.2 = -- improved input validation and escaping -- use twitter search api -- allow querying status.net (identi.ca) api - usertime line batch fetching - -= 0.3 = -bug fixes: widget layout, js path - diff --git a/wp-content/plugins/selective-tweets/selective-tweet-list.js b/wp-content/plugins/selective-tweets/selective-tweet-list.js deleted file mode 100644 index 5a10278596caba54b0b5cbf51f6f32ab5eba26e6..0000000000000000000000000000000000000000 --- a/wp-content/plugins/selective-tweets/selective-tweet-list.js +++ /dev/null @@ -1,61 +0,0 @@ -/* -Part of Selective tweet list plugin for wordpress -Check out this plugin: http://wordpress.org/extend/plugins/selective-tweets/ -*/ - -var selectiveTweetList = { - init : function(params) { - for (var p in params) { - this[p] = params[p]; - } - this.pagesFetched = 0; - this.tweetsGrabbed = 0; - var searchQuery = "from:" + encodeURIComponent(this.twitterName) + "+" + encodeURIComponent(this.marker); - this.baseUrl = this.statusNet ? - "http://identi.ca/api/statuses/user_timeline.json?callback=selectiveTweetList.batchGrabTweets&count=" + Math.min(this.count*5, 200) + "&screen_name=" + encodeURIComponent(this.twitterName) : - "http://search.twitter.com/search.json?callback=selectiveTweetList.searchGrabTweets&q=" + searchQuery + "&rpp=" + this.count; - this.requestJSON(); - }, - requestJSON : function() { - this.pagesFetched++; - var script = document.createElement("script"); - script.src = this.baseUrl + "&page=" + this.pagesFetched; - document.body.appendChild(script); - }, - searchGrabTweets : function(response) { - if (response.error) { - this.makeListEntry("tweetlist", this.errorText); - } else { - for ( var tweet = 0; tweet<response.results.length; tweet++) { - this.makeListEntry("tweetlist", response.results[tweet].text.replace(this.marker, "")); - } - } - }, - batchGrabTweets : function(data) { - if (data.error) { - this.makeListEntry("tweetlist", this.errorText); - } else { - this.grabTweets(data); - if(this.tweetsGrabbed<this.count && this.pagesFetched < 10) { this.requestJSON(); } - } - }, - grabTweets : function(data) { - for ( var tweet = 0; tweet<data.length && this.tweetsGrabbed<this.count; tweet++) { - tweetstext = data[tweet].text; - var markerRegExp = new RegExp(this.marker); - if (tweetstext.search(markerRegExp) >= 0) { - this.tweetsGrabbed++; - this.makeListEntry("tweetlist", tweetstext.replace(markerRegExp, "")); - } - } - }, - makeListEntry : function(listId, txt) { - var findUrl = /(http:\/\/\S*)/g; - var foundUrl; - var lastMatch = 0; - var entry = document.createElement("li"); - var urlTxt = txt.replace(findUrl, '<a href="$1">$1</a>'); - entry.innerHTML = urlTxt; - document.getElementById(this.listId).appendChild(entry); - } -} diff --git a/wp-content/plugins/selective-tweets/selective-tweet-list.php b/wp-content/plugins/selective-tweets/selective-tweet-list.php deleted file mode 100644 index c9b5448aaa8b8a971a400cf056fa1b00c94c9d06..0000000000000000000000000000000000000000 --- a/wp-content/plugins/selective-tweets/selective-tweet-list.php +++ /dev/null @@ -1,109 +0,0 @@ -<?php -/* -Plugin Name: Selective tweet list -Plugin URI: http://wordpress.org/extend/plugins/selective-tweets/ -Description: Widget shows list of tweets from specified user which are marked by a specified keyword. -Version: 0.3 -Author: publicvoid -Author URI: http://wordpress.org/extend/plugins/profile/publicvoid -*/ - -add_action('widgets_init', create_function('', 'return register_widget("Selective_Status_Widget");')); - -class Selective_Status_Widget extends WP_Widget { - - function Selective_Status_Widget() { - $widget_ops = array( - 'description' => 'Shows statuses from specified user which are marked by a special keyword.' - ); - $this->WP_Widget( 'selective-status', 'Selective Status', $widget_ops); - } - - function form($instance) { - // show the options form - $defaults = array( - 'twitter_name' => 'myname', - 'selection_marker' => '#wp', - 'tweets_count' => 7, - 'list_title' => 'Selective tweet status', - 'noscript_hint' => 'This list can only be shown with javascript switched on.', - 'twitter_error' => 'Error in status api, list could not be fetched.', - 'status_net' => false - ); - $instance = wp_parse_args( (array) $instance, $defaults ); - $texts = array( - "twitter_name"=> array( - "title"=>"user name", - "hint"=>"micro blogging user name to be used to fetch the statuses"), - "selection_marker"=> array( - "title"=>"selection marker", - "hint"=>"used to mark tweets that should be included into the list"), - "tweets_count" => array( - "title"=>"tweets count", - "hint"=>"number of tweets to be fetched from twitter (max. 100)"), - "list_title" => array( - "title"=>"list title", - "hint"=>"header of the selective tweets list"), - "noscript_hint" => array( - "title"=>"noscript hint", - "hint"=>"This hint will be shown for users with javascript switched off."), - "twitter_error"=> array( - "title"=>"twitter error message", - "hint"=>"This message will be shown, when twitter is not reachable and fetching data leeds to an error") - ); - $field_name = $this->get_field_name("status_net"); - $field_id = $this->get_field_id("status_net"); - ?> - <p> - <label title="which microblogging service you want to be queried">microblogging service:</label><br/> - <input id="<?php echo $field_id; ?>1" type="radio" name="<?php echo $field_name; ?>" value="twitter" <?php checked( $instance['status_net'], false ); ?>/> Twitter - <input id="<?php echo $field_id; ?>2" type="radio" name="<?php echo $field_name; ?>" value="status" <?php checked( $instance['status_net'], true ); ?> /> Identi.ca - </p> - <?php - foreach ($texts as $key => $texts) { - $field_id = $this->get_field_id($key); - $field_name = $this->get_field_name($key); ?> - <p> - <label for="<?php echo $field_id; ?>" title="<?php echo $texts['hint']; ?>" ><?php echo $texts['title']; ?>:</label> - <input id="<?php echo $field_id; ?>" name="<?php echo $field_name; ?>" value="<?php echo $instance[$key]; ?>" style="width:100%;" /> - </p> - <?php - } - } - - function update($new_instance, $old_instance) { - // update settings from options - $instance = $old_instance; - foreach (array('twitter_name','selection_marker','list_title','noscript_hint','twitter_error') as $field) { - $instance[$field] = strip_tags($new_instance[$field]); - } - $instance['status_net'] = ($new_instance['status_net']=="status"); - $instance['tweets_count'] = min( intval($new_instance['tweets_count']), 100 ); - // 100 is the max results per page (rpp) value for twitters search api and should definitly be enough (so we need to only fetch one page) - return $instance; - } - - function widget($args, $instance) { - // actually displays the widget - extract($args); - $list_title = apply_filters('widget_title', $instance['list_title'] ); - echo $before_widget; - echo $before_title . $list_title . $after_title; ?> - <ul id="tweetlist"> - <noscript><li><?php echo $instance['noscript_hint']; ?></li></noscript> - </ul> - <!-- // TODO ? wp_enqueue_script, don't load multiple times +++ use a proper library for status api requests --> - <script src="wp-content/plugins/selective-tweets/selective-tweet-list.js"></script> - <script>selectiveTweetList.init({ - "marker": "<?php echo esc_js($instance['selection_marker']); ?>", - "twitterName": "<?php echo esc_js($instance['twitter_name']); ?>", - "count": <?php echo $instance['tweets_count']; ?>, - "errorText" : "<?php echo esc_js($instance['twitter_error']); ?>", - "listId": "tweetlist", - "statusNet": <?php echo $instance['status_net'] ? 'true' : 'false'; ?> - });</script> - <?php echo $after_widget; - } -} - -?> diff --git a/wp-content/plugins/twitter-tools/OAuth.php b/wp-content/plugins/twitter-tools/OAuth.php deleted file mode 100644 index be8b1d75e831d13d744056d94534c8e247ce58d6..0000000000000000000000000000000000000000 --- a/wp-content/plugins/twitter-tools/OAuth.php +++ /dev/null @@ -1,878 +0,0 @@ -<?php -// vim: foldmethod=marker - -if (!class_exists('OAuthException')) { - -/* Generic exception class - */ -class OAuthException extends Exception { - // pass -} - -class OAuthConsumer { - public $key; - public $secret; - - function __construct($key, $secret, $callback_url=NULL) { - $this->key = $key; - $this->secret = $secret; - $this->callback_url = $callback_url; - } - - function __toString() { - return "OAuthConsumer[key=$this->key,secret=$this->secret]"; - } -} - -class OAuthToken { - // access tokens and request tokens - public $key; - public $secret; - - /** - * key = the token - * secret = the token secret - */ - function __construct($key, $secret) { - $this->key = $key; - $this->secret = $secret; - } - - /** - * generates the basic string serialization of a token that a server - * would respond to request_token and access_token calls with - */ - function to_string() { - return "oauth_token=" . - OAuthUtil::urlencode_rfc3986($this->key) . - "&oauth_token_secret=" . - OAuthUtil::urlencode_rfc3986($this->secret); - } - - function __toString() { - return $this->to_string(); - } -} - -/** - * A class for implementing a Signature Method - * See section 9 ("Signing Requests") in the spec - */ -abstract class OAuthSignatureMethod { - /** - * Needs to return the name of the Signature Method (ie HMAC-SHA1) - * @return string - */ - abstract public function get_name(); - - /** - * Build up the signature - * NOTE: The output of this function MUST NOT be urlencoded. - * the encoding is handled in OAuthRequest when the final - * request is serialized - * @param OAuthRequest $request - * @param OAuthConsumer $consumer - * @param OAuthToken $token - * @return string - */ - abstract public function build_signature($request, $consumer, $token); - - /** - * Verifies that a given signature is correct - * @param OAuthRequest $request - * @param OAuthConsumer $consumer - * @param OAuthToken $token - * @param string $signature - * @return bool - */ - public function check_signature($request, $consumer, $token, $signature) { - $built = $this->build_signature($request, $consumer, $token); - return $built == $signature; - } -} - -/** - * The HMAC-SHA1 signature method uses the HMAC-SHA1 signature algorithm as defined in [RFC2104] - * where the Signature Base String is the text and the key is the concatenated values (each first - * encoded per Parameter Encoding) of the Consumer Secret and Token Secret, separated by an '&' - * character (ASCII code 38) even if empty. - * - Chapter 9.2 ("HMAC-SHA1") - */ -class OAuthSignatureMethod_HMAC_SHA1 extends OAuthSignatureMethod { - function get_name() { - return "HMAC-SHA1"; - } - - public function build_signature($request, $consumer, $token) { - $base_string = $request->get_signature_base_string(); - $request->base_string = $base_string; - - $key_parts = array( - $consumer->secret, - ($token) ? $token->secret : "" - ); - - $key_parts = OAuthUtil::urlencode_rfc3986($key_parts); - $key = implode('&', $key_parts); - - return base64_encode(hash_hmac('sha1', $base_string, $key, true)); - } -} - -/** - * The PLAINTEXT method does not provide any security protection and SHOULD only be used - * over a secure channel such as HTTPS. It does not use the Signature Base String. - * - Chapter 9.4 ("PLAINTEXT") - */ -class OAuthSignatureMethod_PLAINTEXT extends OAuthSignatureMethod { - public function get_name() { - return "PLAINTEXT"; - } - - /** - * oauth_signature is set to the concatenated encoded values of the Consumer Secret and - * Token Secret, separated by a '&' character (ASCII code 38), even if either secret is - * empty. The result MUST be encoded again. - * - Chapter 9.4.1 ("Generating Signatures") - * - * Please note that the second encoding MUST NOT happen in the SignatureMethod, as - * OAuthRequest handles this! - */ - public function build_signature($request, $consumer, $token) { - $key_parts = array( - $consumer->secret, - ($token) ? $token->secret : "" - ); - - $key_parts = OAuthUtil::urlencode_rfc3986($key_parts); - $key = implode('&', $key_parts); - $request->base_string = $key; - - return $key; - } -} - -/** - * The RSA-SHA1 signature method uses the RSASSA-PKCS1-v1_5 signature algorithm as defined in - * [RFC3447] section 8.2 (more simply known as PKCS#1), using SHA-1 as the hash function for - * EMSA-PKCS1-v1_5. It is assumed that the Consumer has provided its RSA public key in a - * verified way to the Service Provider, in a manner which is beyond the scope of this - * specification. - * - Chapter 9.3 ("RSA-SHA1") - */ -abstract class OAuthSignatureMethod_RSA_SHA1 extends OAuthSignatureMethod { - public function get_name() { - return "RSA-SHA1"; - } - - // Up to the SP to implement this lookup of keys. Possible ideas are: - // (1) do a lookup in a table of trusted certs keyed off of consumer - // (2) fetch via http using a url provided by the requester - // (3) some sort of specific discovery code based on request - // - // Either way should return a string representation of the certificate - protected abstract function fetch_public_cert(&$request); - - // Up to the SP to implement this lookup of keys. Possible ideas are: - // (1) do a lookup in a table of trusted certs keyed off of consumer - // - // Either way should return a string representation of the certificate - protected abstract function fetch_private_cert(&$request); - - public function build_signature($request, $consumer, $token) { - $base_string = $request->get_signature_base_string(); - $request->base_string = $base_string; - - // Fetch the private key cert based on the request - $cert = $this->fetch_private_cert($request); - - // Pull the private key ID from the certificate - $privatekeyid = openssl_get_privatekey($cert); - - // Sign using the key - $ok = openssl_sign($base_string, $signature, $privatekeyid); - - // Release the key resource - openssl_free_key($privatekeyid); - - return base64_encode($signature); - } - - public function check_signature($request, $consumer, $token, $signature) { - $decoded_sig = base64_decode($signature); - - $base_string = $request->get_signature_base_string(); - - // Fetch the public key cert based on the request - $cert = $this->fetch_public_cert($request); - - // Pull the public key ID from the certificate - $publickeyid = openssl_get_publickey($cert); - - // Check the computed signature against the one passed in the query - $ok = openssl_verify($base_string, $decoded_sig, $publickeyid); - - // Release the key resource - openssl_free_key($publickeyid); - - return $ok == 1; - } -} - -class OAuthRequest { - private $parameters; - private $http_method; - private $http_url; - // for debug purposes - public $base_string; - public static $version = '1.0'; - public static $POST_INPUT = 'php://input'; - - function __construct($http_method, $http_url, $parameters=NULL) { - @$parameters or $parameters = array(); - $parameters = array_merge( OAuthUtil::parse_parameters(parse_url($http_url, PHP_URL_QUERY)), $parameters); - $this->parameters = $parameters; - $this->http_method = $http_method; - $this->http_url = $http_url; - } - - - /** - * attempt to build up a request from what was passed to the server - */ - public static function from_request($http_method=NULL, $http_url=NULL, $parameters=NULL) { - $scheme = (!isset($_SERVER['HTTPS']) || $_SERVER['HTTPS'] != "on") - ? 'http' - : 'https'; - @$http_url or $http_url = $scheme . - '://' . $_SERVER['HTTP_HOST'] . - ':' . - $_SERVER['SERVER_PORT'] . - $_SERVER['REQUEST_URI']; - @$http_method or $http_method = $_SERVER['REQUEST_METHOD']; - - // We weren't handed any parameters, so let's find the ones relevant to - // this request. - // If you run XML-RPC or similar you should use this to provide your own - // parsed parameter-list - if (!$parameters) { - // Find request headers - $request_headers = OAuthUtil::get_headers(); - - // Parse the query-string to find GET parameters - $parameters = OAuthUtil::parse_parameters($_SERVER['QUERY_STRING']); - - // It's a POST request of the proper content-type, so parse POST - // parameters and add those overriding any duplicates from GET - if ($http_method == "POST" - && @strstr($request_headers["Content-Type"], - "application/x-www-form-urlencoded") - ) { - $post_data = OAuthUtil::parse_parameters( - file_get_contents(self::$POST_INPUT) - ); - $parameters = array_merge($parameters, $post_data); - } - - // We have a Authorization-header with OAuth data. Parse the header - // and add those overriding any duplicates from GET or POST - if (@substr($request_headers['Authorization'], 0, 6) == "OAuth ") { - $header_parameters = OAuthUtil::split_header( - $request_headers['Authorization'] - ); - $parameters = array_merge($parameters, $header_parameters); - } - - } - - return new OAuthRequest($http_method, $http_url, $parameters); - } - - /** - * pretty much a helper function to set up the request - */ - public static function from_consumer_and_token($consumer, $token, $http_method, $http_url, $parameters=NULL) { - @$parameters or $parameters = array(); - $defaults = array("oauth_version" => OAuthRequest::$version, - "oauth_nonce" => OAuthRequest::generate_nonce(), - "oauth_timestamp" => OAuthRequest::generate_timestamp(), - "oauth_consumer_key" => $consumer->key); - if ($token) - $defaults['oauth_token'] = $token->key; - - $parameters = array_merge($defaults, $parameters); - - return new OAuthRequest($http_method, $http_url, $parameters); - } - - public function set_parameter($name, $value, $allow_duplicates = true) { - if ($allow_duplicates && isset($this->parameters[$name])) { - // We have already added parameter(s) with this name, so add to the list - if (is_scalar($this->parameters[$name])) { - // This is the first duplicate, so transform scalar (string) - // into an array so we can add the duplicates - $this->parameters[$name] = array($this->parameters[$name]); - } - - $this->parameters[$name][] = $value; - } else { - $this->parameters[$name] = $value; - } - } - - public function get_parameter($name) { - return isset($this->parameters[$name]) ? $this->parameters[$name] : null; - } - - public function get_parameters() { - return $this->parameters; - } - - public function unset_parameter($name) { - unset($this->parameters[$name]); - } - - /** - * The request parameters, sorted and concatenated into a normalized string. - * @return string - */ - public function get_signable_parameters() { - // Grab all parameters - $params = $this->parameters; - - // Remove oauth_signature if present - // Ref: Spec: 9.1.1 ("The oauth_signature parameter MUST be excluded.") - if (isset($params['oauth_signature'])) { - unset($params['oauth_signature']); - } - - return OAuthUtil::build_http_query($params); - } - - /** - * Returns the base string of this request - * - * The base string defined as the method, the url - * and the parameters (normalized), each urlencoded - * and the concated with &. - */ - public function get_signature_base_string() { - $parts = array( - $this->get_normalized_http_method(), - $this->get_normalized_http_url(), - $this->get_signable_parameters() - ); - - $parts = OAuthUtil::urlencode_rfc3986($parts); - - return implode('&', $parts); - } - - /** - * just uppercases the http method - */ - public function get_normalized_http_method() { - return strtoupper($this->http_method); - } - - /** - * parses the url and rebuilds it to be - * scheme://host/path - */ - public function get_normalized_http_url() { - $parts = parse_url($this->http_url); - - $port = @$parts['port']; - $scheme = $parts['scheme']; - $host = $parts['host']; - $path = @$parts['path']; - - $port or $port = ($scheme == 'https') ? '443' : '80'; - - if (($scheme == 'https' && $port != '443') - || ($scheme == 'http' && $port != '80')) { - $host = "$host:$port"; - } - return "$scheme://$host$path"; - } - - /** - * builds a url usable for a GET request - */ - public function to_url() { - $post_data = $this->to_postdata(); - $out = $this->get_normalized_http_url(); - if ($post_data) { - $out .= '?'.$post_data; - } - return $out; - } - - /** - * builds the data one would send in a POST request - */ - public function to_postdata() { - return OAuthUtil::build_http_query($this->parameters); - } - - /** - * builds the Authorization: header - */ - public function to_header($realm=null) { - $first = true; - if($realm) { - $out = 'Authorization: OAuth realm="' . OAuthUtil::urlencode_rfc3986($realm) . '"'; - $first = false; - } else - $out = 'Authorization: OAuth'; - - $total = array(); - foreach ($this->parameters as $k => $v) { - if (substr($k, 0, 5) != "oauth") continue; - if (is_array($v)) { - throw new OAuthException('Arrays not supported in headers'); - } - $out .= ($first) ? ' ' : ','; - $out .= OAuthUtil::urlencode_rfc3986($k) . - '="' . - OAuthUtil::urlencode_rfc3986($v) . - '"'; - $first = false; - } - return $out; - } - - public function __toString() { - return $this->to_url(); - } - - - public function sign_request($signature_method, $consumer, $token) { - $this->set_parameter( - "oauth_signature_method", - $signature_method->get_name(), - false - ); - $signature = $this->build_signature($signature_method, $consumer, $token); - $this->set_parameter("oauth_signature", $signature, false); - } - - public function build_signature($signature_method, $consumer, $token) { - $signature = $signature_method->build_signature($this, $consumer, $token); - return $signature; - } - - /** - * util function: current timestamp - */ - private static function generate_timestamp() { - return time(); - } - - /** - * util function: current nonce - */ - private static function generate_nonce() { - $mt = microtime(); - $rand = mt_rand(); - - return md5($mt . $rand); // md5s look nicer than numbers - } -} - -class OAuthServer { - protected $timestamp_threshold = 300; // in seconds, five minutes - protected $version = '1.0'; // hi blaine - protected $signature_methods = array(); - - protected $data_store; - - function __construct($data_store) { - $this->data_store = $data_store; - } - - public function add_signature_method($signature_method) { - $this->signature_methods[$signature_method->get_name()] = - $signature_method; - } - - // high level functions - - /** - * process a request_token request - * returns the request token on success - */ - public function fetch_request_token(&$request) { - $this->get_version($request); - - $consumer = $this->get_consumer($request); - - // no token required for the initial token request - $token = NULL; - - $this->check_signature($request, $consumer, $token); - - // Rev A change - $callback = $request->get_parameter('oauth_callback'); - $new_token = $this->data_store->new_request_token($consumer, $callback); - - return $new_token; - } - - /** - * process an access_token request - * returns the access token on success - */ - public function fetch_access_token(&$request) { - $this->get_version($request); - - $consumer = $this->get_consumer($request); - - // requires authorized request token - $token = $this->get_token($request, $consumer, "request"); - - $this->check_signature($request, $consumer, $token); - - // Rev A change - $verifier = $request->get_parameter('oauth_verifier'); - $new_token = $this->data_store->new_access_token($token, $consumer, $verifier); - - return $new_token; - } - - /** - * verify an api call, checks all the parameters - */ - public function verify_request(&$request) { - $this->get_version($request); - $consumer = $this->get_consumer($request); - $token = $this->get_token($request, $consumer, "access"); - $this->check_signature($request, $consumer, $token); - return array($consumer, $token); - } - - // Internals from here - /** - * version 1 - */ - private function get_version(&$request) { - $version = $request->get_parameter("oauth_version"); - if (!$version) { - // Service Providers MUST assume the protocol version to be 1.0 if this parameter is not present. - // Chapter 7.0 ("Accessing Protected Ressources") - $version = '1.0'; - } - if ($version !== $this->version) { - throw new OAuthException("OAuth version '$version' not supported"); - } - return $version; - } - - /** - * figure out the signature with some defaults - */ - private function get_signature_method(&$request) { - $signature_method = - @$request->get_parameter("oauth_signature_method"); - - if (!$signature_method) { - // According to chapter 7 ("Accessing Protected Ressources") the signature-method - // parameter is required, and we can't just fallback to PLAINTEXT - throw new OAuthException('No signature method parameter. This parameter is required'); - } - - if (!in_array($signature_method, - array_keys($this->signature_methods))) { - throw new OAuthException( - "Signature method '$signature_method' not supported " . - "try one of the following: " . - implode(", ", array_keys($this->signature_methods)) - ); - } - return $this->signature_methods[$signature_method]; - } - - /** - * try to find the consumer for the provided request's consumer key - */ - private function get_consumer(&$request) { - $consumer_key = @$request->get_parameter("oauth_consumer_key"); - if (!$consumer_key) { - throw new OAuthException("Invalid consumer key"); - } - - $consumer = $this->data_store->lookup_consumer($consumer_key); - if (!$consumer) { - throw new OAuthException("Invalid consumer"); - } - - return $consumer; - } - - /** - * try to find the token for the provided request's token key - */ - private function get_token(&$request, $consumer, $token_type="access") { - $token_field = @$request->get_parameter('oauth_token'); - $token = $this->data_store->lookup_token( - $consumer, $token_type, $token_field - ); - if (!$token) { - throw new OAuthException("Invalid $token_type token: $token_field"); - } - return $token; - } - - /** - * all-in-one function to check the signature on a request - * should guess the signature method appropriately - */ - private function check_signature(&$request, $consumer, $token) { - // this should probably be in a different method - $timestamp = @$request->get_parameter('oauth_timestamp'); - $nonce = @$request->get_parameter('oauth_nonce'); - - $this->check_timestamp($timestamp); - $this->check_nonce($consumer, $token, $nonce, $timestamp); - - $signature_method = $this->get_signature_method($request); - - $signature = $request->get_parameter('oauth_signature'); - $valid_sig = $signature_method->check_signature( - $request, - $consumer, - $token, - $signature - ); - - if (!$valid_sig) { - throw new OAuthException("Invalid signature"); - } - } - - /** - * check that the timestamp is new enough - */ - private function check_timestamp($timestamp) { - if( ! $timestamp ) - throw new OAuthException( - 'Missing timestamp parameter. The parameter is required' - ); - - // verify that timestamp is recentish - $now = time(); - if (abs($now - $timestamp) > $this->timestamp_threshold) { - throw new OAuthException( - "Expired timestamp, yours $timestamp, ours $now" - ); - } - } - - /** - * check that the nonce is not repeated - */ - private function check_nonce($consumer, $token, $nonce, $timestamp) { - if( ! $nonce ) - throw new OAuthException( - 'Missing nonce parameter. The parameter is required' - ); - - // verify that the nonce is uniqueish - $found = $this->data_store->lookup_nonce( - $consumer, - $token, - $nonce, - $timestamp - ); - if ($found) { - throw new OAuthException("Nonce already used: $nonce"); - } - } - -} - -class OAuthDataStore { - function lookup_consumer($consumer_key) { - // implement me - } - - function lookup_token($consumer, $token_type, $token) { - // implement me - } - - function lookup_nonce($consumer, $token, $nonce, $timestamp) { - // implement me - } - - function new_request_token($consumer, $callback = null) { - // return a new token attached to this consumer - } - - function new_access_token($token, $consumer, $verifier = null) { - // return a new access token attached to this consumer - // for the user associated with this token if the request token - // is authorized - // should also invalidate the request token - } - -} - -class OAuthUtil { - public static function urlencode_rfc3986($input) { - if (is_array($input)) { - return array_map(array('OAuthUtil', 'urlencode_rfc3986'), $input); - } else if (is_scalar($input)) { - return str_replace( - '+', - ' ', - str_replace('%7E', '~', rawurlencode($input)) - ); - } else { - return ''; - } -} - - - // This decode function isn't taking into consideration the above - // modifications to the encoding process. However, this method doesn't - // seem to be used anywhere so leaving it as is. - public static function urldecode_rfc3986($string) { - return urldecode($string); - } - - // Utility function for turning the Authorization: header into - // parameters, has to do some unescaping - // Can filter out any non-oauth parameters if needed (default behaviour) - public static function split_header($header, $only_allow_oauth_parameters = true) { - $pattern = '/(([-_a-z]*)=("([^"]*)"|([^,]*)),?)/'; - $offset = 0; - $params = array(); - while (preg_match($pattern, $header, $matches, PREG_OFFSET_CAPTURE, $offset) > 0) { - $match = $matches[0]; - $header_name = $matches[2][0]; - $header_content = (isset($matches[5])) ? $matches[5][0] : $matches[4][0]; - if (preg_match('/^oauth_/', $header_name) || !$only_allow_oauth_parameters) { - $params[$header_name] = OAuthUtil::urldecode_rfc3986($header_content); - } - $offset = $match[1] + strlen($match[0]); - } - - if (isset($params['realm'])) { - unset($params['realm']); - } - - return $params; - } - - // helper to try to sort out headers for people who aren't running apache - public static function get_headers() { - if (function_exists('apache_request_headers')) { - // we need this to get the actual Authorization: header - // because apache tends to tell us it doesn't exist - $headers = apache_request_headers(); - - // sanitize the output of apache_request_headers because - // we always want the keys to be Cased-Like-This and arh() - // returns the headers in the same case as they are in the - // request - $out = array(); - foreach( $headers AS $key => $value ) { - $key = str_replace( - " ", - "-", - ucwords(strtolower(str_replace("-", " ", $key))) - ); - $out[$key] = $value; - } - } else { - // otherwise we don't have apache and are just going to have to hope - // that $_SERVER actually contains what we need - $out = array(); - if( isset($_SERVER['CONTENT_TYPE']) ) - $out['Content-Type'] = $_SERVER['CONTENT_TYPE']; - if( isset($_ENV['CONTENT_TYPE']) ) - $out['Content-Type'] = $_ENV['CONTENT_TYPE']; - - foreach ($_SERVER as $key => $value) { - if (substr($key, 0, 5) == "HTTP_") { - // this is chaos, basically it is just there to capitalize the first - // letter of every word that is not an initial HTTP and strip HTTP - // code from przemek - $key = str_replace( - " ", - "-", - ucwords(strtolower(str_replace("_", " ", substr($key, 5)))) - ); - $out[$key] = $value; - } - } - } - return $out; - } - - // This function takes a input like a=b&a=c&d=e and returns the parsed - // parameters like this - // array('a' => array('b','c'), 'd' => 'e') - public static function parse_parameters( $input ) { - if (!isset($input) || !$input) return array(); - - $pairs = explode('&', $input); - - $parsed_parameters = array(); - foreach ($pairs as $pair) { - $split = explode('=', $pair, 2); - $parameter = OAuthUtil::urldecode_rfc3986($split[0]); - $value = isset($split[1]) ? OAuthUtil::urldecode_rfc3986($split[1]) : ''; - - if (isset($parsed_parameters[$parameter])) { - // We have already recieved parameter(s) with this name, so add to the list - // of parameters with this name - - if (is_scalar($parsed_parameters[$parameter])) { - // This is the first duplicate, so transform scalar (string) into an array - // so we can add the duplicates - $parsed_parameters[$parameter] = array($parsed_parameters[$parameter]); - } - - $parsed_parameters[$parameter][] = $value; - } else { - $parsed_parameters[$parameter] = $value; - } - } - return $parsed_parameters; - } - - public static function build_http_query($params) { - if (!$params) return ''; - - // Urlencode both keys and values - $keys = OAuthUtil::urlencode_rfc3986(array_keys($params)); - $values = OAuthUtil::urlencode_rfc3986(array_values($params)); - $params = array_combine($keys, $values); - - // Parameters are sorted by name, using lexicographical byte value ordering. - // Ref: Spec: 9.1.1 (1) - uksort($params, 'strcmp'); - - $pairs = array(); - foreach ($params as $parameter => $value) { - if (is_array($value)) { - // If two or more parameters share the same name, they are sorted by their value - // Ref: Spec: 9.1.1 (1) - natsort($value); - foreach ($value as $duplicate_value) { - $pairs[] = $parameter . '=' . $duplicate_value; - } - } else { - $pairs[] = $parameter . '=' . $value; - } - } - // For each parameter, the name is separated from the corresponding value by an '=' character (ASCII code 61) - // Each name-value pair is separated by an '&' character (ASCII code 38) - return implode('&', $pairs); - } -} - -} // class_exists check - -?> diff --git a/wp-content/plugins/twitter-tools/README.txt b/wp-content/plugins/twitter-tools/README.txt deleted file mode 100644 index 104eaccb43670efc4537e9da38719ceb5e36b54b..0000000000000000000000000000000000000000 --- a/wp-content/plugins/twitter-tools/README.txt +++ /dev/null @@ -1,307 +0,0 @@ -=== Twitter Tools === -Tags: twitter, tweet, integration, post, digest, notify, integrate, archive, widget -Contributors: alexkingorg, crowdfavorite -Requires at least: 2.9 -Tested up to: 3.0.1 -Stable tag: 2.4 - -Twitter Tools is a plugin that creates a complete integration between your WordPress blog and your Twitter account. - -== Details == - -Twitter Tools integrates with Twitter by giving you the following functionality: - -* Archive your Twitter tweets (downloaded every 10 minutes) -* Create a blog post from each of your tweets -* Create a daily or weekly digest post of your tweets -* Create a tweet on Twitter whenever you post in your blog, with a link to the blog post -* Post a tweet from your sidebar -* Post a tweet from the WP Admin screens -* Pass your tweets along to another service (via API hook) - - -== Installation == - -1. Download the plugin archive and expand it (you've likely already done this). -2. Put the 'twitter-tools' directory into your wp-content/plugins/ directory. -3. Go to the Plugins page in your WordPress Administration area and click 'Activate' for Twitter Tools. -4. Go to the Twitter Tools Options page (Settings > Twitter Tools) to set up your Twitter information and preferences. - - -== Configuration == - -There are a number of configuration options for Twitter Tools. You can find these in Options > Twitter Tools. - -== Showing Your Tweets == - -= Widget Friendly = - -If you are using widgets, you can drag Twitter Tools to your sidebar to display your latest tweets. - - -= Shortcode = - -Use: - -`[aktt_tweets]` - -to show your latest tweets. This will show the number of tweets set in your Settings. If you want to control how many tweets are shown explicitly, you can do so by adding a 'count' parameter like this: - -`[aktt_tweets count=5]` - - -= Template Tags = - -If you are not using widgest, you can use a template tag to add your latest tweets to your sidebar. - -`<?php aktt_sidebar_tweets(); ?>` - - -If you just want your latest tweet, use this template tag. - -`<?php aktt_latest_tweet(); ?>` - - -== Plugins == - -Twitter Tools supports plugins, several are included. You can find more here: - -http://delicious.com/alexkingorg/twitter-tools+plugin - - -== Hooks/API == - -Twitter Tools contains a hook that can be used to pass along your tweet data to another service (for example, some folks have wanted to be able to update their Facebook status). To use this hook, create a plugin and add an action to: - -`aktt_add_tweet` (action) - -Your plugin function will receive an `aktt_tweet` object as the first parameter. - -Example psuedo-code: - -`function my_status_update($tweet) { // do something here }` -`add_action('aktt_add_tweet', 'my_status_update')` - ---- - -Twitter Tools also provides a filter on the URL sent to Twitter so that you can run it through an URL-shortening service if you like. - -`tweet_blog_post_url` (filter) - -Your plugin function will receive the URL as the first parameter. - -Example psuedo-code: - -`function my_short_url($long_url) { - // do something here - return the shortened URL - $short_url = my_short_url_func($long_url); - return $short_url; -}` -`add_filter('tweet_blog_post_url', 'my_short_url')` - ---- - -`aktt_do_tweet` (filter) - -Returning false in this hook will prevent a tweet from being sent. One parameter is sent, the Tweet object to be sent to Twitter. - -Example psuedo-code: - -`function dont_tweet($tweet) { - if (some condition) { - // will not tweet - return false; - } - else { - // must return the $tweet to send it - return $tweet; - } -}` -`add_filter('aktt_do_tweet', 'dont_tweet')` - ---- - -`aktt_do_blog_post_tweet` (filter) - -Returning false in this hook will prevent a blog post Tweet from being sent. Two parameters are passed, the Tweet object to be sent to Twitter and the Post generating the Tweet. - -Example psuedo-code: - -`function dont_post_tweet($tweet, $post) { - if (some condition) { - // will not tweet - return false; - } - else { - // must return the $tweet to send it - return $tweet; - } -}` -`add_filter('aktt_do_blog_post_tweet', 'dont_post_tweet', 10, 2)` - ---- - -`aktt_do_tweet_post` (filter) - -Returning false in this hook will prevent a blog post from being created from a Tweet. Two parameters are passed, the data to be used in the post and the Tweet object. - -Example psuedo-code: - -`function dont_tweet_post($post, $data) { - if (some condition) { - // will not post - return false; - } - else { - // must return the $data for a post to be created - return $data; - } -}` -`add_filter('aktt_do_tweet_post', 'dont_tweet_post', 10, 2)` - ---- - -`aktt_tweets_to_digest_post` (filter) - -Allows you to make changes the tweets that will be included in a digest post. - ---- - -`aktt_options_form` (action) - -Allows you to add to the Twitter Tools settings page. - ---- - -`aktt_post_options` (action) - -Allows you to add to the Twitter Tools box on the New Post page (requires the option to tweet on blog posts to be enabled). - -== Known Issues == - -* If you change your blog post notification tweet prefix, the previous blog post notification might not be correctly recognized as a blog post tweet. This is only under very rare conditions due to timing issues. -* Only one Twitter account is supported (not one account per author). -* Tweets are not deleted from the tweet table in your WordPress database when they are deleted from Twitter. To delete from your WordPress database, use a database admin tool like phpMyAdmin. - - -== Frequently Asked Questions == - -= Who is allowed to post a Tweet from within WordPress? = - -Anyone who has a 'publish_post' permission. Basically, if you can post to the blog, you can also post to Twitter (using the account info in the Twitter Tools configuration). - -= What happens if I have both my tweets posting to my blog as posts and my posts sent to Twitter? Will it cause the world to end in a spinning fireball of death? = - -Actually, Twitter Tools has taken this into account and you can safely enable both creating posts from your tweets and tweets from your posts without duplicating them in either place. - -= Does Twitter Tools use a URL shortening service by default? = - -No, Twitter Tools sends your long URL to Twitter and Twitter chooses to shorten it or not. - -As of version 2.0 a plugin to do this with the Bit.ly service is included as an option. - -= Can Twitter Tools use a URL shortening service? = - -Yes, Twitter Tools includes a filter: - -`tweet_blog_post_url` - -as of version 1.6. Plugins for this filter may already exist, or you can create your own. The plugin needs to attach to this filter using the standard WordPress `add_filter()` function and return a URL that will then be passed with your blog post tweet. - -As of version 2.0 a plugin to do this with the Bit.ly service is included as an option. - -= Is there any way to change the 'New Blog Post:' prefix when my new posts get tweeted? = - -Yes, as of version 2.0 you can change this on the Options page. - -= Can I remove the 'New Blog Post:' prefix entirely? = - -No, this is not a good idea. Twitter Tools needs to be able to look at the beginning of the tweet and identify if it's a notification from your blog or not. Otherwise, Twitter Tools and Twitter could keep passing the blog posts and resulting tweets back and forth resulting in the 'spinning fireball of death' mentioned above. - - -== Changelog == - -= 2.4 = - -* Replaced 401 authentication with OAuth. -* Now relies on WordPress to provide JSON encode/decode functions. -* WP 3.0 compatibility fix for hashtags plugin (set default hashtags properly). -* WP 3.0 compatibility fix for creating duplicate post meta. -* Added support form to settings page. - - -= 2.3.1 = - -* Fixed a typo that was breaking the latest tweet template tag. - - -= 2.3 = - -* Added nonces -* Patched several potential security issues (thanks Mark Jaquith) -* Load JS and CSS in separate process to possibly avoid some race conditions - - -= 2.2.1 = - -* Typo-fix that should allow resetting digests properly (not sure when this broke, thanks lionel_chollet). - - -= 2.2 = - -* The use of the native `json_encode()` function, required by the changes in WordPress 2.9 (version 2.1) created a problem for users with servers running 32-bit PHP. the `json_decode()` function treats the tweet ID field as an integer instead of a string, which causes the issues. Thanks to Joe Tortuga and Ciaran Walsh for sending in the fix. - - -= 2.1.2 = - -* Missed one last(?) instance of Services_JSON - - -= 2.1.1 = - -* Missed replacing a couple of instances of Services_JSON - - -= 2.1 = - -* Make install code a little smarter -* Add unique index on tweet ID columns, remove duplicates and optimize table -* Track the currently installed version for easier upgrades in the future -* Cleanup around login test code -* Add action on Update Tweets (aktt_update_tweets) -* Add a shortcode to display recent tweets -* Exclude replies in aktt_latest_tweet() function (if option selected) -* Better RegEx for username and hashtag linking -* Use site_url() and admin_url(), losing backward compatibility but gaining SSL compatibility -* Added WordPress HelpCenter contact info to settings page -* Use standard meta boxes (not backwards compatible) for post screen settings -* Change how Services_JSON is included to be compatible with changes in WP 2.9 and PHP < 5.2 -* Digest functionality is marked as experimental, they need to be fundamentally rewritten to avoid race conditions experienced by some users -* Misc code cleanup and bug fixes -* Added language dir and .pot file - -Bit.ly plugin - -* Changed RegEx for finding URLs in tweet content (thanks Porter Maus) -* Added a j.mp option -* Cleaned up the settings form -* Added a trim() on the API Key for people that struggle with copy/paste -* Use admin_url(), losing backward compatibility but gaining SSL compatibility - -Exclude Category plugin - -* Use admin_url(), losing backward compatibility but gaining SSL compatibility - -Hashtags plugin - -* Use admin_url(), losing backward compatibility but gaining SSL compatibility - - -= 2.0 = - -* Added various hooks and filters to enable other plugins to interact with Twitter Tools. -* Added option to set blog post tweet prefix -* Added CSS classes for elements in tweet list -* Initial release of Bit.ly for Twitter Tools - enables shortening your URLs and tracking them on your Bit.ly account. -* Initial release of #hashtags for Twitter Tools - enables adding hashtags to your blog post tweets. -* Initial release of Exclude Category for Twitter Tools - enables not tweeting posts in chosen categories. diff --git a/wp-content/plugins/twitter-tools/twitter-tools-bitly.php b/wp-content/plugins/twitter-tools/twitter-tools-bitly.php deleted file mode 100644 index 7bb941469bfdf122f446bcfadbb3ab5095b5ab37..0000000000000000000000000000000000000000 --- a/wp-content/plugins/twitter-tools/twitter-tools-bitly.php +++ /dev/null @@ -1,210 +0,0 @@ -<?php -/* -Plugin Name: Twitter Tools - Bit.ly URLs -Plugin URI: http://crowdfavorite.com/wordpress/ -Description: Use Bit.ly for URL shortening with Twitter Tools. This plugin relies on Twitter Tools, configure it on the Twitter Tools settings page. -Version: 2.4 -Author: Crowd Favorite -Author URI: http://crowdfavorite.com -*/ - -// Thanks to Porter Maus for his contributions. - -// ini_set('display_errors', '1'); ini_set('error_reporting', E_ALL); - -if (!defined('PLUGINDIR')) { - define('PLUGINDIR','wp-content/plugins'); -} - -load_plugin_textdomain('twitter-tools-bitly'); - -define('AKTT_BITLY_API_SHORTEN_URL', 'http://api.bit.ly/shorten'); -define('AKTT_BITLY_API_SHORTEN_URL_JMP', 'http://api.j.mp/shorten'); -define('AKTT_BITLY_API_VERSION', '2.0.1'); - -function aktt_bitly_shorten_url($url) { - $parts = parse_url($url); - if (!in_array($parts['host'], array('j.mp', 'bit.ly'))) { - $snoop = get_snoopy(); - $api_urls = array( - 'bitly' => AKTT_BITLY_API_SHORTEN_URL, - 'jmp' => AKTT_BITLY_API_SHORTEN_URL_JMP, - ); - $api = $api_urls[aktt_bitly_setting('aktt_bitly_api_url')].'?version='.AKTT_BITLY_API_VERSION.'&longUrl='.urlencode($url); - $login = get_option('aktt_bitly_api_login'); - $key = get_option('aktt_bitly_api_key'); - if (!empty($login) && !empty($key)) { - $api .= '&login='.urlencode($login).'&apiKey='.urlencode($key).'&history=1'; - } - $snoop->agent = 'Twitter Tools http://alexking.org/projects/wordpress'; - $snoop->fetch($api); - $result = json_decode($snoop->results); - if (!empty($result->results->{$url}->shortUrl)) { - $url = $result->results->{$url}->shortUrl; - } - } - return $url; -} -add_filter('tweet_blog_post_url', 'aktt_bitly_shorten_url'); - -function aktt_bitly_shorten_tweet($tweet) { - if (strpos($tweet->tw_text, 'http') !== false) { - preg_match_all('$\b(https?|ftp|file)://[-A-Z0-9+&@#/%?=~_|!:,.;]*[-A-Z0-9+&@#/%=~_|]$i', $test, $urls); - if (isset($urls[0]) && count($urls[0])) { - foreach ($urls[0] as $url) { -// borrowed from WordPress's make_clickable code - if ( in_array(substr($url, -1), array('.', ',', ';', ':', ')')) === true ) { - $url = substr($url, 0, strlen($url)-1); - } - $tweet->tw_text = str_replace($url, aktt_bitly_shorten_url($url), $tweet->tw_text); - } - } - } - return $tweet; -} -add_filter('aktt_do_tweet', 'aktt_bitly_shorten_tweet'); - -function aktt_bitly_request_handler() { - if (!empty($_POST['cf_action'])) { - switch ($_POST['cf_action']) { - case 'aktt_bitly_update_settings': - if (!wp_verify_nonce($_POST['_wpnonce'], 'aktt_bitly_save_settings')) { - wp_die('Oops, please try again.'); - } - aktt_bitly_save_settings(); - wp_redirect(admin_url('options-general.php?page=twitter-tools.php&updated=true')); - die(); - break; - } - } -} -add_action('init', 'aktt_bitly_request_handler'); - -$aktt_bitly_settings = array( - 'aktt_bitly_api_login' => array( - 'type' => 'string', - 'label' => __('Bit.ly Username', 'twitter-tools-bitly'), - 'default' => '', - 'help' => '', - ), - 'aktt_bitly_api_key' => array( - 'type' => 'string', - 'label' => __('Bit.ly API key', 'twitter-tools-bitly'), - 'default' => '', - 'help' => '', - ), - 'aktt_bitly_api_url' => array( - 'type' => 'select', - 'label' => __('URL to use', 'twitter-tools-bitly'), - 'default' => 'bitly', - 'options' => array( - 'bitly' => 'bit.ly', - 'jmp' => 'j.mp', - ), - 'help' => '', - ), -); - -function aktt_bitly_setting($option) { - $value = get_option($option); - if (empty($value)) { - global $aktt_bitly_settings; - $value = $aktt_bitly_settings[$option]['default']; - } - return $value; -} - -if (!function_exists('cf_settings_field')) { - function cf_settings_field($key, $config) { - $option = get_option($key); - if (empty($option) && !empty($config['default'])) { - $option = $config['default']; - } - $label = '<label for="'.$key.'">'.$config['label'].'</label>'; - $help = '<span class="help">'.$config['help'].'</span>'; - switch ($config['type']) { - case 'select': - $output = $label.'<select name="'.$key.'" id="'.$key.'">'; - foreach ($config['options'] as $val => $display) { - $option == $val ? $sel = ' selected="selected"' : $sel = ''; - $output .= '<option value="'.$val.'"'.$sel.'>'.htmlspecialchars($display).'</option>'; - } - $output .= '</select>'.$help; - break; - case 'textarea': - $output = $label.'<textarea name="'.$key.'" id="'.$key.'">'.htmlspecialchars($option).'</textarea>'.$help; - break; - case 'string': - case 'int': - default: - $output = $label.'<input name="'.$key.'" id="'.$key.'" value="'.htmlspecialchars($option).'" />'.$help; - break; - } - return '<div class="option">'.$output.'<div class="clear"></div></div>'; - } -} - -function aktt_bitly_settings_form() { - global $aktt_bitly_settings; - - print(' -<div class="wrap"> - <h2>'.__('Bit.ly for Twitter Tools', 'twitter-tools-bitly').'</h2> - <form id="aktt_bitly_settings_form" class="aktt" name="aktt_bitly_settings_form" action="'.admin_url('options-general.php').'" method="post"> - <input type="hidden" name="cf_action" value="aktt_bitly_update_settings" /> - <fieldset class="options"> - '); - foreach ($aktt_bitly_settings as $key => $config) { - echo cf_settings_field($key, $config); - } - print(' - </fieldset> - <p class="submit"> - <input type="submit" name="submit" class="button-primary" value="'.__('Save Settings', 'twitter-tools-bitly').'" /> - </p> - '.wp_nonce_field('aktt_bitly_save_settings', '_wpnonce', true, false).wp_referer_field(false).' - </form> -</div> - '); -} -add_action('aktt_options_form', 'aktt_bitly_settings_form'); - -function aktt_bitly_save_settings() { - if (!current_user_can('manage_options')) { - return; - } - global $aktt_bitly_settings; - foreach ($aktt_bitly_settings as $key => $option) { - $value = ''; - switch ($option['type']) { - case 'int': - $value = intval($_POST[$key]); - break; - case 'select': - $test = stripslashes($_POST[$key]); - if (isset($option['options'][$test])) { - $value = $test; - } - break; - case 'string': - case 'textarea': - default: - $value = stripslashes($_POST[$key]); - break; - } - $value = trim($value); - update_option($key, $value); - } -} - - -if (!function_exists('get_snoopy')) { - function get_snoopy() { - include_once(ABSPATH.'/wp-includes/class-snoopy.php'); - return new Snoopy; - } -} - -//a:21:{s:11:"plugin_name";s:29:"Bit.ly URLs for Twitter Tools";s:10:"plugin_uri";s:35:"http://crowdfavorite.com/wordpress/";s:18:"plugin_description";s:49:"Use Bit.ly for URL shortening with Twitter Tools.";s:14:"plugin_version";s:3:"1.0";s:6:"prefix";s:10:"aktt_bitly";s:12:"localization";s:19:"twitter-tools-bitly";s:14:"settings_title";s:24:"Bit.ly for Twitter Tools";s:13:"settings_link";s:24:"Bit.ly for Twitter Tools";s:4:"init";b:0;s:7:"install";b:0;s:9:"post_edit";b:0;s:12:"comment_edit";b:0;s:6:"jquery";b:0;s:6:"wp_css";b:0;s:5:"wp_js";b:0;s:9:"admin_css";b:0;s:8:"admin_js";b:0;s:15:"request_handler";s:1:"1";s:6:"snoopy";s:1:"1";s:11:"setting_cat";b:0;s:14:"setting_author";b:0;} - -?> \ No newline at end of file diff --git a/wp-content/plugins/twitter-tools/twitter-tools-excludecat.php b/wp-content/plugins/twitter-tools/twitter-tools-excludecat.php deleted file mode 100644 index 808c8434c90f17b4604e8f14ecac2b77d818f32f..0000000000000000000000000000000000000000 --- a/wp-content/plugins/twitter-tools/twitter-tools-excludecat.php +++ /dev/null @@ -1,130 +0,0 @@ -<?php -/* -Plugin Name: Twitter Tools - Exclude Category -Plugin URI: http://crowdfavorite.com/wordpress/ -Description: Exclude posts in certain categories from being tweeted by Twitter Tools. This plugin relies on Twitter Tools, configure it on the Twitter Tools settings page. -Version: 2.4 -Author: Crowd Favorite -Author URI: http://crowdfavorite.com -*/ - -// ini_set('display_errors', '1'); ini_set('error_reporting', E_ALL); - -if (!defined('PLUGINDIR')) { - define('PLUGINDIR','wp-content/plugins'); -} - -load_plugin_textdomain('twitter-tools-excludecat'); - -function aktt_excludecat_request_handler() { - if (!empty($_POST['cf_action'])) { - switch ($_POST['cf_action']) { - case 'aktt_excludecat_update_settings': - if (!wp_verify_nonce($_POST['_wpnonce'], 'aktt_excludecat_update_settings')) { - wp_die('Oops, please try again.'); - } - aktt_excludecat_save_settings(); - wp_redirect(admin_url('options-general.php?page=twitter-tools.php&updated=true')); - die(); - break; - } - } -} -add_action('init', 'aktt_excludecat_request_handler'); - -function aktt_excludecat_do_blog_post_tweet($tweet, $post) { - $cats = get_option('aktt_excludecats'); - if (is_array($cats) && count($cats)) { - foreach ($cats as $cat) { - if (in_category($cat, $post)) { - return false; - } - } - } - return $tweet; -} -add_filter('aktt_do_blog_post_tweet', 'aktt_excludecat_do_blog_post_tweet', 10, 2); - -function aktt_excludecat_settings_form() { - print(' -<style class="text/css"> -#aktt_exclude_cat_options { - list-style: none; -} -#aktt_exclude_cat_options li { - float: left; - margin: 0 0 5px 0; - padding: 3px; - width: 200px; -} -</style> -<script type="text/javascript"> -jQuery(function() { - jQuery("#aktt_excludecat_select").click(function() { - jQuery("#aktt_exclude_cat_options input[type=checkbox]").attr("checked", true); - return false; - }); - jQuery("#aktt_excludecat_unselect").click(function() { - jQuery("#aktt_exclude_cat_options input[type=checkbox]").attr("checked", false); - return false; - }); -}); -</script> -<div class="wrap"> - <h2>'.__('Exclude Categories for Twitter Tools', 'twitter-tools-excludecat').'</h2> - <form id="aktt_excludecat_settings_form" name="aktt_excludecat_settings_form" action="'.admin_url('options-general.php').'" method="post"> - <input type="hidden" name="cf_action" value="aktt_excludecat_update_settings" /> - <fieldset class="options"> - <p>'.__('Posts in selected categories will be excluded from blog post tweets', 'twitter-tools-excludecat').'</p> - <p><a href="#" id="aktt_excludecat_select">'.__('Select All', 'twitter-tools-excludecat').'</a> | <a href="#" id="aktt_excludecat_unselect">'.__('Unselect All', 'twitter-tools-excludecat').'</a></p> - <ul id="aktt_exclude_cat_options"> - '); - - $categories = get_categories('hide_empty=0'); - $exclude_cats = get_option('aktt_excludecats'); - if (!is_array($exclude_cats)) { - $exclude_cats = array(); - } - foreach ($categories as $cat) { - $id = 'aktt_exclude_cat_'.$cat->term_id; - in_array($cat->term_id, $exclude_cats) ? $checked = ' checked="checked"' : $checked = ''; - print(' - <li> - <input type="checkbox" name="aktt_exclude_cats[]" value="'.$cat->term_id.'" id="'.$id.'" '.$checked.' /> - <label for="'.$id.'">'.htmlspecialchars($cat->name).'</label> - </li> - '); - } - print(' - </ul> - <div class="clear"></div> - </fieldset> - <p class="submit"> - <input type="submit" name="submit" value="'.__('Save Settings', 'twitter-tools-excludecat').'" class="button-primary" /> - </p> - '.wp_nonce_field('aktt_excludecat_update_settings', '_wpnonce', true, false).wp_referer_field(false).' - </form> -</div> - '); -} -add_action('aktt_options_form', 'aktt_excludecat_settings_form'); - -function aktt_excludecat_save_settings() { - if (!current_user_can('manage_options')) { - return; - } - $cats = array(); - if (isset($_POST['aktt_exclude_cats']) && is_array($_POST['aktt_exclude_cats'])) { - foreach ($_POST['aktt_exclude_cats'] as $cat_id) { - $cat_id = intval($cat_id); - if ($cat_id) { - $cats[] = $cat_id; - } - } - } - update_option('aktt_excludecats', $cats); -} - -//a:21:{s:11:"plugin_name";s:34:"Twitter Tools - Exclude Categories";s:10:"plugin_uri";s:35:"http://crowdfavorite.com/wordpress/";s:18:"plugin_description";s:72:"Exclude posts in certain categories from being tweeted by Twitter Tools.";s:14:"plugin_version";s:3:"1.0";s:6:"prefix";s:15:"aktt_excludecat";s:12:"localization";s:24:"twitter-tools-excludecat";s:14:"settings_title";s:34:"Exclude Category for Twitter Tools";s:13:"settings_link";s:34:"Exclude Category for Twitter Tools";s:4:"init";b:0;s:7:"install";b:0;s:9:"post_edit";b:0;s:12:"comment_edit";b:0;s:6:"jquery";b:0;s:6:"wp_css";b:0;s:5:"wp_js";b:0;s:9:"admin_css";b:0;s:8:"admin_js";b:0;s:15:"request_handler";s:1:"1";s:6:"snoopy";b:0;s:11:"setting_cat";s:1:"1";s:14:"setting_author";b:0;} - -?> \ No newline at end of file diff --git a/wp-content/plugins/twitter-tools/twitter-tools-hashtags.php b/wp-content/plugins/twitter-tools/twitter-tools-hashtags.php deleted file mode 100644 index dc43c8fbb6956eb40dc743e9d77592fabfe0dd64..0000000000000000000000000000000000000000 --- a/wp-content/plugins/twitter-tools/twitter-tools-hashtags.php +++ /dev/null @@ -1,195 +0,0 @@ -<?php -/* -Plugin Name: Twitter Tools - Hashtags -Plugin URI: http://crowdfavorite.com/wordpress/ -Description: Set #hashtags for blog post tweets sent by Twitter Tools. This plugin relies on Twitter Tools, configure it on the Twitter Tools settings page. -Version: 2.4 -Author: Crowd Favorite -Author URI: http://crowdfavorite.com -*/ - -// ini_set('display_errors', '1'); ini_set('error_reporting', E_ALL); - -if (!defined('PLUGINDIR')) { - define('PLUGINDIR','wp-content/plugins'); -} - -load_plugin_textdomain('twitter-tools-hash'); - -function aktt_hash_post_options() { - global $self, $post; - $self == 'post-new.php' ? $hashtags = get_option('aktt_hash_tags') : $hashtags = get_post_meta($post->ID, '_aktt_hash_meta', true); - echo '<p> - <label for="_aktt_hash_meta">'.__('#hashtags:', 'twitter-tools-hash').'</label> - <input type="text" id="_aktt_hash_meta" name="_aktt_hash_meta" value="'.attribute_escape($hashtags).'" /> - </p>'; -} -add_action('aktt_post_options', 'aktt_hash_post_options'); - -function aktt_hash_do_blog_post_tweet($tweet, $post) { - $hashtags = get_post_meta($post->ID, '_aktt_hash_meta', true); - $overall_len = strlen($tweet->tw_text.' '.$hashtags); - if ($overall_len <= 140) { - $tweet->tw_text .= ' '.$hashtags; - } - else { -// check overall needed length - $needed = $overall_len - 140; - $title = html_entity_decode($post->post_title, ENT_COMPAT, 'UTF-8'); - $title_len = strlen($title); -// try to regain the space by truncating the title -// if we need more than half of the title, only take half - we'll trim some hashtags later - ($needed + 3) >= (ceil($title_len / 2) + 3) ? $title_trim = substr($title, 0, ceil($title_len / 2)).'...' : $title_trim = substr($title, 0, strlen($title) - ($needed + 3)).'...'; -// reconstruct the tweet - global $aktt; - $tweet_text = sprintf(__($aktt->tweet_format, 'twitter-tools'), $title_trim, apply_filters('tweet_blog_post_url', get_permalink($post->ID))); -// if hashtags now fit, add hashtags - if (strlen($tweet_text.' '.$hashtags) <= 140) { -// yay, we're done! - $tweet->tw_text = $tweet_text.' '.$hashtags; - } - else { - $tagged_tweet = $tweet_text; -// drop hashtags if multiple - if (strpos($hashtags, ' ') !== false) { - $hashtags_array = explode(' ', $hashtags); - foreach ($hashtags_array as $hashtag) { - $test = $tagged_tweet.' '.$hashtag; - if (strlen($test) <= 140) { - $tagged_tweet = $test; - } - } - $tweet->tw_text = $tagged_tweet; - } - } - } - return $tweet; -} -add_filter('aktt_do_blog_post_tweet', 'aktt_hash_do_blog_post_tweet', 10, 2); - -function aktt_hash_save_post($post_id, $post) { - if (current_user_can('edit_post', $post_id)) { - update_post_meta($post_id, '_aktt_hash_meta', $_POST['_aktt_hash_meta']); - } -} -add_action('save_post', 'aktt_hash_save_post', 10, 2); - -function aktt_hash_request_handler() { - if (!empty($_POST['cf_action'])) { - switch ($_POST['cf_action']) { - case 'aktt_hash_update_settings': - if (!wp_verify_nonce($_POST['_wpnonce'], 'aktt_hash_update_settings')) { - wp_die('Oops, please try again.'); - } - aktt_hash_save_settings(); - wp_redirect(admin_url('options-general.php?page=twitter-tools.php&updated=true')); - die(); - break; - } - } -} -add_action('init', 'aktt_hash_request_handler'); - -$aktt_hash_settings = array( - 'aktt_hash_tags' => array( - 'type' => 'string', - 'label' => __('Default #hashtags for blog post tweets', 'twitter-tools-hash'), - 'default' => '', - 'help' => __('include the #, example: #twittertools', 'twitter-tools-hash'), - ), -); - -function aktt_hash_setting($option) { - $value = get_option($option); - if (empty($value)) { - global $aktt_hash_settings; - $value = $aktt_hash_settings[$option]['default']; - } - return $value; -} - -if (!function_exists('cf_settings_field')) { - function cf_settings_field($key, $config) { - $option = get_option($key); - if (empty($option) && !empty($config['default'])) { - $option = $config['default']; - } - $label = '<label for="'.$key.'">'.$config['label'].'</label>'; - $help = '<span class="help">'.$config['help'].'</span>'; - switch ($config['type']) { - case 'select': - $output = $label.'<select name="'.$key.'" id="'.$key.'">'; - foreach ($config['options'] as $val => $display) { - $option == $val ? $sel = ' selected="selected"' : $sel = ''; - $output .= '<option value="'.$val.'"'.$sel.'>'.htmlspecialchars($display).'</option>'; - } - $output .= '</select>'.$help; - break; - case 'textarea': - $output = $label.'<textarea name="'.$key.'" id="'.$key.'">'.htmlspecialchars($option).'</textarea>'.$help; - break; - case 'string': - case 'int': - default: - $output = $label.'<input name="'.$key.'" id="'.$key.'" value="'.htmlspecialchars($option).'" />'.$help; - break; - } - return '<div class="option">'.$output.'<div class="clear"></div></div>'; - } -} - -function aktt_hash_settings_form() { - global $aktt_hash_settings; - - print(' -<div class="wrap"> - <h2>'.__('#hashtags for Twitter Tools', 'twitter-tools-hash').'</h2> - <form id="aktt_hash_settings_form" name="aktt_hash_settings_form" class="aktt" action="'.admin_url('options-general.php').'" method="post"> - <input type="hidden" name="cf_action" value="aktt_hash_update_settings" /> - <fieldset class="options"> - '); - foreach ($aktt_hash_settings as $key => $config) { - echo cf_settings_field($key, $config); - } - print(' - </fieldset> - <p class="submit"> - <input type="submit" name="submit" class="button-primary" value="'.__('Save Settings', 'twitter-tools-hash').'" /> - </p> - '.wp_nonce_field('aktt_hash_update_settings', '_wpnonce', true, false).wp_referer_field(false).' - </form> -</div> - '); -} -add_action('aktt_options_form', 'aktt_hash_settings_form'); - -function aktt_hash_save_settings() { - if (!current_user_can('manage_options')) { - return; - } - global $aktt_hash_settings; - foreach ($aktt_hash_settings as $key => $option) { - $value = ''; - switch ($option['type']) { - case 'int': - $value = intval($_POST[$key]); - break; - case 'select': - $test = stripslashes($_POST[$key]); - if (isset($option['options'][$test])) { - $value = $test; - } - break; - case 'string': - case 'textarea': - default: - $value = stripslashes($_POST[$key]); - break; - } - update_option($key, $value); - } -} - -//a:21:{s:11:"plugin_name";s:26:"Hashtags for Twitter Tools";s:10:"plugin_uri";s:35:"http://crowdfavorite.com/wordpress/";s:18:"plugin_description";s:46:"Set #hastags for tweets sent by Twitter Tools.";s:14:"plugin_version";s:3:"1.0";s:6:"prefix";s:9:"aktt_hash";s:12:"localization";s:18:"twitter-tools-hash";s:14:"settings_title";s:27:"#hashtags for Twitter Tools";s:13:"settings_link";s:27:"#hashtags for Twitter Tools";s:4:"init";b:0;s:7:"install";b:0;s:9:"post_edit";s:1:"1";s:12:"comment_edit";b:0;s:6:"jquery";b:0;s:6:"wp_css";b:0;s:5:"wp_js";b:0;s:9:"admin_css";b:0;s:8:"admin_js";b:0;s:15:"request_handler";s:1:"1";s:6:"snoopy";b:0;s:11:"setting_cat";b:0;s:14:"setting_author";b:0;} - -?> \ No newline at end of file diff --git a/wp-content/plugins/twitter-tools/twitter-tools.php b/wp-content/plugins/twitter-tools/twitter-tools.php deleted file mode 100644 index 7972c78102389d885b6b68d60fc9c43026b1e039..0000000000000000000000000000000000000000 --- a/wp-content/plugins/twitter-tools/twitter-tools.php +++ /dev/null @@ -1,2210 +0,0 @@ -<?php -/* -Plugin Name: Twitter Tools -Plugin URI: http://crowdfavorite.com/wordpress/plugins/twitter-tools/ -Description: A complete integration between your WordPress blog and <a href="http://twitter.com">Twitter</a>. Bring your tweets into your blog and pass your blog posts to Twitter. Show your tweets in your sidebar, and post tweets from your WordPress admin. -Version: 2.4 -Author: Crowd Favorite -Author URI: http://crowdfavorite.com -*/ - -// Copyright (c) 2007-2010 Crowd Favorite, Ltd., Alex King. All rights reserved. -// -// Released under the GPL license -// http://www.opensource.org/licenses/gpl-license.php -// -// This is an add-on for WordPress -// http://wordpress.org/ -// -// Thanks to John Ford ( http://www.aldenta.com ) for his contributions. -// Thanks to Dougal Campbell ( http://dougal.gunters.org ) for his contributions. -// Thanks to Silas Sewell ( http://silas.sewell.ch ) for his contributions. -// Thanks to Greg Grubbs for his contributions. -// -// ********************************************************************** -// This program is distributed in the hope that it will be useful, but -// WITHOUT ANY WARRANTY; without even the implied warranty of -// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. -// ********************************************************************** - -/* TODO - -- update widget to new WP widget class -- what should retweet support look like? -- refactor digests to use WP-CRON -- truncate super-long post titles so that full tweet content is < 140 chars - -*/ - -define('AKTT_VERSION', '2.4'); - -load_plugin_textdomain('twitter-tools', false, dirname(plugin_basename(__FILE__)) . '/language'); - -if (!defined('PLUGINDIR')) { - define('PLUGINDIR','wp-content/plugins'); -} - -if (is_file(trailingslashit(ABSPATH.PLUGINDIR).'twitter-tools.php')) { - define('AKTT_FILE', trailingslashit(ABSPATH.PLUGINDIR).'twitter-tools.php'); -} -else if (is_file(trailingslashit(ABSPATH.PLUGINDIR).'twitter-tools/twitter-tools.php')) { - define('AKTT_FILE', trailingslashit(ABSPATH.PLUGINDIR).'twitter-tools/twitter-tools.php'); -} - -define('AKTT_API_POST_STATUS', 'http://twitter.com/statuses/update.json'); -define('AKTT_API_USER_TIMELINE', 'http://twitter.com/statuses/user_timeline.json'); -define('AKTT_API_STATUS_SHOW', 'http://twitter.com/statuses/show/###ID###.json'); -define('AKTT_PROFILE_URL', 'http://twitter.com/###USERNAME###'); -define('AKTT_STATUS_URL', 'http://twitter.com/###USERNAME###/statuses/###STATUS###'); -define('AKTT_HASHTAG_URL', 'http://search.twitter.com/search?q=###HASHTAG###'); - -function aktt_install() { - global $wpdb; - - $aktt_install = new twitter_tools; - $wpdb->aktt = $wpdb->prefix.'ak_twitter'; - $tables = $wpdb->get_col(" - SHOW TABLES LIKE '$wpdb->aktt' - "); - if (!in_array($wpdb->aktt, $tables)) { - $charset_collate = ''; - if ( version_compare(mysql_get_server_info(), '4.1.0', '>=') ) { - if (!empty($wpdb->charset)) { - $charset_collate .= " DEFAULT CHARACTER SET $wpdb->charset"; - } - if (!empty($wpdb->collate)) { - $charset_collate .= " COLLATE $wpdb->collate"; - } - } - $result = $wpdb->query(" - CREATE TABLE `$wpdb->aktt` ( - `id` INT( 11 ) NOT NULL AUTO_INCREMENT PRIMARY KEY , - `tw_id` VARCHAR( 255 ) NOT NULL , - `tw_text` VARCHAR( 255 ) NOT NULL , - `tw_reply_username` VARCHAR( 255 ) DEFAULT NULL , - `tw_reply_tweet` VARCHAR( 255 ) DEFAULT NULL , - `tw_created_at` DATETIME NOT NULL , - `modified` DATETIME NOT NULL , - UNIQUE KEY `tw_id_unique` ( `tw_id` ) - ) $charset_collate - "); - } - foreach ($aktt_install->options as $option) { - add_option('aktt_'.$option, $aktt_install->$option); - } - add_option('aktt_update_hash', ''); -} -register_activation_hook(AKTT_FILE, 'aktt_install'); - -class twitter_tools { - function twitter_tools() { - $this->options = array( - 'twitter_username' - , 'create_blog_posts' - , 'create_digest' - , 'create_digest_weekly' - , 'digest_daily_time' - , 'digest_weekly_time' - , 'digest_weekly_day' - , 'digest_title' - , 'digest_title_weekly' - , 'blog_post_author' - , 'blog_post_category' - , 'blog_post_tags' - , 'notify_twitter' - , 'sidebar_tweet_count' - , 'tweet_from_sidebar' - , 'give_tt_credit' - , 'exclude_reply_tweets' - , 'tweet_prefix' - , 'last_tweet_download' - , 'doing_tweet_download' - , 'doing_digest_post' - , 'install_date' - , 'js_lib' - , 'digest_tweet_order' - , 'notify_twitter_default' - , 'app_consumer_key' - , 'app_consumer_secret' - , 'oauth_token' - , 'oauth_token_secret' - ); - $this->twitter_username = ''; - $this->create_blog_posts = '0'; - $this->create_digest = '0'; - $this->create_digest_weekly = '0'; - $this->digest_daily_time = null; - $this->digest_weekly_time = null; - $this->digest_weekly_day = null; - $this->digest_title = __("Twitter Updates for %s", 'twitter-tools'); - $this->digest_title_weekly = __("Twitter Weekly Updates for %s", 'twitter-tools'); - $this->blog_post_author = '1'; - $this->blog_post_category = '1'; - $this->blog_post_tags = ''; - $this->notify_twitter = '0'; - $this->notify_twitter_default = '0'; - $this->sidebar_tweet_count = '3'; - $this->tweet_from_sidebar = '1'; - $this->give_tt_credit = '1'; - $this->exclude_reply_tweets = '0'; - $this->install_date = ''; - $this->js_lib = 'jquery'; - $this->digest_tweet_order = 'ASC'; - $this->tweet_prefix = 'New blog post'; - $this->app_consumer_key = ''; - $this->app_consumer_secret = ''; - $this->oauth_token = ''; - $this->oauth_token_secret =''; - // not included in options - $this->update_hash = ''; - $this->tweet_format = $this->tweet_prefix.': %s %s'; - $this->last_digest_post = ''; - $this->last_tweet_download = ''; - $this->doing_tweet_download = '0'; - $this->doing_digest_post = '0'; - $this->oauth_hash = ''; - $this->version = AKTT_VERSION; - } - - function upgrade() { - global $wpdb; - $wpdb->aktt = $wpdb->prefix.'ak_twitter'; - - $col_data = $wpdb->get_results(" - SHOW COLUMNS FROM $wpdb->aktt - "); - $cols = array(); - foreach ($col_data as $col) { - $cols[] = $col->Field; - } - // 1.2 schema upgrade - if (!in_array('tw_reply_username', $cols)) { - $wpdb->query(" - ALTER TABLE `$wpdb->aktt` - ADD `tw_reply_username` VARCHAR( 255 ) DEFAULT NULL - AFTER `tw_text` - "); - } - if (!in_array('tw_reply_tweet', $cols)) { - $wpdb->query(" - ALTER TABLE `$wpdb->aktt` - ADD `tw_reply_tweet` VARCHAR( 255 ) DEFAULT NULL - AFTER `tw_reply_username` - "); - } - $this->upgrade_default_tweet_prefix(); - // upgrade indexes 2.1 - $index_data = $wpdb->get_results(" - SHOW INDEX FROM $wpdb->aktt - "); - $indexes = array(); - foreach ($index_data as $index) { - $indexes[] = $index->Key_name; - } - if (in_array('tw_id', $indexes)) { - $wpdb->query(" - ALTER TABLE `$wpdb->aktt` - DROP INDEX `tw_id` - "); - } - if (!in_array('tw_id_unique', $indexes)) { - $wpdb->query(" - ALTER IGNORE TABLE `$wpdb->aktt` - ADD UNIQUE KEY `tw_id_unique` ( `tw_id` ) - "); - $wpdb->query(" - OPTIMIZE TABLE `$wpdb->aktt` - "); - } - } - - function upgrade_default_tweet_prefix() { - $prefix = get_option('aktt_tweet_prefix'); - if (empty($prefix)) { - $aktt_defaults = new twitter_tools; - update_option('aktt_tweet_prefix', $aktt_defaults->tweet_prefix); - } - } - - function get_settings() { - foreach ($this->options as $option) { - $value = get_option('aktt_'.$option); - if ($option != 'tweet_prefix' || !empty($value)) { - $this->$option = $value; - } - } - $this->tweet_format = $this->tweet_prefix.': %s %s'; - } - - // puts post fields into object propps - function populate_settings() { - foreach ($this->options as $option) { - $value = stripslashes($_POST['aktt_'.$option]); - if (isset($_POST['aktt_'.$option]) && ($option != 'tweet_prefix' || !empty($value))) { - $this->$option = $value; - } - } - } - - // puts object props into wp option storage - function update_settings() { - if (current_user_can('manage_options')) { - $this->sidebar_tweet_count = intval($this->sidebar_tweet_count); - if ($this->sidebar_tweet_count == 0) { - $this->sidebar_tweet_count = '3'; - } - foreach ($this->options as $option) { - update_option('aktt_'.$option, $this->$option); - } - if (empty($this->install_date)) { - update_option('aktt_install_date', current_time('mysql')); - } - $this->initiate_digests(); - $this->upgrade(); - $this->upgrade_default_tweet_prefix(); - update_option('aktt_installed_version', AKTT_VERSION); - delete_option('aktt_twitter_password'); - } - } - - // figure out when the next weekly and daily digests will be - function initiate_digests() { - $next = ($this->create_digest) ? $this->calculate_next_daily_digest() : null; - $this->next_daily_digest = $next; - update_option('aktt_next_daily_digest', $next); - - $next = ($this->create_digest_weekly) ? $this->calculate_next_weekly_digest() : null; - $this->next_weekly_digest = $next; - update_option('aktt_next_weekly_digest', $next); - } - - function calculate_next_daily_digest() { - $optionDate = strtotime($this->digest_daily_time); - $hour_offset = date("G", $optionDate); - $minute_offset = date("i", $optionDate); - $next = mktime($hour_offset, $minute_offset, 0); - - // may have to move to next day - $now = time(); - while($next < $now) { - $next += 60 * 60 * 24; - } - return $next; - } - - function calculate_next_weekly_digest() { - $optionDate = strtotime($this->digest_weekly_time); - $hour_offset = date("G", $optionDate); - $minute_offset = date("i", $optionDate); - - $current_day_of_month = date("j"); - $current_day_of_week = date("w"); - $current_month = date("n"); - - // if this week's day is less than today, go for next week - $nextDay = $current_day_of_month - $current_day_of_week + $this->digest_weekly_day; - $next = mktime($hour_offset, $minute_offset, 0, $current_month, $nextDay); - if ($this->digest_weekly_day <= $current_day_of_week) { - $next = strtotime('+1 week', $next); - } - return $next; - } - - function ping_digests() { - // still busy - if (get_option('aktt_doing_digest_post') == '1') { - return; - } - // check all the digest schedules - if ($this->create_digest == 1) { - $this->ping_digest('aktt_next_daily_digest', 'aktt_last_digest_post', $this->digest_title, 60 * 60 * 24 * 1); - } - if ($this->create_digest_weekly == 1) { - $this->ping_digest('aktt_next_weekly_digest', 'aktt_last_digest_post_weekly', $this->digest_title_weekly, 60 * 60 * 24 * 7); - } - return; - } - - function ping_digest($nextDateField, $lastDateField, $title, $defaultDuration) { - - $next = get_option($nextDateField); - - if ($next) { - $next = $this->validateDate($next); - $rightNow = time(); - if ($rightNow >= $next) { - $start = get_option($lastDateField); - $start = $this->validateDate($start, $rightNow - $defaultDuration); - if ($this->do_digest_post($start, $next, $title)) { - update_option($lastDateField, $rightNow); - update_option($nextDateField, $next + $defaultDuration); - } else { - update_option($lastDateField, null); - } - } - } - } - - function validateDate($in, $default = 0) { - if (!is_numeric($in)) { - // try to convert what they gave us into a date - $out = strtotime($in); - // if that doesn't work, return the default - if (!is_numeric($out)) { - return $default; - } - return $out; - } - return $in; - } - - function do_digest_post($start, $end, $title) { - - if (!$start || !$end) return false; - - // flag us as busy - update_option('aktt_doing_digest_post', '1'); - remove_action('publish_post', 'aktt_notify_twitter', 99); - remove_action('publish_post', 'aktt_store_post_options', 1, 2); - remove_action('save_post', 'aktt_store_post_options', 1, 2); - // see if there's any tweets in the time range - global $wpdb; - - $startGMT = gmdate("Y-m-d H:i:s", $start); - $endGMT = gmdate("Y-m-d H:i:s", $end); - - // build sql - $conditions = array(); - $conditions[] = "tw_created_at >= '{$startGMT}'"; - $conditions[] = "tw_created_at <= '{$endGMT}'"; - $conditions[] = "tw_text NOT LIKE '".$wpdb->escape($this->tweet_prefix)."%'"; - if ($this->exclude_reply_tweets) { - $conditions[] = "tw_text NOT LIKE '@%'"; - } - $where = implode(' AND ', $conditions); - - $sql = " - SELECT * FROM {$wpdb->aktt} - WHERE {$where} - ORDER BY tw_created_at {$this->digest_tweet_order} - "; - - $tweets = $wpdb->get_results($sql); - - if (count($tweets) > 0) { - - $tweets_to_post = array(); - foreach ($tweets as $data) { - $tweet = new aktt_tweet; - $tweet->tw_text = $data->tw_text; - $tweet->tw_reply_tweet = $data->tw_reply_tweet; - if (!$tweet->tweet_is_post_notification() || ($tweet->tweet_is_reply() && $this->exclude_reply_tweets)) { - $tweets_to_post[] = $data; - } - } - - $tweets_to_post = apply_filters('aktt_tweets_to_digest_post', $tweets_to_post); // here's your chance to alter the tweet list that will be posted as the digest - - if (count($tweets_to_post) > 0) { - $content = '<ul class="aktt_tweet_digest">'."\n"; - foreach ($tweets_to_post as $tweet) { - $content .= ' <li>'.aktt_tweet_display($tweet, 'absolute').'</li>'."\n"; - } - $content .= '</ul>'."\n"; - if ($this->give_tt_credit == '1') { - $content .= '<p class="aktt_credit">'.__('Powered by <a href="http://alexking.org/projects/wordpress">Twitter Tools</a>', 'twitter-tools').'</p>'; - } - $post_data = array( - 'post_content' => $wpdb->escape($content), - 'post_title' => $wpdb->escape(sprintf($title, date('Y-m-d'))), - 'post_date' => date('Y-m-d H:i:s', $end), - 'post_category' => array($this->blog_post_category), - 'post_status' => 'publish', - 'post_author' => $wpdb->escape($this->blog_post_author) - ); - $post_data = apply_filters('aktt_digest_post_data', $post_data); // last chance to alter the digest content - - $post_id = wp_insert_post($post_data); - - add_post_meta($post_id, 'aktt_tweeted', '1', true); - wp_set_post_tags($post_id, $this->blog_post_tags); - } - - } - add_action('publish_post', 'aktt_notify_twitter', 99); - add_action('publish_post', 'aktt_store_post_options', 1, 2); - add_action('save_post', 'aktt_store_post_options', 1, 2); - update_option('aktt_doing_digest_post', '0'); - return true; - } - - function tweet_download_interval() { - return 600; - } - - function do_tweet($tweet = '') { - if (empty($tweet) || empty($tweet->tw_text)) { - return; - } - $tweet = apply_filters('aktt_do_tweet', $tweet); // return false here to not tweet - if (!$tweet) { - return; - } - - if (aktt_oauth_test() && ($connection = aktt_oauth_connection())) { - $connection->post( - AKTT_API_POST_STATUS - , array( - 'status' => $tweet->tw_text - , 'source' => 'twittertools' - ) - ); - if (strcmp($connection->http_code, '200') == 0) { - update_option('aktt_last_tweet_download', strtotime('-28 minutes')); - return true; - } - } - return false; - } - - function do_blog_post_tweet($post_id = 0) { -// this is only called on the publish_post hook - if ($this->notify_twitter == '0' - || $post_id == 0 - || get_post_meta($post_id, 'aktt_tweeted', true) == '1' - || get_post_meta($post_id, 'aktt_notify_twitter', true) == 'no' - ) { - return; - } - $post = get_post($post_id); - // check for an edited post before TT was installed - if ($post->post_date <= $this->install_date) { - return; - } - // check for private posts - if ($post->post_status == 'private') { - return; - } - $tweet = new aktt_tweet; - $url = apply_filters('tweet_blog_post_url', get_permalink($post_id)); - $tweet->tw_text = sprintf(__($this->tweet_format, 'twitter-tools'), @html_entity_decode($post->post_title, ENT_COMPAT, 'UTF-8'), $url); - $tweet = apply_filters('aktt_do_blog_post_tweet', $tweet, $post); // return false here to not tweet - if (!$tweet) { - return; - } - $this->do_tweet($tweet); - add_post_meta($post_id, 'aktt_tweeted', '1', true); - } - - function do_tweet_post($tweet) { - global $wpdb; - remove_action('publish_post', 'aktt_notify_twitter', 99); - $data = array( - 'post_content' => $wpdb->escape(aktt_make_clickable($tweet->tw_text)) - , 'post_title' => $wpdb->escape(trim_add_elipsis($tweet->tw_text, 30)) - , 'post_date' => get_date_from_gmt(date('Y-m-d H:i:s', $tweet->tw_created_at)) - , 'post_category' => array($this->blog_post_category) - , 'post_status' => 'publish' - , 'post_author' => $wpdb->escape($this->blog_post_author) - ); - $data = apply_filters('aktt_do_tweet_post', $data, $tweet); // return false here to not make a blog post - if (!$data) { - return; - } - $post_id = wp_insert_post($data); - add_post_meta($post_id, 'aktt_twitter_id', $tweet->tw_id, true); - wp_set_post_tags($post_id, $this->blog_post_tags); - add_action('publish_post', 'aktt_notify_twitter', 99); - } -} - -class aktt_tweet { - function aktt_tweet( - $tw_id = '' - , $tw_text = '' - , $tw_created_at = '' - , $tw_reply_username = null - , $tw_reply_tweet = null - ) { - $this->id = ''; - $this->modified = ''; - $this->tw_created_at = $tw_created_at; - $this->tw_text = $tw_text; - $this->tw_reply_username = $tw_reply_username; - $this->tw_reply_tweet = $tw_reply_tweet; - $this->tw_id = $tw_id; - } - - function twdate_to_time($date) { - $parts = explode(' ', $date); - $date = strtotime($parts[1].' '.$parts[2].', '.$parts[5].' '.$parts[3]); - return $date; - } - - function tweet_post_exists() { - global $wpdb; - $test = $wpdb->get_results(" - SELECT * - FROM $wpdb->postmeta - WHERE meta_key = 'aktt_twitter_id' - AND meta_value = '".$wpdb->escape($this->tw_id)."' - "); - if (count($test) > 0) { - return true; - } - return false; - } - - function tweet_is_post_notification() { - global $aktt; - if (substr($this->tw_text, 0, strlen($aktt->tweet_prefix)) == $aktt->tweet_prefix) { - return true; - } - return false; - } - - function tweet_is_reply() { -// Twitter data changed - users still expect anything starting with @ is a reply -// return !empty($this->tw_reply_tweet); - return (substr($this->tw_text, 0, 1) == '@'); - } - - function add() { - global $wpdb, $aktt; - $wpdb->query(" - INSERT - INTO $wpdb->aktt - ( tw_id - , tw_text - , tw_reply_username - , tw_reply_tweet - , tw_created_at - , modified - ) - VALUES - ( '".$wpdb->escape($this->tw_id)."' - , '".$wpdb->escape($this->tw_text)."' - , '".$wpdb->escape($this->tw_reply_username)."' - , '".$wpdb->escape($this->tw_reply_tweet)."' - , '".date('Y-m-d H:i:s', $this->tw_created_at)."' - , NOW() - ) - "); - do_action('aktt_add_tweet', $this); - if ($aktt->create_blog_posts == '1' && !$this->tweet_post_exists() && !$this->tweet_is_post_notification() && (!$aktt->exclude_reply_tweets || !$this->tweet_is_reply())) { - $aktt->do_tweet_post($this); - } - } -} - -function aktt_api_status_show_url($id) { - return str_replace('###ID###', $id, AKTT_API_STATUS_SHOW); -} - -function aktt_profile_url($username) { - return str_replace('###USERNAME###', $username, AKTT_PROFILE_URL); -} - -function aktt_profile_link($username, $prefix = '', $suffix = '') { - return $prefix.'<a href="'.aktt_profile_url($username).'" class="aktt_username">'.$username.'</a>'.$suffix; -} - -function aktt_hashtag_url($hashtag) { - $hashtag = urlencode('#'.$hashtag); - return str_replace('###HASHTAG###', $hashtag, AKTT_HASHTAG_URL); -} - -function aktt_hashtag_link($hashtag, $prefix = '', $suffix = '') { - return $prefix.'<a href="'.aktt_hashtag_url($hashtag).'" class="aktt_hashtag">'.htmlspecialchars($hashtag).'</a> '.$suffix; -} - -function aktt_status_url($username, $status) { - return str_replace( - array( - '###USERNAME###' - , '###STATUS###' - ) - , array( - $username - , $status - ) - , AKTT_STATUS_URL - ); -} -function aktt_oauth_test() { - global $aktt; - return ( aktt_oauth_credentials_to_hash() == get_option('aktt_oauth_hash') ); -} - -function aktt_ping_digests() { - global $aktt; - $aktt->ping_digests(); -} - -function aktt_update_tweets() { - global $aktt; - - // let the last update run for 10 minutes - if (time() - intval(get_option('aktt_doing_tweet_download')) < $aktt->tweet_download_interval()) { - return; - } - // wait 10 min between downloads - if (time() - intval(get_option('aktt_last_tweet_download')) < $aktt->tweet_download_interval()) { - return; - } - update_option('aktt_doing_tweet_download', time()); - global $wpdb, $aktt; - if (empty($aktt->twitter_username)) { - update_option('aktt_doing_tweet_download', '0'); - return; - } - - if ( aktt_oauth_test() && ($connection = aktt_oauth_connection()) ) { - $data = $connection->get(AKTT_API_USER_TIMELINE); - if ($connection->http_code != '200') { - update_option('aktt_doing_tweet_download', '0'); - return; - } - } - else { - return; - } - // hash results to see if they're any different than the last update, if so, return - - $hash = md5($data); - if ($hash == get_option('aktt_update_hash')) { - update_option('aktt_last_tweet_download', time()); - update_option('aktt_doing_tweet_download', '0'); - do_action('aktt_update_tweets'); - return; - } - $data = preg_replace('/"id":(\d+)/', '"id":"$1"', $data); // hack for json_decode on 32-bit PHP - $tweets = json_decode($data); - - if (is_array($tweets) && count($tweets)) { - $tweet_ids = array(); - foreach ($tweets as $tweet) { - $tweet_ids[] = $wpdb->escape($tweet->id); - } - $existing_ids = $wpdb->get_col(" - SELECT tw_id - FROM $wpdb->aktt - WHERE tw_id - IN ('".implode("', '", $tweet_ids)."') - "); - foreach ($tweets as $tw_data) { - if (!$existing_ids || !in_array($tw_data->id, $existing_ids)) { - $tweet = new aktt_tweet( - $tw_data->id - , $tw_data->text - ); - $tweet->tw_created_at = $tweet->twdate_to_time($tw_data->created_at); - if (!empty($tw_data->in_reply_to_status_id)) { - $tweet->tw_reply_tweet = $tw_data->in_reply_to_status_id; - $url = aktt_api_status_show_url($tw_data->in_reply_to_status_id); - $data = $connection->get($url); - if (strcmp($connection->http_code, '200') == 0) { - $status = json_decode($data); - $tweet->tw_reply_username = $status->user->screen_name; - } - } - // make sure we haven't downloaded someone else's tweets - happens sometimes due to Twitter hiccups - if (strtolower($tw_data->user->screen_name) == strtolower($aktt->twitter_username)) { - $tweet->add(); - } - } - } - } - aktt_reset_tweet_checking($hash, time()); - do_action('aktt_update_tweets'); -} - -function aktt_reset_tweet_checking($hash = '', $time = 0) { - if (!current_user_can('manage_options')) { - return; - } - update_option('aktt_update_hash', $hash); - update_option('aktt_last_tweet_download', $time); - update_option('aktt_doing_tweet_download', '0'); -} - -function aktt_reset_digests() { - if (!current_user_can('manage_options')) { - return; - } - update_option('aktt_doing_digest_post', '0'); -} - -function aktt_notify_twitter($post_id) { - global $aktt; - $aktt->do_blog_post_tweet($post_id); -} -add_action('publish_post', 'aktt_notify_twitter', 99); - -function aktt_sidebar_tweets($limit = null, $form = null) { - global $wpdb, $aktt; - if (!$limit) { - $limit = $aktt->sidebar_tweet_count; - } - if ($aktt->exclude_reply_tweets) { - $where = "AND tw_text NOT LIKE '@%' "; - } - else { - $where = ''; - } - $tweets = $wpdb->get_results(" - SELECT * - FROM $wpdb->aktt - WHERE tw_text NOT LIKE '".$wpdb->escape($aktt->tweet_prefix.'%')."' - $where - ORDER BY tw_created_at DESC - LIMIT $limit - "); - $output = '<div class="aktt_tweets">'."\n" - .' <ul>'."\n"; - if (count($tweets) > 0) { - foreach ($tweets as $tweet) { - $output .= ' <li>'.aktt_tweet_display($tweet).'</li>'."\n"; - } - } - else { - $output .= ' <li>'.__('No tweets available at the moment.', 'twitter-tools').'</li>'."\n"; - } - if (!empty($aktt->twitter_username)) { - $output .= ' <li class="aktt_more_updates"><a href="'.aktt_profile_url($aktt->twitter_username).'">'.__('More updates...', 'twitter-tools').'</a></li>'."\n"; - } - $output .= '</ul>'; - if ($form !== false && $aktt->tweet_from_sidebar == '1' && aktt_oauth_test()) { - $output .= aktt_tweet_form('input', 'onsubmit="akttPostTweet(); return false;"'); - $output .= ' <p id="aktt_tweet_posted_msg">'.__('Posting tweet...', 'twitter-tools').'</p>'; - } - if ($aktt->give_tt_credit == '1') { - $output .= '<p class="aktt_credit">'.__('Powered by <a href="http://alexking.org/projects/wordpress">Twitter Tools</a>', 'twitter-tools').'</p>'; - } - $output .= '</div>'; - print($output); -} - -function aktt_shortcode_tweets($args) { - extract(shortcode_atts(array( - 'count' => null - ), $args)); - ob_start(); - aktt_sidebar_tweets($count, false); - $output = ob_get_contents(); - ob_end_clean(); - return $output; -} -add_shortcode('aktt_tweets', 'aktt_shortcode_tweets'); - -function aktt_latest_tweet() { - global $wpdb, $aktt; - if ($aktt->exclude_reply_tweets) { - $where = "AND tw_text NOT LIKE '@%' "; - } - else { - $where = ''; - } - $tweets = $wpdb->get_results(" - SELECT * - FROM $wpdb->aktt - WHERE tw_text NOT LIKE '".$wpdb->escape($aktt->tweet_prefix)."%' - $where - ORDER BY tw_created_at DESC - LIMIT 1 - "); - if (count($tweets) == 1) { - foreach ($tweets as $tweet) { - $output = aktt_tweet_display($tweet); - } - } - else { - $output = __('No tweets available at the moment.', 'twitter-tools'); - } - print($output); -} - -function aktt_tweet_display($tweet, $time = 'relative') { - global $aktt; - $output = aktt_make_clickable(wp_specialchars($tweet->tw_text)); - if (!empty($tweet->tw_reply_username)) { - $output .= ' <a href="'.aktt_status_url($tweet->tw_reply_username, $tweet->tw_reply_tweet).'" class="aktt_tweet_reply">'.sprintf(__('in reply to %s', 'twitter-tools'), $tweet->tw_reply_username).'</a>'; - } - switch ($time) { - case 'relative': - $time_display = aktt_relativeTime($tweet->tw_created_at, 3); - break; - case 'absolute': - $time_display = '#'; - break; - } - $output .= ' <a href="'.aktt_status_url($aktt->twitter_username, $tweet->tw_id).'" class="aktt_tweet_time">'.$time_display.'</a>'; - $output = apply_filters('aktt_tweet_display', $output, $tweet); // allows you to alter the tweet display output - return $output; -} - -function aktt_make_clickable($tweet) { - $tweet .= ' '; - $tweet = preg_replace_callback( - '/(^|\s)@([a-zA-Z0-9_]{1,})(\W)/' - , create_function( - '$matches' - , 'return aktt_profile_link($matches[2], \' @\', $matches[3]);' - ) - , $tweet - ); - $tweet = preg_replace_callback( - '/(^|\s)#([a-zA-Z0-9_]{1,})(\W)/' - , create_function( - '$matches' - , 'return aktt_hashtag_link($matches[2], \' #\', \'\');' - ) - , $tweet - ); - - if (function_exists('make_chunky')) { - return make_chunky($tweet); - } - else { - return make_clickable($tweet); - } -} - -function aktt_tweet_form($type = 'input', $extra = '') { - $output = ''; - if (current_user_can('publish_posts') && aktt_oauth_test()) { - $output .= ' -<form action="'.site_url('index.php').'" method="post" id="aktt_tweet_form" '.$extra.'> - <fieldset> - '; - switch ($type) { - case 'input': - $output .= ' - <p><input type="text" size="20" maxlength="140" id="aktt_tweet_text" name="aktt_tweet_text" onkeyup="akttCharCount();" /></p> - <input type="hidden" name="ak_action" value="aktt_post_tweet_sidebar" /> - <script type="text/javascript"> - //<![CDATA[ - function akttCharCount() { - var count = document.getElementById("aktt_tweet_text").value.length; - if (count > 0) { - document.getElementById("aktt_char_count").innerHTML = 140 - count; - } - else { - document.getElementById("aktt_char_count").innerHTML = ""; - } - } - setTimeout("akttCharCount();", 500); - document.getElementById("aktt_tweet_form").setAttribute("autocomplete", "off"); - //]]> - </script> - '; - break; - case 'textarea': - $output .= ' - <p><textarea type="text" cols="60" rows="5" maxlength="140" id="aktt_tweet_text" name="aktt_tweet_text" onkeyup="akttCharCount();"></textarea></p> - <input type="hidden" name="ak_action" value="aktt_post_tweet_admin" /> - <script type="text/javascript"> - //<![CDATA[ - function akttCharCount() { - var count = document.getElementById("aktt_tweet_text").value.length; - if (count > 0) { - document.getElementById("aktt_char_count").innerHTML = (140 - count) + "'.__(' characters remaining', 'twitter-tools').'"; - } - else { - document.getElementById("aktt_char_count").innerHTML = ""; - } - } - setTimeout("akttCharCount();", 500); - document.getElementById("aktt_tweet_form").setAttribute("autocomplete", "off"); - //]]> - </script> - '; - break; - } - $output .= ' - <p> - <input type="submit" id="aktt_tweet_submit" name="aktt_tweet_submit" value="'.__('Post Tweet!', 'twitter-tools').'" class="button-primary" /> - <span id="aktt_char_count"></span> - </p> - <div class="clear"></div> - </fieldset> - '.wp_nonce_field('aktt_new_tweet', '_wpnonce', true, false).wp_referer_field(false).' -</form> - '; - } - return $output; -} - -function aktt_widget_init() { - if (!function_exists('register_sidebar_widget')) { - return; - } - function aktt_widget($args) { - extract($args); - $options = get_option('aktt_widget'); - $title = $options['title']; - if (empty($title)) { - } - echo $before_widget . $before_title . $title . $after_title; - aktt_sidebar_tweets(); - echo $after_widget; - } - register_sidebar_widget(array(__('Twitter Tools', 'twitter-tools'), 'widgets'), 'aktt_widget'); - - function aktt_widget_control() { - $options = get_option('aktt_widget'); - if (!is_array($options)) { - $options = array( - 'title' => __("What I'm Doing...", 'twitter-tools') - ); - } - if (isset($_POST['ak_action']) && $_POST['ak_action'] == 'aktt_update_widget_options') { - $options['title'] = strip_tags(stripslashes($_POST['aktt_widget_title'])); - update_option('aktt_widget', $options); - // reset checking so that sidebar isn't blank if this is the first time activating - aktt_reset_tweet_checking(); - aktt_update_tweets(); - } - - // Be sure you format your options to be valid HTML attributes. - $title = htmlspecialchars($options['title'], ENT_QUOTES); - - // Here is our little form segment. Notice that we don't need a - // complete form. This will be embedded into the existing form. - print(' - <p style="text-align:right;"><label for="aktt_widget_title">' . __('Title:') . ' <input style="width: 200px;" id="aktt_widget_title" name="aktt_widget_title" type="text" value="'.$title.'" /></label></p> - <p>'.__('Find additional Twitter Tools options on the <a href="options-general.php?page=twitter-tools.php">Twitter Tools Options page</a>.', 'twitter-tools').' - <input type="hidden" id="ak_action" name="ak_action" value="aktt_update_widget_options" /> - '); - } - register_widget_control(array(__('Twitter Tools', 'twitter-tools'), 'widgets'), 'aktt_widget_control', 300, 100); - -} -add_action('widgets_init', 'aktt_widget_init'); - -function aktt_init() { - global $wpdb, $aktt; - $wpdb->aktt = $wpdb->prefix.'ak_twitter'; - $aktt = new twitter_tools; - $aktt->get_settings(); - if (($aktt->last_tweet_download + $aktt->tweet_download_interval()) < time()) { - add_action('shutdown', 'aktt_update_tweets'); - add_action('shutdown', 'aktt_ping_digests'); - } - if (!is_admin() && $aktt->tweet_from_sidebar && current_user_can('publish_posts')) { - switch ($aktt->js_lib) { - case 'jquery': - wp_enqueue_script('jquery'); - break; - case 'prototype': - wp_enqueue_script('prototype'); - break; - } - } - if (is_admin()) { - global $wp_version; - $update = false; - if (isset($wp_version) && version_compare($wp_version, '2.5', '>=') && empty ($aktt->install_date)) { - $update = true; - } - if (!get_option('aktt_tweet_prefix')) { - update_option('aktt_tweet_prefix', $aktt->tweet_prefix); - $update = true; - } - $installed_version = get_option('aktt_installed_version'); - if ($installed_version != AKTT_VERSION) { - $update = true; - } - if (!empty($installed_version) && version_compare($installed_version, '2.4', '<') && !aktt_oauth_test()) { - add_action('admin_notices', create_function( '', "echo '<div class=\"error\"><p>".sprintf(__('Twitter recently changed how it authenticates its users, you will need you to update your <a href="%s">Twitter Tools settings</a>. We apologize for any inconvenience these new authentication steps may cause.', 'twitter-tools'), admin_url('options-general.php?page=twitter-tools.php'))."</p></div>';" ) ); - } - else if ($update) { - add_action('admin_notices', create_function( '', "echo '<div class=\"error\"><p>".sprintf(__('Please update your <a href="%s">Twitter Tools settings</a>', 'twitter-tools'), admin_url('options-general.php?page=twitter-tools.php'))."</p></div>';" ) ); - } - } -} -add_action('init', 'aktt_init', 1); - -function aktt_head() { - global $aktt; - if ($aktt->tweet_from_sidebar) { - print(' - <link rel="stylesheet" type="text/css" href="'.site_url('/index.php?ak_action=aktt_css&v='.AKTT_VERSION).'" /> - <script type="text/javascript" src="'.site_url('/index.php?ak_action=aktt_js&v='.AKTT_VERSION).'"></script> - '); - } -} -add_action('wp_head', 'aktt_head'); - -function aktt_head_admin() { - print(' - <link rel="stylesheet" type="text/css" href="'.admin_url('index.php?ak_action=aktt_css_admin&v='.AKTT_VERSION).'" /> - <script type="text/javascript" src="'.admin_url('index.php?ak_action=aktt_js_admin&v='.AKTT_VERSION).'"></script> - '); -} -if (isset($_GET['page']) && $_GET['page'] == 'twitter-tools.php') { - add_action('admin_head', 'aktt_head_admin'); -} - -function aktt_resources() { - global $aktt; - if (!empty($_GET['ak_action'])) { - switch($_GET['ak_action']) { - case 'aktt_js': - header("Content-type: text/javascript"); - switch ($aktt->js_lib) { - case 'jquery': -?> -function akttPostTweet() { - var tweet_field = jQuery('#aktt_tweet_text'); - var tweet_form = tweet_field.parents('form'); - var tweet_text = tweet_field.val(); - if (tweet_text == '') { - return; - } - var tweet_msg = jQuery("#aktt_tweet_posted_msg"); - var nonce = jQuery(tweet_form).find('input[name=_wpnonce]').val(); - var refer = jQuery(tweet_form).find('input[name=_wp_http_referer]').val(); - jQuery.post( - "<?php echo site_url('index.php'); ?>", - { - ak_action: "aktt_post_tweet_sidebar", - aktt_tweet_text: tweet_text, - _wpnonce: nonce, - _wp_http_referer: refer - }, - function(data) { - tweet_msg.html(data); - akttSetReset(); - } - ); - tweet_field.val('').focus(); - jQuery('#aktt_char_count').html(''); - jQuery("#aktt_tweet_posted_msg").show(); -} -function akttSetReset() { - setTimeout('akttReset();', 2000); -} -function akttReset() { - jQuery('#aktt_tweet_posted_msg').hide(); -} -<?php - break; - case 'prototype': -?> -function akttPostTweet() { - var tweet_field = $('aktt_tweet_text'); - var tweet_text = tweet_field.value; - if (tweet_text == '') { - return; - } - var tweet_msg = $("aktt_tweet_posted_msg"); - var nonce = $('_wpnonce').value; - var refer = $('_wpnonce').next('input').value; - var akttAjax = new Ajax.Updater( - tweet_msg, - "<?php echo site_url('index.php'); ?>", - { - method: "post", - parameters: "ak_action=aktt_post_tweet_sidebar&aktt_tweet_text=" + tweet_text + '&_wpnonce=' + nonce + '&_wp_http_referer=' + refer, - onComplete: akttSetReset - } - ); - tweet_field.value = ''; - tweet_field.focus(); - $('aktt_char_count').innerHTML = ''; - tweet_msg.style.display = 'block'; -} -function akttSetReset() { - setTimeout('akttReset();', 2000); -} -function akttReset() { - $('aktt_tweet_posted_msg').style.display = 'none'; -} -<?php - break; - } - die(); - break; - case 'aktt_css': - header("Content-Type: text/css"); -?> -#aktt_tweet_form { - margin: 0; - padding: 5px 0; -} -#aktt_tweet_form fieldset { - border: 0; -} -#aktt_tweet_form fieldset #aktt_tweet_submit { - float: right; - margin-right: 10px; -} -#aktt_tweet_form fieldset #aktt_char_count { - color: #666; -} -#aktt_tweet_posted_msg { - background: #ffc; - display: none; - margin: 0 0 5px 0; - padding: 5px; -} -#aktt_tweet_form div.clear { - clear: both; - float: none; -} -<?php - die(); - break; - case 'aktt_js_admin': - header("Content-Type: text/javascript"); -?> - -jQuery(function($) { - $("#aktt_authentication_showhide").click(function(){ - $("#aktt_authentication_display").slideToggle(); - }); -}); - -(function($){ - - jQuery.fn.timepicker = function(){ - - var hrs = new Array(); - for(var h = 1; h <= 12; hrs.push(h++)); - - var mins = new Array(); - for(var m = 0; m < 60; mins.push(m++)); - - var ap = new Array('am', 'pm'); - - function pad(n) { - n = n.toString(); - return n.length == 1 ? '0' + n : n; - } - - this.each(function() { - - var v = $(this).val(); - if (!v) v = new Date(); - - var d = new Date(v); - var h = d.getHours(); - var m = d.getMinutes(); - var p = (h >= 12) ? "pm" : "am"; - h = (h > 12) ? h - 12 : h; - - var output = ''; - - output += '<select id="h_' + this.id + '" class="timepicker">'; - for (var hr in hrs){ - output += '<option value="' + pad(hrs[hr]) + '"'; - if(parseInt(hrs[hr], 10) == h || (parseInt(hrs[hr], 10) == 12 && h == 0)) output += ' selected'; - output += '>' + pad(hrs[hr]) + '</option>'; - } - output += '</select>'; - - output += '<select id="m_' + this.id + '" class="timepicker">'; - for (var mn in mins){ - output += '<option value="' + pad(mins[mn]) + '"'; - if(parseInt(mins[mn], 10) == m) output += ' selected'; - output += '>' + pad(mins[mn]) + '</option>'; - } - output += '</select>'; - - output += '<select id="p_' + this.id + '" class="timepicker">'; - for(var pp in ap){ - output += '<option value="' + ap[pp] + '"'; - if(ap[pp] == p) output += ' selected'; - output += '>' + ap[pp] + '</option>'; - } - output += '</select>'; - - $(this).after(output); - - var field = this; - $(this).siblings('select.timepicker').change(function() { - var h = parseInt($('#h_' + field.id).val(), 10); - var m = parseInt($('#m_' + field.id).val(), 10); - var p = $('#p_' + field.id).val(); - - if (p == "am") { - if (h == 12) { - h = 0; - } - } else if (p == "pm") { - if (h < 12) { - h += 12; - } - } - - var d = new Date(); - d.setHours(h); - d.setMinutes(m); - - $(field).val(d.toUTCString()); - }).change(); - - }); - - return this; - }; - - jQuery.fn.daypicker = function() { - - var days = new Array('Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'); - - this.each(function() { - - var v = $(this).val(); - if (!v) v = 0; - v = parseInt(v, 10); - - var output = ""; - output += '<select id="d_' + this.id + '" class="daypicker">'; - for (var i = 0; i < days.length; i++) { - output += '<option value="' + i + '"'; - if (v == i) output += ' selected'; - output += '>' + days[i] + '</option>'; - } - output += '</select>'; - - $(this).after(output); - - var field = this; - $(this).siblings('select.daypicker').change(function() { - $(field).val( $(this).val() ); - }).change(); - - }); - - }; - - jQuery.fn.forceToggleClass = function(classNames, bOn) { - return this.each(function() { - jQuery(this)[ bOn ? "addClass" : "removeClass" ](classNames); - }); - }; - -})(jQuery); - -jQuery(function() { - - // add in the time and day selects - jQuery('form#ak_twittertools input.time').timepicker(); - jQuery('form#ak_twittertools input.day').daypicker(); - - // togglers - jQuery('.time_toggle .toggler').change(function() { - var theSelect = jQuery(this); - theSelect.parent('.time_toggle').forceToggleClass('active', theSelect.val() === "1"); - }).change(); - -}); -<?php - die(); - break; - case 'aktt_css_admin': - header("Content-Type: text/css"); -?> -#aktt_tweet_form { - margin: 0; - padding: 5px 0; -} -#aktt_tweet_form fieldset { - border: 0; -} -#aktt_tweet_form fieldset textarea { - width: 95%; -} -#aktt_tweet_form fieldset #aktt_tweet_submit { - float: right; - margin-right: 50px; -} -#aktt_tweet_form fieldset #aktt_char_count { - color: #666; -} -#ak_readme { - height: 300px; - width: 95%; -} - -form.aktt .options, -#ak_twittertools .options, -#ak_twittertools_disconnect .options { - overflow: hidden; - border: none; -} -form.aktt .option, -#ak_twittertools .option, -#ak_twittertools_disconnect .option { - overflow: hidden; - padding-bottom: 9px; - padding-top: 9px; -} -form.aktt .option label, -#ak_twittertools .option label, -#ak_twittertools_disconnect .option label { - display: block; - float: left; - width: 200px; - margin-right: 24px; - text-align: right; -} -form.aktt .option span, -#ak_twittertools .option span { - color: #666; - display: block; - float: left; - margin-left: 230px; - margin-top: 6px; - clear: left; -} -form.aktt select, -form.aktt input, -#ak_twittertools select, -#ak_twittertools input, -#ak_twittertools_disconnect input { - float: left; - display: block; - margin-right: 6px; -} -form.aktt p.submit, -#ak_twittertools p.submit, -#ak_twittertools_disconnect p.submit { - overflow: hidden; -} - -#ak_twittertools fieldset.options .option span.aktt_login_result_wait { - background: #ffc; -} -#ak_twittertools fieldset.options .option span.aktt_login_result { - background: #CFEBF7; - color: #000; -} -#ak_twittertools .timepicker, -#ak_twittertools .daypicker { - display: none; -} -#ak_twittertools .active .timepicker, -#ak_twittertools .active .daypicker { - display: block -} -#ak_twittertools_disconnect .auth_information_link{ - margin-left: 6px; -} -.aktt_experimental { - background: #eee; - border: 2px solid #ccc; -} -.aktt_experimental h4 { - color: #666; - margin: 0; - padding: 10px; - text-align: center; -} -#aktt_sub_instructions ul { - list-style-type: circle; - padding-top:0px; -} -#aktt_sub_instructions ul li{ - margin-left: 20px; -} -#aktt_authentication_display { - display: none; -} -#ak_twittertools_disconnect .auth_label { - display: block; - float: left; - width: 200px; - margin-right: 24px; - text-align: right; -} -#ak_twittertools_disconnect .auth_code { - -} - -.help { - color: #777; - font-size: 11px; -} -.txt-center { - text-align: center; -} -#cf { - width: 90%; -} - -/* Developed by and Support by callouts */ -#cf-callouts { - background: url(http://cloud.wphelpcenter.com/resources/wp-admin-0001/border-fade-sprite.gif) 0 0 repeat-x; - float: left; - margin: 18px 0; -} -.cf-callout { - float: left; - margin-top: 18px; - max-width: 500px; - width: 50%; -} -#cf-callout-credit { - margin-right: 9px; -} -#cf-callout-credit .cf-box-title { - background: #193542 url(http://cloud.wphelpcenter.com/resources/wp-admin-0001/box-sprite.png) 0 0 repeat-x; - border-bottom: 1px solid #0C1A21; -} -#cf-callout-support { - margin-left: 9px; -} -#cf-callout-support .cf-box-title { - background: #8D2929 url(http://cloud.wphelpcenter.com/resources/wp-admin-0001/box-sprite.png) 0 -200px repeat-x; - border-bottom: 1px solid #461414; -} - -/* General cf-box styles */ -.cf-box { - background: #EFEFEF url(http://cloud.wphelpcenter.com/resources/wp-admin-0001/box-sprite.png) 0 -400px repeat-x; - border: 1px solid #E3E3E3; - border-radius: 5px; - -moz-border-radius: 5px; - -webkit-border-radius: 5px; - -khtml-border-radius: 5px; -} -.cf-box .cf-box-title { - color: #fff; - font-size: 14px; - font-weight: normal; - padding: 6px 15px; - margin: 0 0 12px 0; - -moz-border-radius-topleft: 5px; - -webkit-border-top-left-radius: 5px; - -khtml-border-top-left-radius: 5px; - border-top-left-radius: 5px; - -moz-border-radius-topright: 5px; - -webkit-border-top-right-radius: 5px; - -khtml-border-top-right-radius: 5px; - border-top-right-radius: 5px; - text-align: center; - text-shadow: #333 0 1px 1px; -} -.cf-box .cf-box-title a { - display: block; - color: #fff; -} -.cf-box .cf-box-title a:hover { - color: #E1E1E1; -} -.cf-box .cf-box-content { - margin: 0 15px 15px 15px; -} -.cf-box .cf-box-content p { - font-size: 11px; -} - - -<?php - die(); - break; - } - } -} -add_action('init', 'aktt_resources', 2); - -function aktt_oauth_connection() { - global $aktt; - if ( !empty($aktt->app_consumer_key) && !empty($aktt->app_consumer_secret) && !empty($aktt->oauth_token) && !empty($aktt->oauth_token_secret) ) { - require_once(dirname(__FILE__).'/twitteroauth.php'); - $connection = new TwitterOAuth( - $aktt->app_consumer_key, - $aktt->app_consumer_secret, - $aktt->oauth_token, - $aktt->oauth_token_secret - ); - $connection->useragent = 'Twitter Tools http://alexking.org/projects/wordpress'; - return $connection; - } - else { - return false; - } -} - -function aktt_oauth_credentials_to_hash() { - global $aktt; - $hash = md5($aktt->app_consumer_key.$aktt->app_consumer_secret.$aktt->oauth_token.$aktt->oauth_token_secret); - return $hash; -} - -function aktt_request_handler() { - global $wpdb, $aktt; - if (!empty($_GET['ak_action'])) { - switch($_GET['ak_action']) { - case 'aktt_update_tweets': - if (!wp_verify_nonce($_GET['_wpnonce'], 'aktt_update_tweets')) { - wp_die('Oops, please try again.'); - } - aktt_update_tweets(); - wp_redirect(admin_url('options-general.php?page=twitter-tools.php&tweets-updated=true')); - die(); - break; - case 'aktt_reset_tweet_checking': - if (!wp_verify_nonce($_GET['_wpnonce'], 'aktt_update_tweets')) { - wp_die('Oops, please try again.'); - } - aktt_reset_tweet_checking(); - wp_redirect(admin_url('options-general.php?page=twitter-tools.php&tweet-checking-reset=true')); - die(); - break; - case 'aktt_reset_digests': - if (!wp_verify_nonce($_GET['_wpnonce'], 'aktt_update_tweets')) { - wp_die('Oops, please try again.'); - } - aktt_reset_digests(); - wp_redirect(admin_url('options-general.php?page=twitter-tools.php&digest-reset=true')); - die(); - break; - } - } - if (!empty($_POST['ak_action'])) { - switch($_POST['ak_action']) { - case 'aktt_update_settings': - if (!wp_verify_nonce($_POST['_wpnonce'], 'aktt_settings')) { - wp_die('Oops, please try again.'); - } - $aktt->populate_settings(); - $aktt->update_settings(); - wp_redirect(admin_url('options-general.php?page=twitter-tools.php&updated=true')); - die(); - break; - case 'aktt_post_tweet_sidebar': - if (!empty($_POST['aktt_tweet_text']) && current_user_can('publish_posts')) { - if (!wp_verify_nonce($_POST['_wpnonce'], 'aktt_new_tweet')) { - wp_die('Oops, please try again.'); - } - $tweet = new aktt_tweet(); - $tweet->tw_text = stripslashes($_POST['aktt_tweet_text']); - if ($aktt->do_tweet($tweet)) { - die(__('Tweet posted.', 'twitter-tools')); - } - else { - die(__('Tweet post failed.', 'twitter-tools')); - } - } - break; - case 'aktt_post_tweet_admin': - if (!empty($_POST['aktt_tweet_text']) && current_user_can('publish_posts')) { - if (!wp_verify_nonce($_POST['_wpnonce'], 'aktt_new_tweet')) { - wp_die('Oops, please try again.'); - } - $tweet = new aktt_tweet(); - $tweet->tw_text = stripslashes($_POST['aktt_tweet_text']); - if ($aktt->do_tweet($tweet)) { - wp_redirect(admin_url('post-new.php?page=twitter-tools.php&tweet-posted=true')); - } - else { - wp_die(__('Oops, your tweet was not posted. Please check your blog is connected to Twitter and Twitter is up and running happily.', 'twitter-tools')); - } - die(); - } - break; - case 'aktt_oauth_test': - if (!wp_verify_nonce($_POST['_wpnonce'], 'aktt_oauth_test')) { - wp_die('Oops, please try again.'); - } - $auth_test = false; - if ( !empty($_POST['aktt_app_consumer_key']) - && !empty($_POST['aktt_app_consumer_secret']) - && !empty($_POST['aktt_oauth_token']) - && !empty($_POST['aktt_oauth_token_secret']) - ) { - $aktt->populate_settings(); - $aktt->update_settings(); - $message = 'fail'; - if ($connection = aktt_oauth_connection()) { - $data = $connection->get('account/verify_credentials'); - if ($connection->http_code == '200') { - $data = json_decode($data); - update_option('aktt_twitter_username', stripslashes($data->screen_name)); - $oauth_hash = aktt_oauth_credentials_to_hash(); - update_option('aktt_oauth_hash', $oauth_hash); - $message = 'success'; - } - } - } - wp_redirect(admin_url('options-general.php?page=twitter-tools.php&oauth='.$message)); - break; - case 'aktt_twitter_disconnect': - if (!wp_verify_nonce($_POST['_wpnonce'], 'aktt_twitter_disconnect')) { - wp_die('Oops, please try again.'); - } - - update_option('aktt_app_consumer_key', ''); - update_option('aktt_app_consumer_secret', ''); - update_option('aktt_oauth_token', ''); - update_option('aktt_oauth_token_secret', ''); - wp_redirect(admin_url('options-general.php?page=twitter-tools.php&updated=true')); - break; - } - } -} -add_action('init', 'aktt_request_handler', 10); - -function aktt_admin_tweet_form() { - global $aktt; - if ( $_GET['tweet-posted'] ) { - print(' - <div id="message" class="updated fade"> - <p>'.__('Tweet posted.', 'twitter-tools').'</p> - </div> - '); - } - if ( aktt_oauth_test() ) { - print(' - <div class="wrap" id="aktt_write_tweet"> - <h2>'.__('Write Tweet', 'twitter-tools').'</h2> - <p>'.__('This will create a new \'tweet\' in <a href="http://twitter.com">Twitter</a> using the account information in your <a href="options-general.php?page=twitter-tools.php">Twitter Tools Options</a>.', 'twitter-tools').'</p> - '.aktt_tweet_form('textarea').' - </div> - '); - } -} - -function aktt_options_form() { - global $wpdb, $aktt, $wp_version; - - $categories = get_categories('hide_empty=0'); - $cat_options = ''; - foreach ($categories as $category) { -// WP < 2.3 compatibility - !empty($category->term_id) ? $cat_id = $category->term_id : $cat_id = $category->cat_ID; - !empty($category->name) ? $cat_name = $category->name : $cat_name = $category->cat_name; - if ($cat_id == $aktt->blog_post_category) { - $selected = 'selected="selected"'; - } - else { - $selected = ''; - } - $cat_options .= "\n\t<option value='$cat_id' $selected>$cat_name</option>"; - } - - global $current_user; - $authors = get_editable_user_ids($current_user->ID); - $author_options = ''; - if (count($authors)) { - foreach ($authors as $user_id) { - $usero = new WP_User($user_id); - $author = $usero->data; - // Only list users who are allowed to publish - if (! $usero->has_cap('publish_posts')) { - continue; - } - if ($author->ID == $aktt->blog_post_author) { - $selected = 'selected="selected"'; - } - else { - $selected = ''; - } - $author_options .= "\n\t<option value='$author->ID' $selected>$author->user_nicename</option>"; - } - } - - $js_libs = array( - 'jquery' => 'jQuery' - , 'prototype' => 'Prototype' - ); - $js_lib_options = ''; - foreach ($js_libs as $js_lib => $js_lib_display) { - if ($js_lib == $aktt->js_lib) { - $selected = 'selected="selected"'; - } - else { - $selected = ''; - } - $js_lib_options .= "\n\t<option value='$js_lib' $selected>$js_lib_display</option>"; - } - $digest_tweet_orders = array( - 'ASC' => __('Oldest first (Chronological order)', 'twitter-tools'), - 'DESC' => __('Newest first (Reverse-chronological order)', 'twitter-tools') - ); - $digest_tweet_order_options = ''; - foreach ($digest_tweet_orders as $digest_tweet_order => $digest_tweet_order_display) { - if ($digest_tweet_order == $aktt->digest_tweet_order) { - $selected = 'selected="selected"'; - } - else { - $selected = ''; - } - $digest_tweet_order_options .= "\n\t<option value='$digest_tweet_order' $selected>$digest_tweet_order_display</option>"; - } - $yes_no = array( - 'create_blog_posts' - , 'create_digest' - , 'create_digest_weekly' - , 'notify_twitter' - , 'notify_twitter_default' - , 'tweet_from_sidebar' - , 'give_tt_credit' - , 'exclude_reply_tweets' - ); - foreach ($yes_no as $key) { - $var = $key.'_options'; - if ($aktt->$key == '0') { - $$var = ' - <option value="0" selected="selected">'.__('No', 'twitter-tools').'</option> - <option value="1">'.__('Yes', 'twitter-tools').'</option> - '; - } - else { - $$var = ' - <option value="0">'.__('No', 'twitter-tools').'</option> - <option value="1" selected="selected">'.__('Yes', 'twitter-tools').'</option> - '; - } - } - if ( $_GET['tweets-updated'] ) { - print(' - <div id="message" class="updated fade"> - <p>'.__('Tweets updated.', 'twitter-tools').'</p> - </div> - '); - } - if ( $_GET['tweet-checking-reset'] ) { - print(' - <div id="message" class="updated fade"> - <p>'.__('Tweet checking has been reset.', 'twitter-tools').'</p> - </div> - '); - } - - if ( strcmp($_GET['oauth'], "success" ) == 0 ) { - print(' - <div id="message" class="updated fade"> - <p>'.__('Yay! We connected with Twitter.', 'twitter-tools').'</p> - </div> - - '); - } - else if (strcmp($_GET['oauth'], "fail" ) == 0 ) { - print(' - <div id="message" class="updated fade"> - <p>'.__('Authentication Failed. Please check your credentials and make sure <a href="http://www.twitter.com/" title="Twitter" target="_blank">Twitter</a> is up and running.', 'twitter-tools').'</p> - </div> - - '); - } - - print(' - <div class="wrap" id="aktt_options_page"> - <h2>'.__('Twitter Tools Options', 'twitter-tools').' <script type="text/javascript">var WPHC_AFF_ID = "14303"; var WPHC_POSITION = "c1"; var WPHC_PRODUCT = "Twitter Tools ('.AKTT_VERSION.')"; var WPHC_WP_VERSION = "'.$wp_version.'";</script><script type="text/javascript" src="http://cloud.wphelpcenter.com/support-form/0001/deliver-a.js"></script></h2>' - ); - if ( !aktt_oauth_test() ) { - print(' - <h3>'.__('Connect to Twitter','twitter-tools').'</h3> - <p style="width: 700px;">'.__('In order to get started, we need to follow some steps to get this site registered with Twitter. This process is awkward and more complicated than it should be. We hope to have a better solution for this in a future release, but for now this system is what Twitter supports. If you have any trouble, please use the Support button above to contact <a href="http://wphelpcenter.com" target="_blank">WordPress HelpCenter</a> and provide code 14303.', 'twitter-tools').'</p> - <form id="ak_twittertools" name="ak_twittertools" action="'.admin_url('options-general.php').'" method="post"> - <fieldset class="options"> - <h4>'.__('1. Register this site as an application on ', 'twitter-tools') . '<a href="http://dev.twitter.com/apps/new" title="'.__('Twitter App Registration','twitter-tools').'" target="_blank">'.__('Twitter\'s app registration page','twitter-tools').'</a></h4> - <div id="aktt_sub_instructions"> - <ul> - <li>'.__('If you\'re not logged in, you can use your Twitter username and password' , 'twitter-tools').'</li> - <li>'.__('Your Application\'s Name will be what shows up after "via" in your twitter stream' , 'twitter-tools').'</li> - <li>'.__('Application Type should be set on ' , 'twitter-tools').'<strong>'.__('Browser' , 'twitter-tools').'</strong></li> - <li>'.__('The Callback URL should be ' , 'twitter-tools').'<strong>'. get_bloginfo( 'url' ) .'</strong></li> - <li>'.__('Default Access type should be set to ' , 'twitter-tools').'<strong>'.__('Read & Write' , 'twitter-tools').'</strong> '.__('(this is NOT the default)' , 'twitter-tools').'</li> - </ul> - <p>'.__('Once you have registered your site as an application, you will be provided with a consumer key and a comsumer secret.' , 'twitter-tools').'</p> - </div> - <h4>'.__('2. Copy and paste your consumer key and consumer secret into the fields below' , 'twitter-tools').'</h4> - - <div class="option"> - <label for="aktt_app_consumer_key">'.__('Twitter Consumer Key', 'twitter-tools').'</label> - <input type="text" size="25" name="aktt_app_consumer_key" id="aktt_app_consumer_key" value="'.esc_attr($aktt->app_consumer_key).'" autocomplete="off"> - </div> - <div class="option"> - <label for="aktt_app_consumer_secret">'.__('Twitter Consumer Secret', 'twitter-tools').'</label> - <input type="text" size="25" name="aktt_app_consumer_secret" id="aktt_app_consumer_secret" value="'.esc_attr($aktt->app_consumer_secret).'" autocomplete="off"> - </div> - <h4>3. Copy and paste your Access Token and Access Token Secret into the fields below</h4> - <p>On the right hand side of your application page, click on \'My Access Token\'.</p> - <div class="option"> - <label for="aktt_oauth_token">'.__('Access Token', 'twitter-tools').'</label> - <input type="text" size="25" name="aktt_oauth_token" id="aktt_oauth_token" value="'.esc_attr($aktt->oauth_token).'" autocomplete="off"> - </div> - <div class="option"> - <label for="aktt_oauth_token_secret">'.__('Access Token Secret', 'twitter-tools').'</label> - <input type="text" size="25" name="aktt_oauth_token_secret" id="aktt_oauth_token_secret" value="'.esc_attr($aktt->oauth_token_secret).'" autocomplete="off"> - </div> - </fieldset> - <p class="submit"> - <input type="submit" name="submit" class="button-primary" value="'.__('Connect to Twitter', 'twitter-tools').'" /> - </p> - <input type="hidden" name="ak_action" value="aktt_oauth_test" class="hidden" style="display: none;" /> - '.wp_nonce_field('aktt_oauth_test', '_wpnonce', true, false).wp_referer_field(false).' - </form> - - '); - } - else if ( aktt_oauth_test() ) { - print(' - <form id="ak_twittertools_disconnect" name="ak_twittertools_disconnect" action="'.admin_url('options-general.php').'" method="post"> - <p><a href="#" id="aktt_authentication_showhide" class="auth_information_link">Account Information</a></p> - <div id="aktt_authentication_display"> - <fieldset class="options"> - <div class="option"><span class="auth_label">'.__('Twitter Username ', 'twitter-tools').'</span><span class="auth_code">'.$aktt->twitter_username.'</span></div> - <div class="option"><span class="auth_label">'.__('Consumer Key ', 'twitter-tools').'</span><span class="auth_code">'.$aktt->app_consumer_key.'</span></div> - <div class="option"><span class="auth_label">'.__('Consumer Secret ', 'twitter-tools').'</span><span class="auth_code">'.$aktt->app_consumer_secret.'</span></div> - <div class="option"><span class="auth_label">'.__('Access Token ', 'twitter-tools').'</span><span class="auth_code">'.$aktt->oauth_token.'</span></div> - <div class="option"><span class="auth_label">'.__('Access Token Secret ', 'twitter-tools').'</span><span class="auth_code">'.$aktt->oauth_token_secret.'</span></div> - </fieldset> - <p class="submit"> - <input type="submit" name="submit" class="button-primary" value="'.__('Disconnect Your WordPress and Twitter Account', 'twitter-tools').'" /> - </p> - <input type="hidden" name="ak_action" value="aktt_twitter_disconnect" class="hidden" style="display: none;" /> - '.wp_nonce_field('aktt_twitter_disconnect', '_wpnonce', true, false).wp_referer_field(false).' - </div> - </form> - - <form id="ak_twittertools" name="ak_twittertools" action="'.admin_url('options-general.php').'" method="post"> - <fieldset class="options"> - <div class="option"> - <label for="aktt_notify_twitter">'.__('Enable option to create a tweet when you post in your blog?', 'twitter-tools').'</label> - <select name="aktt_notify_twitter" id="aktt_notify_twitter">'.$notify_twitter_options.'</select> - </div> - <div class="option"> - <label for="aktt_tweet_prefix">'.__('Tweet prefix for new blog posts:', 'twitter-tools').'</label> - <input type="text" size="30" name="aktt_tweet_prefix" id="aktt_tweet_prefix" value="'.esc_attr($aktt->tweet_prefix).'" /><span>'.__('Cannot be left blank. Will result in <b>{Your prefix}: Title URL</b>', 'twitter-tools').'</span> - </div> - <div class="option"> - <label for="aktt_notify_twitter_default">'.__('Set this on by default?', 'twitter-tools').'</label> - <select name="aktt_notify_twitter_default" id="aktt_notify_twitter_default">'.$notify_twitter_default_options.'</select><span>' .__('Also determines tweeting for posting via XML-RPC', 'twitter-tools').'</span> - </div> - <div class="option"> - <label for="aktt_create_blog_posts">'.__('Create a blog post from each of your tweets?', 'twitter-tools').'</label> - <select name="aktt_create_blog_posts" id="aktt_create_blog_posts">'.$create_blog_posts_options.'</select> - </div> - <div class="option"> - <label for="aktt_blog_post_category">'.__('Category for tweet posts:', 'twitter-tools').'</label> - <select name="aktt_blog_post_category" id="aktt_blog_post_category">'.$cat_options.'</select> - </div> - <div class="option"> - <label for="aktt_blog_post_tags">'.__('Tag(s) for your tweet posts:', 'twitter-tools').'</label> - <input name="aktt_blog_post_tags" id="aktt_blog_post_tags" value="'.esc_attr($aktt->blog_post_tags).'"> - <span>'.__('Separate multiple tags with commas. Example: tweets, twitter', 'twitter-tools').'</span> - </div> - <div class="option"> - <label for="aktt_blog_post_author">'.__('Author for tweet posts:', 'twitter-tools').'</label> - <select name="aktt_blog_post_author" id="aktt_blog_post_author">'.$author_options.'</select> - </div> - <div class="option"> - <label for="aktt_exclude_reply_tweets">'.__('Exclude @reply tweets in your sidebar, digests and created blog posts?', 'twitter-tools').'</label> - <select name="aktt_exclude_reply_tweets" id="aktt_exclude_reply_tweets">'.$exclude_reply_tweets_options.'</select> - </div> - <div class="option"> - <label for="aktt_sidebar_tweet_count">'.__('Tweets to show in sidebar:', 'twitter-tools').'</label> - <input type="text" size="3" name="aktt_sidebar_tweet_count" id="aktt_sidebar_tweet_count" value="'.esc_attr($aktt->sidebar_tweet_count).'" /> - <span>'.__('Numbers only please.', 'twitter-tools').'</span> - </div> - <div class="option"> - <label for="aktt_tweet_from_sidebar">'.__('Create tweets from your sidebar?', 'twitter-tools').'</label> - <select name="aktt_tweet_from_sidebar" id="aktt_tweet_from_sidebar">'.$tweet_from_sidebar_options.'</select> - </div> - <div class="option"> - <label for="aktt_js_lib">'.__('JS Library to use?', 'twitter-tools').'</label> - <select name="aktt_js_lib" id="aktt_js_lib">'.$js_lib_options.'</select> - </div> - <div class="option"> - <label for="aktt_give_tt_credit">'.__('Give Twitter Tools credit?', 'twitter-tools').'</label> - <select name="aktt_give_tt_credit" id="aktt_give_tt_credit">'.$give_tt_credit_options.'</select> - </div> - - <div class="aktt_experimental"> - <h4>'.__('- Experimental -', 'twitter-tools').'</h4> - - <div class="option time_toggle"> - <label>'.__('Create a daily digest blog post from your tweets?', 'twitter-tools').'</label> - <select name="aktt_create_digest" class="toggler">'.$create_digest_options.'</select> - <input type="hidden" class="time" id="aktt_digest_daily_time" name="aktt_digest_daily_time" value="'.esc_attr($aktt->digest_daily_time).'" /> - </div> - <div class="option"> - <label for="aktt_digest_title">'.__('Title for daily digest posts:', 'twitter-tools').'</label> - <input type="text" size="30" name="aktt_digest_title" id="aktt_digest_title" value="'.$aktt->digest_title.'" /> - <span>'.__('Include %s where you want the date. Example: Tweets on %s', 'twitter-tools').'</span> - </div> - <div class="option time_toggle"> - <label>'.__('Create a weekly digest blog post from your tweets?', 'twitter-tools').'</label> - <select name="aktt_create_digest_weekly" class="toggler">'.$create_digest_weekly_options.'</select> - <input type="hidden" class="time" name="aktt_digest_weekly_time" id="aktt_digest_weekly_time" value="'.esc_attr($aktt->digest_weekly_time).'" /> - <input type="hidden" class="day" name="aktt_digest_weekly_day" value="'.$aktt->digest_weekly_day.'" /> - </div> - <div class="option"> - <label for="aktt_digest_title_weekly">'.__('Title for weekly digest posts:', 'twitter-tools').'</label> - <input type="text" size="30" name="aktt_digest_title_weekly" id="aktt_digest_title_weekly" value="'.esc_attr($aktt->digest_title_weekly).'" /> - <span>'.__('Include %s where you want the date. Example: Tweets on %s', 'twitter-tools').'</span> - </div> - <div class="option"> - <label for="aktt_digest_tweet_order">'.__('Order of tweets in digest?', 'twitter-tools').'</label> - <select name="aktt_digest_tweet_order" id="aktt_digest_tweet_order">'.$digest_tweet_order_options.'</select> - </div> - - </div> - - </fieldset> - <p class="submit"> - <input type="submit" name="submit" class="button-primary" value="'.__('Update Twitter Tools Options', 'twitter-tools').'" /> - </p> - <input type="hidden" name="ak_action" value="aktt_update_settings" class="hidden" style="display: none;" /> - '.wp_nonce_field('aktt_settings', '_wpnonce', true, false).wp_referer_field(false).' - </form> - <h2>'.__('Update Tweets / Reset Checking and Digests', 'twitter-tools').'</h2> - <form name="ak_twittertools_updatetweets" action="'.admin_url('options-general.php').'" method="get"> - <p>'.__('Use these buttons to manually update your tweets or reset the checking settings.', 'twitter-tools').'</p> - <p class="submit"> - <input type="submit" name="submit-button" value="'.__('Update Tweets', 'twitter-tools').'" /> - <input type="submit" name="reset-button-1" value="'.__('Reset Tweet Checking', 'twitter-tools').'" onclick="document.getElementById(\'ak_action_2\').value = \'aktt_reset_tweet_checking\';" /> - <input type="submit" name="reset-button-2" value="'.__('Reset Digests', 'twitter-tools').'" onclick="document.getElementById(\'ak_action_2\').value = \'aktt_reset_digests\';" /> - <input type="hidden" name="ak_action" id="ak_action_2" value="aktt_update_tweets" /> - </p> - '.wp_nonce_field('aktt_update_tweets', '_wpnonce', true, false).wp_referer_field(false).' - </form> - '); - } //end elsif statement - do_action('aktt_options_form'); -?> - <div id="cf"> - <div id="cf-callouts"> - <div class="cf-callout"> - <div id="cf-callout-credit" class="cf-box"> - <h3 class="cf-box-title">Plugin Developed By</h3> - <div class="cf-box-content"> - <p class="txt-center"><a href="http://crowdfavorite.com/" title="Crowd Favorite : Elegant WordPress and Web Application Development"><img src="http://cloud.wphelpcenter.com/resources/wp-admin-0001/cf-logo.png" alt="Crowd Favorite"></a></p> - <p>An independent development firm specializing in WordPress development and integrations, sophisticated web applications, Open Source implementations and user experience consulting. If you need it to work, trust Crowd Favorite to build it.</p> - </div><!-- .cf-box-content --> - </div><!-- #cf-callout-credit --> - </div> - <div class="cf-callout"> - <div id="cf-callout-support" class="cf-box"> - <h3 class="cf-box-title">Professional Support From</h3> - <div class="cf-box-content"> - <p class="txt-center"><a href="http://wphelpcenter.com/" title="WordPress HelpCenter"><img src="http://cloud.wphelpcenter.com/resources/wp-admin-0001/wphc-logo.png" alt="WordPress HelpCenter"></a></p> - <p>Need help with WordPress right now? That's what we're here for. We can help with anything from how-to questions to server troubleshooting, theme customization to upgrades and installs. Give us a call - 303-395-1346.</p> - </div><!-- .cf-box-content --> - </div><!-- #cf-callout-support --> - </div> - </div><!-- #cf-callouts --> - </div><!-- #cf --> -<?php - print(' - - </div> - '); -} - -function aktt_meta_box() { - global $aktt, $post; - if ($aktt->notify_twitter) { - $notify = get_post_meta($post->ID, 'aktt_notify_twitter', true); - if ($notify == '') { - switch ($aktt->notify_twitter_default) { - case '1': - $notify = 'yes'; - break; - case '0': - $notify = 'no'; - break; - } - } - echo ' - <p>'.__('Send post to Twitter?', 'twitter-tools').' - - <input type="radio" name="aktt_notify_twitter" id="aktt_notify_twitter_yes" value="yes" '.checked('yes', $notify, false).' /> <label for="aktt_notify_twitter_yes">'.__('Yes', 'twitter-tools').'</label> - <input type="radio" name="aktt_notify_twitter" id="aktt_notify_twitter_no" value="no" '.checked('no', $notify, false).' /> <label for="aktt_notify_twitter_no">'.__('No', 'twitter-tools').'</label> - '; - echo ' - </p> - '; - do_action('aktt_post_options'); - } -} -function aktt_add_meta_box() { - global $aktt; - if ($aktt->notify_twitter) { - add_meta_box('aktt_post_form', __('Twitter Tools', 'twitter-tools'), 'aktt_meta_box', 'post', 'side'); - } -} -add_action('admin_init', 'aktt_add_meta_box'); - -function aktt_store_post_options($post_id, $post = false) { - global $aktt; - $post = get_post($post_id); - if (!$post || $post->post_type == 'revision') { - return; - } - - $notify_meta = get_post_meta($post_id, 'aktt_notify_twitter', true); - $posted_meta = $_POST['aktt_notify_twitter']; - - $save = false; - if (!empty($posted_meta)) { - $posted_meta == 'yes' ? $meta = 'yes' : $meta = 'no'; - $save = true; - } - else if (empty($notify_meta)) { - $aktt->notify_twitter_default ? $meta = 'yes' : $meta = 'no'; - $save = true; - } - - if ($save) { - update_post_meta($post_id, 'aktt_notify_twitter', $meta); - } -} -add_action('draft_post', 'aktt_store_post_options', 1, 2); -add_action('publish_post', 'aktt_store_post_options', 1, 2); -add_action('save_post', 'aktt_store_post_options', 1, 2); - -function aktt_menu_items() { - if (current_user_can('manage_options')) { - add_options_page( - __('Twitter Tools Options', 'twitter-tools') - , __('Twitter Tools', 'twitter-tools') - , 10 - , basename(__FILE__) - , 'aktt_options_form' - ); - } - if (current_user_can('publish_posts')) { - add_submenu_page( - 'post-new.php' - , __('New Tweet', 'twitter-tools') - , __('Tweet', 'twitter-tools') - , 2 - , basename(__FILE__) - , 'aktt_admin_tweet_form' - ); - } -} -add_action('admin_menu', 'aktt_menu_items'); - -function aktt_plugin_action_links($links, $file) { - $plugin_file = basename(__FILE__); - if (basename($file) == $plugin_file) { - $settings_link = '<a href="options-general.php?page='.$plugin_file.'">'.__('Settings', 'twitter-tools').'</a>'; - array_unshift($links, $settings_link); - } - return $links; -} -add_filter('plugin_action_links', 'aktt_plugin_action_links', 10, 2); - -if (!function_exists('trim_add_elipsis')) { - function trim_add_elipsis($string, $limit = 100) { - if (strlen($string) > $limit) { - $string = substr($string, 0, $limit)."..."; - } - return $string; - } -} - -if (!function_exists('ak_gmmktime')) { - function ak_gmmktime() { - return gmmktime() - get_option('gmt_offset') * 3600; - } -} - -/** - -based on: http://www.gyford.com/phil/writing/2006/12/02/quick_twitter.php - - * Returns a relative date, eg "4 hrs ago". - * - * Assumes the passed-in can be parsed by strtotime. - * Precision could be one of: - * 1 5 hours, 3 minutes, 2 seconds ago (not yet implemented). - * 2 5 hours, 3 minutes - * 3 5 hours - * - * This is all a little overkill, but copied from other places I've used it. - * Also superfluous, now I've noticed that the Twitter API includes something - * similar, but this version is more accurate and less verbose. - * - * @access private. - * @param string date In a format parseable by strtotime(). - * @param integer precision - * @return string - */ -function aktt_relativeTime ($date, $precision=2) -{ - - $now = time(); - - $time = gmmktime( - substr($date, 11, 2) - , substr($date, 14, 2) - , substr($date, 17, 2) - , substr($date, 5, 2) - , substr($date, 8, 2) - , substr($date, 0, 4) - ); - - $time = strtotime(date('Y-m-d H:i:s', $time)); - - $diff = $now - $time; - - $months = floor($diff/2419200); - $diff -= $months * 2419200; - $weeks = floor($diff/604800); - $diff -= $weeks*604800; - $days = floor($diff/86400); - $diff -= $days * 86400; - $hours = floor($diff/3600); - $diff -= $hours * 3600; - $minutes = floor($diff/60); - $diff -= $minutes * 60; - $seconds = $diff; - - if ($months > 0) { - return date_i18n( __('Y-m-d', 'twitter-tools'), $time); - } else { - $relative_date = ''; - if ($weeks > 0) { - // Weeks and days - $relative_date .= ($relative_date?', ':'').$weeks.' '.__ngettext('week', 'weeks', $weeks, 'twitter-tools'); - if ($precision <= 2) { - $relative_date .= $days>0? ($relative_date?', ':'').$days.' '.__ngettext('day', 'days', $days, 'twitter-tools'):''; - if ($precision == 1) { - $relative_date .= $hours>0?($relative_date?', ':'').$hours.' '.__ngettext('hr', 'hrs', $hours, 'twitter-tools'):''; - } - } - } elseif ($days > 0) { - // days and hours - $relative_date .= ($relative_date?', ':'').$days.' '.__ngettext('day', 'days', $days, 'twitter-tools'); - if ($precision <= 2) { - $relative_date .= $hours>0?($relative_date?', ':'').$hours.' '.__ngettext('hr', 'hrs', $hours, 'twitter-tools'):''; - if ($precision == 1) { - $relative_date .= $minutes>0?($relative_date?', ':'').$minutes.' '.__ngettext('min', 'mins', $minutes, 'twitter-tools'):''; - } - } - } elseif ($hours > 0) { - // hours and minutes - $relative_date .= ($relative_date?', ':'').$hours.' '.__ngettext('hr', 'hrs', $hours, 'twitter-tools'); - if ($precision <= 2) { - $relative_date .= $minutes>0?($relative_date?', ':'').$minutes.' '.__ngettext('min', 'mins', $minutes, 'twitter-tools'):''; - if ($precision == 1) { - $relative_date .= $seconds>0?($relative_date?', ':'').$seconds.' '.__ngettext('sec', 'secs', $seconds, 'twitter-tools'):''; - } - } - } elseif ($minutes > 0) { - // minutes only - $relative_date .= ($relative_date?', ':'').$minutes.' '.__ngettext('min', 'mins', $minutes, 'twitter-tools'); - if ($precision == 1) { - $relative_date .= $seconds>0?($relative_date?', ':'').$seconds.' '.__ngettext('sec', 'secs', $seconds, 'twitter-tools'):''; - } - } else { - // seconds only - $relative_date .= ($relative_date?', ':'').$seconds.' '.__ngettext('sec', 'secs', $seconds, 'twitter-tools'); - } - } - - // Return relative date and add proper verbiage - return sprintf(__('%s ago', 'twitter-tools'), $relative_date); -} - -?> \ No newline at end of file diff --git a/wp-content/plugins/twitter-tools/twitteroauth.php b/wp-content/plugins/twitter-tools/twitteroauth.php deleted file mode 100644 index 002baf29213ced0f22214b7e0fb2ba8c36c460d8..0000000000000000000000000000000000000000 --- a/wp-content/plugins/twitter-tools/twitteroauth.php +++ /dev/null @@ -1,249 +0,0 @@ -<?php - -/* - * Abraham Williams (abraham@abrah.am) http://abrah.am - * - * The first PHP Library to support OAuth for Twitter's REST API. - */ - -/* Load OAuth lib. You can find it at http://oauth.net */ -require_once('OAuth.php'); - -if (!class_exists('TwitterOAuth')) { - -/** - * Twitter OAuth class - */ -class TwitterOAuth { - /* Contains the last HTTP status code returned. */ - public $http_code; - /* Contains the last API call. */ - public $url; - /* Set up the API root URL. */ - public $host = "https://api.twitter.com/1/"; - /* Set timeout default. */ - public $timeout = 30; - /* Set connect timeout. */ - public $connecttimeout = 30; - /* Verify SSL Cert. */ - public $ssl_verifypeer = FALSE; - /* Respons format. */ - public $format = 'json'; - /* Decode returned json data. */ - public $decode_json = false; - /* Contains the last HTTP headers returned. */ - public $http_info; - /* Set the useragnet. */ - public $useragent = 'TwitterOAuth v0.2.0-beta2'; - /* Immediately retry the API call if the response was not successful. */ - //public $retry = TRUE; - - - - - /** - * Set API URLS - */ - function accessTokenURL() { return 'https://api.twitter.com/oauth/access_token'; } - function authenticateURL() { return 'https://twitter.com/oauth/authenticate'; } - function authorizeURL() { return 'https://twitter.com/oauth/authorize'; } - function requestTokenURL() { return 'https://api.twitter.com/oauth/request_token'; } - - /** - * Debug helpers - */ - function lastStatusCode() { return $this->http_status; } - function lastAPICall() { return $this->last_api_call; } - - /** - * construct TwitterOAuth object - */ - function __construct($consumer_key, $consumer_secret, $oauth_token = NULL, $oauth_token_secret = NULL) { - $this->sha1_method = new OAuthSignatureMethod_HMAC_SHA1(); - $this->consumer = new OAuthConsumer($consumer_key, $consumer_secret); - if (!empty($oauth_token) && !empty($oauth_token_secret)) { - $this->token = new OAuthConsumer($oauth_token, $oauth_token_secret); - } else { - $this->token = NULL; - } - } - - - /** - * Get a request_token from Twitter - * - * @returns a key/value array containing oauth_token and oauth_token_secret - */ - function getRequestToken($oauth_callback = NULL) { - $parameters = array(); - if (!empty($oauth_callback)) { - $parameters['oauth_callback'] = $oauth_callback; - } - $request = $this->oAuthRequest($this->requestTokenURL(), 'GET', $parameters); - $token = OAuthUtil::parse_parameters($request); - $this->token = new OAuthConsumer($token['oauth_token'], $token['oauth_token_secret']); - return $token; - } - - /** - * Get the authorize URL - * - * @returns a string - */ - function getAuthorizeURL($token, $sign_in_with_twitter = TRUE) { - if (is_array($token)) { - $token = $token['oauth_token']; - } - if (empty($sign_in_with_twitter)) { - return $this->authorizeURL() . "?oauth_token={$token}"; - } else { - return $this->authenticateURL() . "?oauth_token={$token}"; - } - } - - /** - * Exchange request token and secret for an access token and - * secret, to sign API calls. - * - * @returns array("oauth_token" => "the-access-token", - * "oauth_token_secret" => "the-access-secret", - * "user_id" => "9436992", - * "screen_name" => "abraham") - */ - function getAccessToken($oauth_verifier = FALSE) { - $parameters = array(); - if (!empty($oauth_verifier)) { - $parameters['oauth_verifier'] = $oauth_verifier; - } - $request = $this->oAuthRequest($this->accessTokenURL(), 'GET', $parameters); - $token = OAuthUtil::parse_parameters($request); - $this->token = new OAuthConsumer($token['oauth_token'], $token['oauth_token_secret']); - return $token; - } - - /** - * One time exchange of username and password for access token and secret. - * - * @returns array("oauth_token" => "the-access-token", - * "oauth_token_secret" => "the-access-secret", - * "user_id" => "9436992", - * "screen_name" => "abraham", - * "x_auth_expires" => "0") - */ - function getXAuthToken($username, $password) { - $parameters = array(); - $parameters['x_auth_username'] = $username; - $parameters['x_auth_password'] = $password; - $parameters['x_auth_mode'] = 'client_auth'; - $request = $this->oAuthRequest($this->accessTokenURL(), 'POST', $parameters); - $token = OAuthUtil::parse_parameters($request); - $this->token = new OAuthConsumer($token['oauth_token'], $token['oauth_token_secret']); - return $token; - } - - /** - * GET wrapper for oAuthRequest. - */ - function get($url, $parameters = array()) { - $response = $this->oAuthRequest($url, 'GET', $parameters); - if ($this->format === 'json' && $this->decode_json) { - return json_decode($response); - } - return $response; - } - - /** - * POST wrapper for oAuthRequest. - */ - function post($url, $parameters = array()) { - $response = $this->oAuthRequest($url, 'POST', $parameters); - if ($this->format === 'json' && $this->decode_json) { - return json_decode($response); - } - return $response; - } - - /** - * DELETE wrapper for oAuthReqeust. - */ - function delete($url, $parameters = array()) { - $response = $this->oAuthRequest($url, 'DELETE', $parameters); - if ($this->format === 'json' && $this->decode_json) { - return json_decode($response); - } - return $response; - } - - /** - * Format and sign an OAuth / API request - */ - function oAuthRequest($url, $method, $parameters) { - if (strrpos($url, 'https://') !== 0 && strrpos($url, 'http://') !== 0) { - $url = "{$this->host}{$url}.{$this->format}"; - } - $request = OAuthRequest::from_consumer_and_token($this->consumer, $this->token, $method, $url, $parameters); - $request->sign_request($this->sha1_method, $this->consumer, $this->token); - switch ($method) { - case 'GET': - return $this->http($request->to_url(), 'GET'); - default: - return $this->http($request->get_normalized_http_url(), $method, $request->to_postdata()); - } - } - - /** - * Make an HTTP request - * - * @return API results - */ - function http($url, $method, $postfields = NULL) { - $this->http_info = array(); - $ci = curl_init(); - /* Curl settings */ - curl_setopt($ci, CURLOPT_USERAGENT, $this->useragent); - curl_setopt($ci, CURLOPT_CONNECTTIMEOUT, $this->connecttimeout); - curl_setopt($ci, CURLOPT_TIMEOUT, $this->timeout); - curl_setopt($ci, CURLOPT_RETURNTRANSFER, TRUE); - curl_setopt($ci, CURLOPT_HTTPHEADER, array('Expect:')); - curl_setopt($ci, CURLOPT_SSL_VERIFYPEER, $this->ssl_verifypeer); - curl_setopt($ci, CURLOPT_HEADERFUNCTION, array($this, 'getHeader')); - curl_setopt($ci, CURLOPT_HEADER, FALSE); - - switch ($method) { - case 'POST': - curl_setopt($ci, CURLOPT_POST, TRUE); - if (!empty($postfields)) { - curl_setopt($ci, CURLOPT_POSTFIELDS, $postfields); - } - break; - case 'DELETE': - curl_setopt($ci, CURLOPT_CUSTOMREQUEST, 'DELETE'); - if (!empty($postfields)) { - $url = "{$url}?{$postfields}"; - } - } - - curl_setopt($ci, CURLOPT_URL, $url); - $response = curl_exec($ci); - $this->http_code = curl_getinfo($ci, CURLINFO_HTTP_CODE); - $this->http_info = array_merge($this->http_info, curl_getinfo($ci)); - $this->url = $url; - curl_close ($ci); - return $response; - } - - /** - * Get the header info to store. - */ - function getHeader($ch, $header) { - $i = strpos($header, ':'); - if (!empty($i)) { - $key = str_replace('-', '_', strtolower(substr($header, 0, $i))); - $value = trim(substr($header, $i + 2)); - $this->http_header[$key] = $value; - } - return strlen($header); - } -} - -} // class_exists check diff --git a/wp-content/plugins/weekly-schedule/icons/btn_donate_LG.gif b/wp-content/plugins/weekly-schedule/icons/btn_donate_LG.gif deleted file mode 100644 index 43cef691e583af713ecbdb66e3a3884817eafb73..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/weekly-schedule/icons/btn_donate_LG.gif and /dev/null differ diff --git a/wp-content/plugins/weekly-schedule/icons/delete.png b/wp-content/plugins/weekly-schedule/icons/delete.png deleted file mode 100644 index 08f249365afd29594b51210c6e21ba253897505d..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/weekly-schedule/icons/delete.png and /dev/null differ diff --git a/wp-content/plugins/weekly-schedule/jquery-qtip/LICENSE b/wp-content/plugins/weekly-schedule/jquery-qtip/LICENSE deleted file mode 100644 index e9cd5ecb5b66da2d53420906c4b3d6635900c41b..0000000000000000000000000000000000000000 --- a/wp-content/plugins/weekly-schedule/jquery-qtip/LICENSE +++ /dev/null @@ -1,7 +0,0 @@ -Copyright © 2009 Craig Thompson - -Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: - -The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. - -THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. \ No newline at end of file diff --git a/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-1.0.min.js b/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-1.0.min.js deleted file mode 100644 index a60b4cfc53310aadec57cb8bd359e4b23cfaf0ff..0000000000000000000000000000000000000000 --- a/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-1.0.min.js +++ /dev/null @@ -1 +0,0 @@ -eval(function(p,a,c,k,e,d){e=function(c){return(c<a?'':e(parseInt(c/a)))+((c=c%a)>35?String.fromCharCode(c+29):c.toString(36))};if(!''.replace(/^/,String)){while(c--){d[e(c)]=k[c]||e(c)}k=[function(e){return d[e]}];e=function(){return'\\w+'};c=1};while(c--){if(k[c]){p=p.replace(new RegExp('\\b'+e(c)+'\\b','g'),k[c])}}return p}('"6t 6u";(j($){$(31).3A(j(){R i;$(2g).1M(\'3K 3D\',j(r){1S(i=0;i<$.19.g.O.Q;i++){R T=$.19.g.O[i];c(T&&T.V&&T.V.1b&&T.8.k.17!==\'28\'&&T.d.h.2q(\':2c\')&&(T.8.k.1g.3D&&r.17===\'3D\'||T.8.k.1g.3K&&r.17===\'3K\')){T.2f(r,H)}}});$(31).1M(\'5d.g\',j(r){c($(r.s).52(\'12.g\').Q===0){R h=$(\'.6x\'),T=h.g(\'T\');c(h.2q(\':2c\')&&T&&T.V&&!T.V.22&&$(r.s).2o(T.d.s).Q>1){T.D(r)}}})});j 2D(w){c(!w){B p}A.x=5w(w).3k(/5m/i,\'1j\').5o(/M|25|1j/i)[0].2F();A.y=5w(w).3k(/5m/i,\'1j\').5o(/K|26|1j/i)[0].2F();A.1q={M:0,K:0};A.2y=(w.2H(0).6L(/^(t|b)/)>-1)?\'y\':\'x\';A.1x=j(){B(A.2y===\'y\')?A.y+A.x:A.x+A.y}}j 42(w,o,F){R 1N={5B:[[0,0],[o,F],[o,0]],6a:[[0,0],[o,0],[0,F]],5K:[[0,F],[o,0],[o,F]],5N:[[0,0],[0,F],[o,F]],6z:[[0,F],[o/2,0],[o,F]],6v:[[0,0],[o,0],[o/2,F]],6w:[[0,0],[o,F/2],[0,F]],6J:[[o,0],[o,F],[0,F/2]]};1N.6M=1N.5B;1N.6A=1N.6a;1N.6B=1N.5K;1N.6D=1N.5N;B 1N[w]}j 4d(E){R 2j;c($(\'<1e />\').1p(0).1D){2j={3M:[E,E],4p:[0,E],4h:[E,0],3Q:[0,0]}}C c($.15.1d){2j={3M:[-2z,2z,0],4p:[-2z,2z,-E],4h:[2z,5H,0],3Q:[2z,5H,-E]}}B 2j}j 2G(e,49){R 2U,i;2U=$.2r(H,{},e);1S(i 5R 2U){c(49===H&&(/(f|1f)/i).1Y(i)){3r 2U[i]}C c(!49&&(/(o|J|f|U|1f|4v)/i).1Y(i)){3r 2U[i]}}B 2U}j 45(e){c(P e.f!==\'18\'){e.f={w:e.f}}c(P e.f.N!==\'18\'){e.f.N={o:e.f.N,F:e.f.N}}c(P e.J!==\'18\'){e.J={o:e.J}}c(P e.o!==\'18\'){e.o={2Z:e.o}}c(P e.o.1H===\'1x\'){e.o.1H=1y(e.o.1H.3k(/([0-9]+)/i,"$1"),10)}c(P e.o.2b===\'1x\'){e.o.2b=1y(e.o.2b.3k(/([0-9]+)/i,"$1"),10)}c(P e.f.N.x===\'2n\'){e.f.N.o=e.f.N.x;3r e.f.N.x}c(P e.f.N.y===\'2n\'){e.f.N.F=e.f.N.y;3r e.f.N.y}B e}j 4e(){R 7,i,3z,2v,1F,1P;7=A;3z=[H,{}];1S(i=0;i<35.Q;i++){3z.51(35[i])}2v=[$.2r.4a($,3z)];6G(P 2v[0].20===\'1x\'){2v.5O(45($.19.g.3c[2v[0].20]))}2v.5O(H,{1f:{h:\'g-\'+(35[0].20||\'39\')}},$.19.g.3c.39);1F=$.2r.4a($,2v);1P=($.15.1d)?1:0;1F.f.N.o+=1P;1F.f.N.F+=1P;c(1F.f.N.o%2>0){1F.f.N.o+=1}c(1F.f.N.F%2>0){1F.f.N.F+=1}c(1F.f.w===H){c(7.8.k.w.h===\'1j\'&&7.8.k.w.s===\'1j\'){1F.f.w=p}C{1F.f.w=7.8.k.w.h}}B 1F}j 4b(1e,X,E,I){R 1l=1e.1p(0).1D(\'2d\');1l.5G=I;1l.5U();1l.3y(X[0],X[1],E,0,1t.6N*2,p);1l.5Y()}j 5v(){R 7,i,o,E,I,X,1O,N,4L,2s,3e,3g,43,4M,4o;7=A;7.d.1u.1J(\'.g-3g, .g-3e\').3W();o=7.8.e.J.o;E=7.8.e.J.E;I=7.8.e.J.I||7.8.e.f.I;X=4d(E);1O={};1S(i 5R X){1O[i]=\'<12 1R="\'+i+\'" e="\'+((/6n/).1Y(i)?\'M\':\'25\')+\':0; \'+\'k:34; F:\'+E+\'1a; o:\'+E+\'1a; 2u:1G; 2S-F:0.1B; 2Y-N:1B">\';c($(\'<1e />\').1p(0).1D){1O[i]+=\'<1e F="\'+E+\'" o="\'+E+\'" e="4i-3o: K"></1e>\'}C c($.15.1d){N=E*2+3;1O[i]+=\'<v:3y 5j="p" 3q="\'+I+\'" 6s="\'+X[i][0]+\'" 6r="\'+X[i][1]+\'" \'+\'e="o:\'+N+\'1a; F:\'+N+\'1a; 2p-K:\'+((/26/).1Y(i)?-2:-1)+\'1a; \'+\'2p-M:\'+((/6k/).1Y(i)?X[i][2]-3.5:-1)+\'1a; \'+\'4i-3o:K; 27:5c-4J; 3F:1z(#2L#3L)"></v:3y>\'}1O[i]+=\'</12>\'}4L=7.3d().o-(1t.1H(o,E)*2);2s=\'<12 1K="g-2s" e="F:\'+E+\'1a; o:\'+4L+\'1a; \'+\'2u:1G; 1s-I:\'+I+\'; 2S-F:0.1B; 2Y-N:1B;">\';3e=\'<12 1K="g-3e" 4y="4g" e="F:\'+E+\'1a; \'+\'2p-M:\'+E+\'1a; 2S-F:0.1B; 2Y-N:1B; 2x:0;">\'+1O.3M+1O.4p+2s;7.d.1u.3v(3e);3g=\'<12 1K="g-3g" 4y="4g" e="F:\'+E+\'1a; \'+\'2p-M:\'+E+\'1a; 2S-F:0.1B; 2Y-N:1B; 2x:0;">\'+1O.4h+1O.3Q+2s;7.d.1u.5s(3g);c($(\'<1e />\').1p(0).1D){7.d.1u.1J(\'1e\').1I(j(){43=X[$(A).3N(\'[1R]:1U\').W(\'1R\')];4b.S(7,$(A),43,E,I)})}C c($.15.1d){7.d.h.5s(\'<v:3T e="3F:1z(#2L#3L);"></v:3T>\')}4M=1t.1H(E,(E+(o-E)));4o=1t.1H(o-E,0);7.d.1w.G({J:\'6C 3s \'+I,6I:4o+\'1a \'+4M+\'1a\'})}j 44(1e,X,I){R 1l=1e.1p(0).1D(\'2d\');1l.5G=I;1l.5U();1l.6o(X[0][0],X[0][1]);1l.5Q(X[1][0],X[1][1]);1l.5Q(X[2][0],X[2][1]);1l.5Y()}j 4Q(w){R 7,1P,23,41,40,3S;7=A;c(7.8.e.f.w===p||!7.d.f){B}c(!w){w=2T 2D(7.d.f.W(\'1R\'))}1P=23=($.15.1d)?1:0;7.d.f.G(w[w.2y],0);c(w.2y===\'y\'){c($.15.1d){c(1y($.15.2X.2H(0),10)===6){23=w.y===\'K\'?-3:1}C{23=w.y===\'K\'?1:2}}c(w.x===\'1j\'){7.d.f.G({M:\'50%\',6K:-(7.8.e.f.N.o/2)})}C c(w.x===\'M\'){7.d.f.G({M:7.8.e.J.E-1P})}C{7.d.f.G({25:7.8.e.J.E+1P})}c(w.y===\'K\'){7.d.f.G({K:-23})}C{7.d.f.G({26:23})}}C{c($.15.1d){23=(1y($.15.2X.2H(0),10)===6)?1:(w.x===\'M\'?1:2)}c(w.y===\'1j\'){7.d.f.G({K:\'50%\',4f:-(7.8.e.f.N.F/2)})}C c(w.y===\'K\'){7.d.f.G({K:7.8.e.J.E-1P})}C{7.d.f.G({26:7.8.e.J.E+1P})}c(w.x===\'M\'){7.d.f.G({M:-23})}C{7.d.f.G({25:23})}}41=\'2x-\'+w[w.2y];40=7.8.e.f.N[w.2y===\'x\'?\'o\':\'F\'];7.d.h.G(\'2x\',0).G(41,40);c($.15.1d&&1y($.15.2X.2H(0),6)===6){3S=1y(7.d.f.G(\'2p-K\'),10)||0;3S+=1y(7.d.u.G(\'2p-K\'),10)||0;7.d.f.G({4f:3S})}}j 4w(w){R 7,I,X,3I,2l,f;7=A;c(7.d.f!==1A){7.d.f.3W()}I=7.8.e.f.I||7.8.e.J.I;c(7.8.e.f.w===p){B}C c(!w){w=2T 2D(7.8.e.f.w)}X=42(w.1x(),7.8.e.f.N.o,7.8.e.f.N.F);7.d.f=\'<12 1K="\'+7.8.e.1f.f+\'" 4y="4g" 1R="\'+w.1x()+\'" e="k:34; \'+\'F:\'+7.8.e.f.N.F+\'1a; o:\'+7.8.e.f.N.o+\'1a; \'+\'2p:0 6e; 2S-F:0.1B; 2Y-N:1B;"></12>\';7.d.h.3v(7.d.f);c($(\'<1e />\').1p(0).1D){f=\'<1e F="\'+7.8.e.f.N.F+\'" o="\'+7.8.e.f.N.o+\'"></1e>\'}C c($.15.1d){3I=7.8.e.f.N.o+\',\'+7.8.e.f.N.F;2l=\'m\'+X[0][0]+\',\'+X[0][1];2l+=\' l\'+X[1][0]+\',\'+X[1][1];2l+=\' \'+X[2][0]+\',\'+X[2][1];2l+=\' 6i\';f=\'<v:3P 3q="\'+I+\'" 5j="p" 6p="H" 2l="\'+2l+\'" 3I="\'+3I+\'" \'+\'e="o:\'+7.8.e.f.N.o+\'1a; F:\'+7.8.e.f.N.F+\'1a; \'+\'2S-F:0.1B; 27:5c-4J; 3F:1z(#2L#3L); \'+\'4i-3o:\'+(w.y===\'K\'?\'26\':\'K\')+\'"></v:3P>\';f+=\'<v:3T e="3F:1z(#2L#3L);"></v:3T>\';7.d.1w.G(\'k\',\'4S\')}7.d.f=7.d.h.1J(\'.\'+7.8.e.1f.f).6E(0);7.d.f.2k(f);c($(\'<1e />\').1p(0).1D){44.S(7,7.d.f.1J(\'1e:1U\'),X,I)}c(w.y===\'K\'&&$.15.1d&&1y($.15.2X.2H(0),10)===6){7.d.f.G({4f:-4})}4Q.S(7,w)}j 5x(){R 7=A;c(7.d.U!==1A){7.d.U.3W()}7.d.h.W(\'3p-6F\',\'g-\'+7.Y+\'-U\');7.d.U=$(\'<12 Y="g-\'+7.Y+\'-U" 1K="\'+7.8.e.1f.U+\'"></12>\').G(2G(7.8.e.U,H)).G({29:($.15.1d)?1:0}).4X(7.d.1w);c(7.8.u.U.1k){7.5W.S(7,7.8.u.U.1k)}c(7.8.u.U.1h!==p&&P 7.8.u.U.1h===\'1x\'){7.d.1h=$(\'<a 1K="\'+7.8.e.1f.1h+\'" 4W="1h" e="6H:25; k: 4S"></a>\').G(2G(7.8.e.1h,H)).2k(7.8.u.U.1h).4X(7.d.U).4V(j(r){c(!7.V.22){7.D(r)}})}}j 5i(){R 7,3h,2m,3t;7=A;3h=7.8.q.L.s;2m=7.8.D.L.s;c(7.8.D.3i){2m=2m.2o(7.d.h)}3t=[\'4V\',\'6h\',\'6l\',\'6j\',\'4R\',\'4T\',\'5d\',\'6m\',\'36\'];j 3w(r){c(7.V.22===H){B}2a(7.1E.1V);7.1E.1V=4D(j(){$(3t).1I(j(){2m.1Q(A+\'.g-1V\');7.d.u.1Q(A+\'.g-1V\')});7.D(r)},7.8.D.2V)}c(7.8.D.3i===H){7.d.h.1M(\'36.g\',j(){c(7.V.22===H){B}2a(7.1E.D)})}j 4C(r){c(7.V.22===H){B}c(7.8.D.L.r===\'1V\'){$(3t).1I(j(){2m.1M(A+\'.g-1V\',3w);7.d.u.1M(A+\'.g-1V\',3w)});3w()}2a(7.1E.q);2a(7.1E.D);c(7.8.q.2V>0){7.1E.q=4D(j(){7.q(r)},7.8.q.2V)}C{7.q(r)}}j 4E(r){c(7.V.22===H){B}c(7.8.D.3i===H&&(/1L(6q|6y)/i).1Y(7.8.D.L.r)&&$(r.70).52(\'12.g[Y^="g"]\').Q>0){r.7L();r.7K();2a(7.1E.D);B p}2a(7.1E.q);2a(7.1E.D);7.d.h.3R(H,H);7.1E.D=4D(j(){7.D(r)},7.8.D.2V)}c(7.8.k.s===\'1L\'&&7.8.k.17!==\'28\'){3h.1M(\'4R.g\',j(r){7.1v.1L={M:r.3Y,K:r.4x};c(7.V.22===p&&7.8.k.1g.1L===H&&7.8.k.17!==\'28\'&&7.d.h.G(\'27\')!==\'3a\'){7.2f(r)}})}c((7.8.q.L.s.2o(7.8.D.L.s).Q===1&&7.8.q.L.r===7.8.D.L.r&&7.8.D.L.r!==\'1V\')||7.8.D.L.r===\'4H\'){7.1v.2I=0;3h.1M(7.8.q.L.r+\'.g\',j(r){c(7.1v.2I===0){4C(r)}C{4E(r)}})}C{3h.1M(7.8.q.L.r+\'.g\',4C);c(7.8.D.L.r!==\'1V\'){2m.1M(7.8.D.L.r+\'.g\',4E)}}c((/(3i|34)/).1Y(7.8.k.17)){7.d.h.1M(\'36.g\',7.2E)}}j 21(){R 7,2k,2t;7=A;2t=7.3d();2k=\'<7J 1K="g-21" 7I="0" 7M="-1" 4G="7N:p" \'+\'e="27:4J; k:34; z-3x:-1; 5n:7R(2B=\\\'0\\\'); J: 1B 3s 4l; \'+\'F:\'+2t.F+\'1a; o:\'+2t.o+\'1a" />\';7.d.21=7.d.1u.3v(2k).2w(\'.g-21:1U\')}j 4c(){R 7,u,1z,Z,2A;7=A;7.5J.S(7);7.V.1b=2;7.d.h=\'<12 g="\'+7.Y+\'" Y="g-\'+7.Y+\'" 4W="h" \'+\'3p-7Q="g-\'+7.Y+\'-u" 1K="g \'+(7.8.e.1f.h||7.8.e)+\'" \'+\'e="27:3a; -7P-J-E:0; -7O-J-E:0; J-E:0; k:\'+7.8.k.17+\';"> \'+\' <12 1K="g-1u" e="k:4S; 2u:1G; 1k-3o:M;"> \'+\' <12 1K="g-1w" e="2u:1G;"> \'+\' <12 Y="g-\'+7.Y+\'-u" 1K="g-u \'+7.8.e.1f.u+\'"></12> \'+\'</12></12></12>\';7.d.h=$(7.d.h);7.d.h.5P(7.8.k.3U);7.d.h.Z(\'g\',{3j:0,O:[7]});7.d.1u=7.d.h.2w(\'12:1U\');7.d.1w=7.d.1u.2w(\'12:1U\');7.d.u=7.d.1w.2w(\'12:1U\').G(2G(7.8.e));c($.15.1d){7.d.1u.2o(7.d.u).G({29:1})}c(7.8.D.L.r===\'4H\'){7.d.h.W(\'4H\',H)}c(P 7.8.e.o.2Z===\'2n\'){7.4s()}c($(\'<1e />\').1p(0).1D||$.15.1d){c(7.8.e.J.E>0){5v.S(7)}C{7.d.1w.G({J:7.8.e.J.o+\'1a 3s \'+7.8.e.J.I})}c(7.8.e.f.w!==p){4w.S(7)}}C{7.d.1w.G({J:7.8.e.J.o+\'1a 3s \'+7.8.e.J.I});7.8.e.J.E=0;7.8.e.f.w=p}c((P 7.8.u.1k===\'1x\'&&7.8.u.1k.Q>0)||(7.8.u.1k.48&&7.8.u.1k.Q>0)){u=7.8.u.1k}C{u=\' \'}c(7.8.u.U.1k!==p){5x.S(7)}7.4U(u,p);5i.S(7);c(7.8.q.3A===H){7.q()}c(7.8.u.1z!==p){1z=7.8.u.1z;Z=7.8.u.Z;2A=7.8.u.2A||\'1p\';7.5Z(1z,Z,2A)}7.V.1b=H;7.4Z.S(7)}j 5k(s,8,Y){R 7=A;7.Y=Y;7.8=8;7.V={4t:p,1b:p,22:p,3Z:p};7.d={s:s.5l(7.8.e.1f.s),h:1A,1u:1A,u:1A,1w:1A,U:1A,1h:1A,f:1A,21:1A};7.1v={W:p,1L:{},2I:0,2u:{M:p,K:p}};7.1E={};$.2r(7,7.8.T,{q:j(r){R 1c,1W;c(!7.V.1b){B p}c(7.d.h.G(\'27\')!==\'3a\'){B 7}7.d.h.3R(H,p);1c=7.5p.S(7,r);c(1c===p){B 7}j 2M(){7.d.h.W(\'3p-1G\',H);c(7.8.k.17!==\'28\'){7.2E()}7.5r.S(7,r);c($.15.1d){R 4B=7.d.h.1p(0).e;4B.4z(\'5n\');4B.4z(\'2B\')}C{7.d.h.G({2B:\'\'})}}7.1v.2I=1;c(7.8.k.17!==\'28\'){7.2f(r,(7.8.q.11.Q>0&&7.1b!==2))}c(P 7.8.q.1W===\'18\'){1W=$(7.8.q.1W)}C c(7.8.q.1W===H){1W=$(\'12.g\').5S(7.d.h)}c(1W){1W.1I(j(){c($(A).g(\'T\').V.1b===H){$(A).g(\'T\').D()}})}c(P 7.8.q.11.17===\'j\'){7.8.q.11.17.S(7.d.h,7.8.q.11.Q);7.d.h.5f(j(){2M();$(A).5g()})}C{4m(7.8.q.11.17.2F()){1X\'3u\':7.d.h.7H(7.8.q.11.Q,2M);1C;1X\'5h\':7.d.h.7G(7.8.q.11.Q,j(){2M();c(7.8.k.17!==\'28\'){7.2f(r,H)}});1C;1X\'5q\':7.d.h.q(7.8.q.11.Q,2M);1C;2L:7.d.h.q(1A,2M);1C}7.d.h.5l(7.8.e.1f.3O)}B 7},D:j(r){R 1c;c(!7.V.1b){B p}C c(7.d.h.G(\'27\')===\'3a\'){B 7}2a(7.1E.q);7.d.h.3R(H,p);1c=7.5t.S(7,r);c(1c===p){B 7}j 2K(){7.d.h.W(\'3p-1G\',H);c($.15.1d){7.d.h.1p(0).e.4z(\'2B\')}C{7.d.h.G({2B:\'\'})}7.5A.S(7,r)}7.1v.2I=0;c(P 7.8.D.11.17===\'j\'){7.8.D.11.17.S(7.d.h,7.8.D.11.Q);7.d.h.5f(j(){2K();$(A).5g()})}C{4m(7.8.D.11.17.2F()){1X\'3u\':7.d.h.7z(7.8.D.11.Q,2K);1C;1X\'5h\':7.d.h.7y(7.8.D.11.Q,2K);1C;1X\'5q\':7.d.h.D(7.8.D.11.Q,2K);1C;2L:7.d.h.D(1A,2K);1C}7.d.h.7x(7.8.e.1f.3O)}B 7},2I:j(r,38){R 5e=/7w|2n/.1Y(P 38)?38:!7.d.h.2q(\':2c\');7[5e?\'q\':\'D\'](r);B 7},2f:j(r,4r){c(!7.V.1b){B p}R 24=8.k,s=$(24.s),2Q=7.d.h.47(),2P=7.d.h.4P(),1m,1n,k,1o=24.w.h,2R=24.w.s,1c,14,i,4k,2h,4j={M:j(){R 3m=$(2g).3G(),3l=$(2g).o()+$(2g).3G(),2J=1o.x===\'1j\'?2Q/2:2Q,2N=1o.x===\'1j\'?1m/2:1m,2O=(1o.x===\'1j\'?1:2)*7.8.e.J.E,1q=-2*24.1g.x,3n=k.M+2Q,1i;c(3n>3l){1i=1q-2J-2N+2O;c(k.M+1i>3m||3m-(k.M+1i)<3n-3l){B{1g:1i,f:\'25\'}}}c(k.M<3m){1i=1q+2J+2N-2O;c(3n+1i<3l||3n+1i-3l<3m-k.M){B{1g:1i,f:\'M\'}}}B{1g:0,f:1o.x}},K:j(){R 30=$(2g).3H(),33=$(2g).F()+$(2g).3H(),2J=1o.y===\'1j\'?2P/2:2P,2N=1o.y===\'1j\'?1n/2:1n,2O=(1o.y===\'1j\'?1:2)*7.8.e.J.E,1q=-2*24.1g.y,32=k.K+2P,1i;c(32>33){1i=1q-2J-2N+2O;c(k.K+1i>30||30-(k.K+1i)<32-33){B{1g:1i,f:\'26\'}}}c(k.K<30){1i=1q+2J+2N-2O;c(32+1i<33||32+1i-33<30-k.K){B{1g:1i,f:\'K\'}}}B{1g:0,f:1o.y}}};c(r&&8.k.s===\'1L\'){2R={x:\'M\',y:\'K\'};1m=1n=0;c(!r.3Y){k=7.1v.1L}C{k={K:r.4x,M:r.3Y}}}C{c(s[0]===31){1m=s.o();1n=s.F();k={K:0,M:0}}C c(s[0]===2g){1m=s.o();1n=s.F();k={K:s.3H(),M:s.3G()}}C c(s.2q(\'7A\')){14=7.8.k.s.W(\'14\').7B(\',\');1S(i=0;i<14.Q;i++){14[i]=1y(14[i],10)}4k=7.8.k.s.3N(\'7F\').W(\'20\');2h=$(\'4K[7E="#\'+4k+\'"]:1U\').1q();k={M:1t.3J(2h.M+14[0]),K:1t.3J(2h.K+14[1])};4m(7.8.k.s.W(\'3P\').2F()){1X\'7T\':1m=1t.55(1t.54(14[2]-14[0]));1n=1t.55(1t.54(14[3]-14[1]));1C;1X\'7C\':1m=14[2]+1;1n=14[2]+1;1C;1X\'7S\':1m=14[0];1n=14[1];1S(i=0;i<14.Q;i++){c(i%2===0){c(14[i]>1m){1m=14[i]}c(14[i]<14[0]){k.M=1t.3J(2h.M+14[i])}}C{c(14[i]>1n){1n=14[i]}c(14[i]<14[1]){k.K=1t.3J(2h.K+14[i])}}}1m=1m-(k.M-2h.M);1n=1n-(k.K-2h.K);1C}1m-=2;1n-=2}C{1m=s.47();1n=s.4P();c(!7.d.h.2q(\':2c\')){7.d.h.G({M:\'-81\'}).q()}c(7.d.h.4n()[0]===31.5b){k=s.1q()}C{k=s.k();k.K+=s.4n().3H();k.M+=s.4n().3G()}}k.M+=2R.x===\'25\'?1m:2R.x===\'1j\'?1m/2:0;k.K+=2R.y===\'26\'?1n:2R.y===\'1j\'?1n/2:0}k.M+=24.1g.x+(1o.x===\'25\'?-2Q:1o.x===\'1j\'?-2Q/2:0);k.K+=24.1g.y+(1o.y===\'26\'?-2P:1o.y===\'1j\'?-2P/2:0);c(7.8.e.J.E>0){c(1o.x===\'M\'){k.M-=7.8.e.J.E}C c(1o.x===\'25\'){k.M+=7.8.e.J.E}c(1o.y===\'K\'){k.K-=7.8.e.J.E}C c(1o.y===\'26\'){k.K+=7.8.e.J.E}}c(24.1g.63){(j(){R 2W={x:0,y:0},2i={x:4j.M(),y:4j.K()},f=2T 2D(8.e.f.w);c(7.d.f&&f){c(2i.y.1g!==0){k.K+=2i.y.1g;f.y=2W.y=2i.y.f}c(2i.x.1g!==0){k.M+=2i.x.1g;f.x=2W.x=2i.x.f}7.1v.2u={M:2W.x===p,K:2W.y===p};c(7.d.f.W(\'1R\')!==f.1x()){4w.S(7,f)}}}())}c(!7.d.21&&$.15.1d&&1y($.15.2X.2H(0),10)===6){21.S(7)}1c=7.5u.S(7,r);c(1c===p){B 7}c(8.k.s!==\'1L\'&&4r===H){7.V.4t=H;7.d.h.3R().4r(k,7V,\'80\',j(){7.V.4t=p})}C{7.d.h.G(k)}7.5z.S(7,r);B 7},4s:j(1r){c(!7.V.1b||(1r&&P 1r!==\'2n\')){B p}R 1G=7.d.1w.7W().2o(7.d.f).2o(7.d.1h),29=7.d.1u.2o(7.d.1w.2w()),h=7.d.h,1H=7.8.e.o.1H,2b=7.8.e.o.2b;c(!1r){c(P 7.8.e.o.2Z===\'2n\'){1r=7.8.e.o.2Z}C{7.d.h.G({o:\'6e\'});1G.D();h.o(1r);c($.15.1d){29.G({29:\'\'})}1r=7.3d().o;c(!7.8.e.o.2Z){1r=1t.2b(1t.1H(1r,2b),1H)}}}c(1r%2){1r+=1}7.d.h.o(1r);1G.q();c(7.8.e.J.E){7.d.h.1J(\'.g-2s\').1I(j(i){$(A).o(1r-(7.8.e.J.E*2))})}c($.15.1d){29.G({29:1});7.d.1u.o(1r);c(7.d.21){7.d.21.o(1r).F(7.3d.F)}}B 7},7Y:j(20){R f,2j,1l,w,X;c(!7.V.1b||P 20!==\'1x\'||!$.19.g.3c[20]){B p}7.8.e=4e.S(7,$.19.g.3c[20],7.8.4v.e);7.d.u.G(2G(7.8.e));c(7.8.u.U.1k!==p){7.d.U.G(2G(7.8.e.U,H))}7.d.1w.G({7U:7.8.e.J.I});c(7.8.e.f.w!==p){c($(\'<1e />\').1p(0).1D){f=7.d.h.1J(\'.g-f 1e:1U\');1l=f.1p(0).1D(\'2d\');1l.5I(0,0,3C,3C);w=f.3N(\'12[1R]:1U\').W(\'1R\');X=42(w,7.8.e.f.N.o,7.8.e.f.N.F);44.S(7,f,X,7.8.e.f.I||7.8.e.J.I)}C c($.15.1d){f=7.d.h.1J(\'.g-f [5C="3P"]\');f.W(\'3q\',7.8.e.f.I||7.8.e.J.I)}}c(7.8.e.J.E>0){7.d.h.1J(\'.g-2s\').G({7X:7.8.e.J.I});c($(\'<1e />\').1p(0).1D){2j=4d(7.8.e.J.E);7.d.h.1J(\'.g-1u 1e\').1I(j(){1l=$(A).1p(0).1D(\'2d\');1l.5I(0,0,3C,3C);w=$(A).3N(\'12[1R]:1U\').W(\'1R\');4b.S(7,$(A),2j[w],7.8.e.J.E,7.8.e.J.I)})}C c($.15.1d){7.d.h.1J(\'.g-1u [5C="3y"]\').1I(j(){$(A).W(\'3q\',7.8.e.J.I)})}}B 7},4U:j(u,5F){R 3b,37,4I;j 4F(){7.4s();c(5F!==p){c(7.8.k.17!==\'28\'){7.2f(7.d.h.2q(\':2c\'),H)}c(7.8.e.f.w!==p){4Q.S(7)}}}c(!u){B p}3b=7.59.S(7,u);c(P 3b===\'1x\'){u=3b}C c(3b===p){B}c(7.V.1b){c($.15.1d){7.d.1w.2w().G({29:\'7Z\'})}c(u.48&&u.Q>0){u.5V(H).5P(7.d.u).q()}C{7.d.u.2k(u)}37=7.d.u.1J(\'4K[6O=p]\');c(37.Q>0){4I=0;37.1I(j(i){$(\'<4K 4G="\'+$(A).W(\'4G\')+\'" />\').7D(j(){c(++4I===37.Q){4F()}})})}C{4F()}}C{7.8.u.1k=u}7.58.S(7);B 7},5Z:j(1z,Z,2A){R 1c;j 4O(u){7.6g.S(7);7.4U(u)}c(!7.V.1b){B p}1c=7.5a.S(7);c(1c===p){B 7}c(2A===\'60\'){$.60(1z,Z,4O)}C{$.1p(1z,Z,4O)}B 7},5W:j(u){R 1c;c(!7.V.1b||!u){B p}1c=7.64.S(7);c(1c===p){B 7}c(7.d.1h){7.d.1h=7.d.1h.5V(H)}7.d.U.2k(u);c(7.d.1h){7.d.U.3v(7.d.1h)}7.65.S(7);B 7},2E:j(r){R 4A,3E,3B,1c;c(!7.V.1b||7.8.k.17===\'28\'){B p}4A=1y(7.d.h.G(\'z-3x\'),10);3E=7u+$(\'12.g[Y^="g"]\').Q-1;c(!7.V.3Z&&4A!==3E){1c=7.5D.S(7,r);c(1c===p){B 7}$(\'12.g[Y^="g"]\').5S(7.d.h).1I(j(){c($(A).g(\'T\').V.1b===H){3B=1y($(A).G(\'z-3x\'),10);c(P 3B===\'2n\'&&3B>-1){$(A).G({68:1y($(A).G(\'z-3x\'),10)-1})}$(A).g(\'T\').V.3Z=p}});7.d.h.G({68:3E});7.V.3Z=H;7.5E.S(7,r)}B 7},3X:j(38){7.V.22=38?H:p;B 7},3f:j(){R i,1c,O,4N=7.d.s.Z(\'46\'+7.1v.W[0]);1c=7.61.S(7);c(1c===p){B 7}c(7.V.1b){7.8.q.L.s.1Q(\'4R.g\',7.2f);7.8.q.L.s.1Q(\'4T.g\',7.D);7.8.q.L.s.1Q(7.8.q.L.r+\'.g\');7.8.D.L.s.1Q(7.8.D.L.r+\'.g\');7.d.h.1Q(7.8.D.L.r+\'.g\');7.d.h.1Q(\'36.g\',7.2E);7.d.h.3W()}C{7.8.q.L.s.1Q(7.8.q.L.r+\'.g-\'+7.Y+\'-4u\')}c(P 7.d.s.Z(\'g\')===\'18\'){O=7.d.s.Z(\'g\').O;c(P O===\'18\'&&O.Q>0){1S(i=0;i<O.Q-1;i++){c(O[i].Y===7.Y){O.5X(i,1)}}}}$.19.g.O.5X(7.Y,1);c(P O===\'18\'&&O.Q>0){7.d.s.Z(\'g\').3j=O.Q-1}C{7.d.s.73(\'g\')}c(4N){7.d.s.W(7.1v.W[0],4N)}7.62.S(7);B 7.d.s},72:j(){R q,1q;c(!7.V.1b){B p}q=(7.d.h.G(\'27\')!==\'3a\')?p:H;c(q){7.d.h.G({3V:\'1G\'}).q()}1q=7.d.h.1q();c(q){7.d.h.G({3V:\'2c\'}).D()}B 1q},3d:j(){R q,2t;c(!7.V.1b){B p}q=(!7.d.h.2q(\':2c\'))?H:p;c(q){7.d.h.G({3V:\'1G\'}).q()}2t={F:7.d.h.4P(),o:7.d.h.47()};c(q){7.d.h.G({3V:\'2c\'}).D()}B 2t}})}$.19.g=j(8,4q){R i,Y,O,1Z,2e,1T,16,T;c(P 8===\'1x\'){c($(A).Z(\'g\')){c(8===\'T\'){B $(A).Z(\'g\').O[$(A).Z(\'g\').3j]}C c(8===\'O\'){B $(A).Z(\'g\').O}}C{B $(A)}}C{c(!8){8={}}c(P 8.u!==\'18\'||(8.u.48&&8.u.Q>0)){8.u={1k:8.u}}c(P 8.u.U!==\'18\'){8.u.U={1k:8.u.U}}c(P 8.k!==\'18\'){8.k={w:8.k}}c(P 8.k.w!==\'18\'){8.k.w={s:8.k.w,h:8.k.w}}c(P 8.q!==\'18\'){8.q={L:8.q}}c(P 8.q.L!==\'18\'){8.q.L={r:8.q.L}}c(P 8.q.11!==\'18\'){8.q.11={17:8.q.11}}c(P 8.D!==\'18\'){8.D={L:8.D}}c(P 8.D.L!==\'18\'){8.D.L={r:8.D.L}}c(P 8.D.11!==\'18\'){8.D.11={17:8.D.11}}c(P 8.e!==\'18\'){8.e={20:8.e}}8.e=45(8.e);1Z=$.2r(H,{},$.19.g.39,8);1Z.e=4e.S({8:1Z},1Z.e);1Z.4v=$.2r(H,{},8)}B $(A).1I(j(){R 7=$(A),u=p;c(P 8===\'1x\'){1T=8.2F();O=$(A).g(\'O\');c(P O===\'18\'){c(4q===H&&1T===\'3f\'){1S(i=O.Q-1;i>-1;i--){c(\'18\'===P O[i]){O[i].3f()}}}C{c(4q!==H){O=[$(A).g(\'T\')]}1S(i=0;i<O.Q;i++){c(1T===\'3f\'){O[i].3f()}C c(O[i].V.1b===H){c(1T===\'q\'){O[i].q()}C c(1T===\'D\'){O[i].D()}C c(1T===\'2E\'){O[i].2E()}C c(1T===\'3X\'){O[i].3X(H)}C c(1T===\'71\'){O[i].3X(p)}C c(1T===\'7v\'){O[i].2f()}}}}}}C{16=$.2r(H,{},1Z);16.D.11.Q=1Z.D.11.Q;16.q.11.Q=1Z.q.11.Q;c(16.k.3U===p){16.k.3U=$(31.5b)}c(16.k.s===p){16.k.s=$(A)}c(16.q.L.s===p){16.q.L.s=$(A)}c(16.D.L.s===p){16.D.L.s=$(A)}16.k.w.h=2T 2D(16.k.w.h);16.k.w.s=2T 2D(16.k.w.s);c(!16.u.1k.Q){$([\'U\',\'6f\']).1I(j(i,W){R 2C=7.W(W);c(2C&&2C.Q){u=[W,2C];7.Z(\'46\'+W,2C).74(W);16.u.1k=2C.3k(/\\n/75,\'<78 />\');B p}})}Y=$.19.g.O.Q;1S(i=0;i<Y;i++){c(P $.19.g.O[i]===\'56\'){Y=i;1C}}2e=2T 5k($(A),16,Y);$.19.g.O[Y]=2e;2e.1v.W=u;c(P $(A).Z(\'g\')===\'18\'&&$(A).Z(\'g\')){c(P $(A).W(\'g\')===\'56\'){$(A).Z(\'g\').3j=$(A).Z(\'g\').O.Q}$(A).Z(\'g\').O.51(2e)}C{$(A).Z(\'g\',{3j:0,O:[2e]})}c(16.u.5y===p&&16.q.L.r!==p&&16.q.3A!==H){16.q.L.s.1M(16.q.L.r+\'.g-\'+Y+\'-4u\',{g:Y},j(r){T=$.19.g.O[r.Z.g];T.8.q.L.s.1Q(T.8.q.L.r+\'.g-\'+r.Z.g+\'-4u\');T.1v.1L={M:r.3Y,K:r.4x};4c.S(T);T.8.q.L.s.77(T.8.q.L.r)})}C{2e.1v.1L={M:16.q.L.s.1q().M,K:16.q.L.s.1q().K};4c.S(2e)}}})};$.19.g.O=[];$.19.g.19={W:$.19.W};$.19.W=j(W){R T=$(A).g(\'T\');B(35.Q===1&&(/U|6f/i).1Y(W)&&T.V&&T.V.1b===H)?$(A).Z(\'46\'+T.1v.W[0]):$.19.g.19.W.4a(A,35)};$.19.g.39={u:{5y:p,1k:p,1z:p,Z:1A,U:{1k:p,1h:p}},k:{s:p,w:{s:\'3Q\',h:\'3M\'},1g:{x:0,y:0,1L:H,63:p,3D:H,3K:H},17:\'34\',3U:p},q:{L:{s:p,r:\'36\'},11:{17:\'3u\',Q:5T},2V:76,1W:p,3A:p},D:{L:{s:p,r:\'4T\'},11:{17:\'3u\',Q:5T},2V:0,3i:p},T:{5J:j(){},4Z:j(){},5u:j(){},5z:j(){},5p:j(){},5r:j(){},5t:j(){},5A:j(){},59:j(){},58:j(){},5a:j(){},6g:j(){},64:j(){},65:j(){},61:j(){},62:j(){},5D:j(){},5E:j(){}}};$.19.g.3c={39:{1s:\'66\',I:\'#6Z\',2u:\'1G\',6Y:\'M\',o:{2b:0,1H:6S},2x:\'6R 6Q\',J:{o:1,E:0,I:\'#6P\'},f:{w:p,I:p,N:{o:13,F:13},2B:1},U:{1s:\'#6T\',6U:\'6X\',2x:\'6W 6V\'},1h:{79:\'7a\'},1f:{s:\'\',f:\'g-f\',U:\'g-U\',1h:\'g-1h\',u:\'g-u\',3O:\'g-3O\'}},5L:{J:{o:3,E:0,I:\'#7o\'},U:{1s:\'#7n\',I:\'#5M\'},1s:\'#7m\',I:\'#5M\',1f:{h:\'g-5L\'}},6c:{J:{o:3,E:0,I:\'#7p\'},U:{1s:\'#7q\',I:\'#6d\'},1s:\'66\',I:\'#6d\',1f:{h:\'g-6c\'}},69:{J:{o:3,E:0,I:\'#7t\'},U:{1s:\'#7s\',I:\'#67\'},1s:\'#7r\',I:\'#67\',1f:{h:\'g-69\'}},4l:{J:{o:3,E:0,I:\'#7l\'},U:{1s:\'#7k\',I:\'#6b\'},1s:\'#7e\',I:\'#6b\',1f:{h:\'g-4l\'}},4Y:{J:{o:3,E:0,I:\'#7d\'},U:{1s:\'#7c\',I:\'#53\'},1s:\'#7b\',I:\'#53\',1f:{h:\'g-4Y\'}},57:{J:{o:3,E:0,I:\'#7f\'},U:{1s:\'#7g\',I:\'#7j\'},1s:\'#7i\',I:\'#7h\',1f:{h:\'g-57\'}}}}(82));',62,499,'|||||||self|options||||if|elements|style|tip|qtip|tooltip||function|position||||width|false|show|event|target||content||corner||||this|return|else|hide|radius|height|css|true|color|border|top|when|left|size|interfaces|typeof|length|var|call|api|title|status|attr|coordinates|id|data||effect|div||coords|browser|config|type|object|fn|px|rendered|returned|msie|canvas|classes|adjust|button|adj|center|text|context|targetWidth|targetHeight|my|get|offset|newWidth|background|Math|wrapper|cache|contentWrapper|string|parseInt|url|null|1px|break|getContext|timers|finalStyle|hidden|max|each|find|class|mouse|bind|tips|containers|ieAdjust|unbind|rel|for|command|first|inactive|solo|case|test|opts|name|bgiframe|disabled|positionAdjust|posOptions|right|bottom|display|static|zoom|clearTimeout|min|visible||obj|updatePosition|window|imagePos|adapted|borders|html|path|hideTarget|number|add|margin|is|extend|betweenCorners|dimensions|overflow|styleExtend|children|padding|precedance|90|method|opacity|val|Corner|focus|toLowerCase|jQueryStyle|charAt|toggle|myOffset|afterHide|default|afterShow|atOffset|borderAdjust|elemHeight|elemWidth|at|line|new|styleObj|delay|adjusted|version|font|value|topEdge|document|pBottom|bottomEdge|absolute|arguments|mouseover|images|state|defaults|none|parsedContent|styles|getDimensions|borderTop|destroy|borderBottom|showTarget|fixed|current|replace|rightEdge|leftEdge|pRight|align|aria|fillcolor|delete|solid|inactiveEvents|fade|prepend|inactiveMethod|index|arc|styleArray|ready|elemIndex|300|scroll|newIndex|behavior|scrollLeft|scrollTop|coordsize|floor|resize|VML|topLeft|parent|active|shape|bottomRight|stop|newMargin|image|container|visiblity|remove|disable|pageX|focused|paddingSize|paddingCorner|calculateTip|borderCoord|drawTip|sanitizeStyle|old|outerWidth|jquery|sub|apply|drawBorder|construct|calculateBorders|buildStyle|marginTop|ltr|bottomLeft|vertical|adapt|mapName|red|switch|offsetParent|vertWidth|topRight|blanket|animate|updateWidth|animated|create|user|createTip|pageY|dir|removeAttribute|curIndex|ieStyle|showMethod|setTimeout|hideMethod|afterLoad|src|unfocus|loadedImages|block|img|betweenWidth|sideWidth|oldattr|setupContent|outerHeight|positionTip|mousemove|relative|mouseout|updateContent|click|role|prependTo|green|onRender||push|parents|58792E|abs|ceil|undefined|blue|onContentUpdate|beforeContentUpdate|beforeContentLoad|body|inline|mouseenter|condition|queue|dequeue|slide|assignEvents|stroked|QTip|addClass|middle|filter|match|beforeShow|grow|onShow|append|beforeHide|beforePositionUpdate|createBorder|String|createTitle|prerender|onPositionUpdate|onHide|bottomright|nodeName|beforeFocus|onFocus|reposition|fillStyle|270|clearRect|beforeRender|topright|cream|A27D35|topleft|unshift|appendTo|lineTo|in|not|100|beginPath|clone|updateTitle|splice|fill|loadContent|post|beforeDestroy|onDestroy|screen|beforeTitleUpdate|onTitleUpdate|white|f3f3f3|zIndex|dark|bottomleft|9C2F2F|light|454545|auto|alt|onContentLoad|dblclick|xe|mouseup|Right|mousedown|mouseleave|Left|moveTo|filled|out|endangle|startangle|use|strict|bottomcenter|rightcenter|qtipSelector|leave|topcenter|righttop|leftbottom|0px|rightbottom|eq|labelledby|while|float|borderWidth|leftcenter|marginLeft|search|lefttop|PI|complete|d3d3d3|9px|5px|250|e1e1e1|fontWeight|12px|7px|bold|textAlign|111|relatedTarget|enable|getPosition|removeData|removeAttr|gi|140|trigger|br|cursor|pointer|CDE6AC|b9db8c|A9DB66|F79992|ADD9ED|D0E9F5|4D9FBF|E5F6FE|5E99BD|f28279|CE6F6F|FBF7AA|F0DE7D|F9E98E|E2E2E2|f1f1f1|505050|404040|303030|15000|update|boolean|removeClass|slideUp|fadeOut|area|split|circle|load|usemap|map|slideDown|fadeIn|frameborder|iframe|preventDefault|stopPropagation|tabindex|javascript|webkit|moz|describedby|alpha|poly|rect|borderColor|200|siblings|backgroundColor|updateStyle|normal|swing|10000000em|jQuery'.split('|'),0,{})) diff --git a/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-2.0.min.css b/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-2.0.min.css deleted file mode 100644 index 6b0daf7c2c0b8cadb679067acd433d8f142dddb5..0000000000000000000000000000000000000000 --- a/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-2.0.min.css +++ /dev/null @@ -1 +0,0 @@ -.ui-tooltip,.qtip{position:absolute;left:-28000px;top:-28000px;display:none;max-width:280px;min-width:50px;font-size:10.5px;line-height:12px;z-index:15000;}.ui-tooltip-fluid{display:block;visibility:hidden;position:static!important;float:left!important;}.ui-tooltip-content{position:relative;padding:5px 9px;overflow:hidden;border-width:1px;border-style:solid;text-align:left;word-wrap:break-word;overflow:hidden;}.ui-tooltip-titlebar{position:relative;min-height:14px;padding:5px 35px 5px 10px;overflow:hidden;border-width:1px 1px 0;border-style:solid;font-weight:bold;}.ui-tooltip-titlebar+.ui-tooltip-content{border-top-width:0!important;}/*!Default close button class */ .ui-tooltip-titlebar .ui-state-default{position:absolute;right:4px;top:50%;margin-top:-9px;cursor:pointer;outline:medium none;border-width:1px;border-style:solid;}* html .ui-tooltip-titlebar .ui-state-default{top:16px;}.ui-tooltip-titlebar .ui-icon,.ui-tooltip-icon .ui-icon{display:block;text-indent:-1000em;}.ui-tooltip-icon,.ui-tooltip-icon .ui-icon{-moz-border-radius:3px;-webkit-border-radius:3px;border-radius:3px;}.ui-tooltip-icon .ui-icon{width:18px;height:14px;text-align:center;text-indent:0;font:normal bold 10px/13px Tahoma,sans-serif;color:inherit;background:transparent none no-repeat -100em -100em;}/*!Default tooltip style */ .ui-tooltip-default .ui-tooltip-titlebar,.ui-tooltip-default .ui-tooltip-content{border-color:#F1D031;background-color:#FFFFA3;color:#555;}.ui-tooltip-default .ui-tooltip-titlebar{background-color:#FFEF93;}.ui-tooltip-default .ui-tooltip-icon{border-color:#CCC;background:#F1F1F1;color:#777;}.ui-tooltip-default .ui-tooltip-titlebar .ui-state-hover{border-color:#AAA;color:#111;}.ui-tooltip .ui-tooltip-tip{margin:0 auto;overflow:hidden;background:transparent!important;border:0 dashed transparent!important;z-index:10;}.ui-tooltip .ui-tooltip-tip,.ui-tooltip .ui-tooltip-tip *{position:absolute;line-height:.1px!important;font-size:.1px!important;color:#123456;background:transparent;border:0 dashed transparent;}.ui-tooltip .ui-tooltip-tip canvas{top:0;left:0;}#qtip-overlay{position:fixed;left:-10000em;top:-10000em;}#qtip-overlay.blurs{cursor:pointer;}#qtip-overlay div{position:absolute;left:0;top:0;width:100%;height:100%;background-color:black;opacity:.7;filter:alpha(opacity=70);-ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=70)";}/*!Light tooltip style */ .ui-tooltip-light .ui-tooltip-titlebar,.ui-tooltip-light .ui-tooltip-content{border-color:#E2E2E2;color:#454545;}.ui-tooltip-light .ui-tooltip-content{background-color:white;}.ui-tooltip-light .ui-tooltip-titlebar{background-color:#f1f1f1;}/*!Dark tooltip style */ .ui-tooltip-dark .ui-tooltip-titlebar,.ui-tooltip-dark .ui-tooltip-content{border-color:#303030;color:#f3f3f3;}.ui-tooltip-dark .ui-tooltip-content{background-color:#505050;}.ui-tooltip-dark .ui-tooltip-titlebar{background-color:#404040;}.ui-tooltip-dark .ui-tooltip-icon{border-color:#444;}.ui-tooltip-dark .ui-tooltip-titlebar .ui-state-hover{border-color:#303030;}/*!Cream tooltip style */ .ui-tooltip-cream .ui-tooltip-titlebar,.ui-tooltip-cream .ui-tooltip-content{border-color:#F9E98E;color:#A27D35;}.ui-tooltip-cream .ui-tooltip-content{background-color:#FBF7AA;}.ui-tooltip-cream .ui-tooltip-titlebar{background-color:#F0DE7D;}.ui-tooltip-cream .ui-state-default .ui-tooltip-icon{background-position:-82px 0;}/*!Red tooltip style */ .ui-tooltip-red .ui-tooltip-titlebar,.ui-tooltip-red .ui-tooltip-content{border-color:#D95252;color:#912323;}.ui-tooltip-red .ui-tooltip-content{background-color:#F78B83;}.ui-tooltip-red .ui-tooltip-titlebar{background-color:#F06D65;}.ui-tooltip-red .ui-state-default .ui-tooltip-icon{background-position:-102px 0;}.ui-tooltip-red .ui-tooltip-icon{border-color:#D95252;}.ui-tooltip-red .ui-tooltip-titlebar .ui-state-hover{border-color:#D95252;}/*!Green tooltip style */ .ui-tooltip-green .ui-tooltip-titlebar,.ui-tooltip-green .ui-tooltip-content{border-color:#90D93F;color:#3F6219;}.ui-tooltip-green .ui-tooltip-content{background-color:#CAED9E;}.ui-tooltip-green .ui-tooltip-titlebar{background-color:#B0DE78;}.ui-tooltip-green .ui-state-default .ui-tooltip-icon{background-position:-42px 0;}/*!Blue tooltip style */ .ui-tooltip-blue .ui-tooltip-titlebar,.ui-tooltip-blue .ui-tooltip-content{border-color:#ADD9ED;color:#5E99BD;}.ui-tooltip-blue .ui-tooltip-content{background-color:#E5F6FE;}.ui-tooltip-blue .ui-tooltip-titlebar{background-color:#D0E9F5;}.ui-tooltip-blue .ui-state-default .ui-tooltip-icon{background-position:-2px 0;}/*!Add shadows to your tooltips in:FF3+,Chrome 2+,Opera 10.6+,IE6+,Safari 2+*/ .ui-tooltip-shadow{-webkit-box-shadow:1px 1px 3px 1px rgba(0,0,0,0.15);-moz-box-shadow:1px 1px 3px 1px rgba(0,0,0,0.15);box-shadow:1px 1px 3px 1px rgba(0,0,0,0.15);}.ui-tooltip-shadow .ui-tooltip-titlebar,.ui-tooltip-shadow .ui-tooltip-content{filter:progid:DXImageTransform.Microsoft.Shadow(Color='gray',Direction=135,Strength=3);-ms-filter:"progid:DXImageTransform.Microsoft.Shadow(Color='gray',Direction=135,Strength=3)";_margin-bottom:-3px;.margin-bottom:-3px;}/*!Add rounded corners to your tooltips in:FF3+,Chrome 2+,Opera 10.6+,IE9+,Safari 2+*/ .ui-tooltip-rounded,.ui-tooltip-rounded .ui-tooltip-content,.ui-tooltip-tipsy,.ui-tooltip-tipsy .ui-tooltip-content,.ui-tooltip-youtube,.ui-tooltip-youtube .ui-tooltip-content{-moz-border-radius:4px;-webkit-border-radius:4px;border-radius:4px;}.ui-tooltip-rounded .ui-tooltip-titlebar,.ui-tooltip-tipsy .ui-tooltip-titlebar,.ui-tooltip-youtube .ui-tooltip-titlebar{-moz-border-radius:5px 5px 0 0;-webkit-border-radius:5px 5px 0 0;border-radius:5px 5px 0 0;}.ui-tooltip-rounded .ui-tooltip-titlebar+.ui-tooltip-content,.ui-tooltip-tipsy .ui-tooltip-titlebar+.ui-tooltip-content,.ui-tooltip-youtube .ui-tooltip-titlebar+.ui-tooltip-content{-moz-border-radius:0 0 5px 5px;-webkit-border-radius:0 0 5px 5px;border-radius:0 0 5px 5px;}/*!Youtube tooltip style */ .ui-tooltip-youtube{-webkit-box-shadow:0 0 3px #333;-moz-box-shadow:0 0 3px #333;box-shadow:0 0 3px #333;}.ui-tooltip-youtube .ui-tooltip-titlebar,.ui-tooltip-youtube .ui-tooltip-content{_margin-bottom:0;.margin-bottom:0;background:transparent;background:rgba(0,0,0,0.85);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr=#D9000000,endColorstr=#D9000000);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr=#D9000000,endColorstr=#D9000000)";color:white;border-color:#CCC;}.ui-tooltip-youtube .ui-tooltip-icon{border-color:#222;}.ui-tooltip-youtube .ui-tooltip-titlebar .ui-state-hover{border-color:#303030;}.ui-tooltip-jtools{background:#232323;background:rgba(0,0,0,0.7);background-image:-moz-linear-gradient(top,#717171,#232323);background-image:-webkit-gradient(linear,left top,left bottom,from(#717171),to(#232323));border:2px solid #ddd;border:2px solid rgba(241,241,241,1);-moz-border-radius:2px;-webkit-border-radius:2px;border-radius:2px;-webkit-box-shadow:0 0 12px #333;-moz-box-shadow:0 0 12px #333;box-shadow:0 0 12px #333;}.ui-tooltip-jtools .ui-tooltip-titlebar{filter:progid:DXImageTransform.Microsoft.gradient(startColorstr=#717171,endColorstr=#4A4A4A);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr=#717171,endColorstr=#4A4A4A)";}.ui-tooltip-jtools .ui-tooltip-content{filter:progid:DXImageTransform.Microsoft.gradient(startColorstr=#4A4A4A,endColorstr=#232323);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr=#4A4A4A,endColorstr=#232323)";}.ui-tooltip-jtools .ui-tooltip-titlebar,.ui-tooltip-jtools .ui-tooltip-content{background:transparent;color:white;border:0 dashed transparent;}.ui-tooltip-jtools .ui-tooltip-icon{border-color:#555;}.ui-tooltip-jtools .ui-tooltip-titlebar .ui-state-hover{border-color:#333;}.ui-tooltip-cluetip{-webkit-box-shadow:4px 4px 5px rgba(0,0,0,0.4);-moz-box-shadow:4px 4px 5px rgba(0,0,0,0.4);box-shadow:4px 4px 5px rgba(0,0,0,0.4);}.ui-tooltip-cluetip .ui-tooltip-titlebar{background-color:#87876A;color:white;border:0 dashed transparent;}.ui-tooltip-cluetip .ui-tooltip-content{background-color:#D9D9C2;color:#111;border:0 dashed transparent;}.ui-tooltip-cluetip .ui-tooltip-icon{border-color:#808064;}.ui-tooltip-cluetip .ui-tooltip-titlebar .ui-state-hover{border-color:#696952;color:#696952;}.ui-tooltip-tipsy{border:0;}.ui-tooltip-tipsy .ui-tooltip-titlebar,.ui-tooltip-tipsy .ui-tooltip-content{_margin-bottom:0;.margin-bottom:0;background:transparent;background:rgba(0,0,0,.87);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr=#D9000000,endColorstr=#D9000000);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr=#D9000000,endColorstr=#D9000000)";color:white;border:0 transparent;font-size:11px;font-family:'Lucida Grande',sans-serif;font-weight:bold;line-height:16px;text-shadow:0 1px black;}.ui-tooltip-tipsy .ui-tooltip-titlebar{padding:6px 35px 0 10;}.ui-tooltip-tipsy .ui-tooltip-content{padding:6px 10;}.ui-tooltip-tipsy .ui-tooltip-icon{border-color:#222;text-shadow:none;}.ui-tooltip-tipsy .ui-tooltip-titlebar .ui-state-hover{border-color:#303030;}.ui-tooltip-tipped .ui-tooltip-titlebar,.ui-tooltip-tipped .ui-tooltip-content{border:3px solid #959FA9;filter:none;-ms-filter:none;}.ui-tooltip-tipped .ui-tooltip-titlebar{background:#3A79B8;background-image:-moz-linear-gradient(top,#3A79B8,#2E629D);background-image:-webkit-gradient(linear,left top,left bottom,from(#3A79B8),to(#2E629D));filter:progid:DXImageTransform.Microsoft.gradient(startColorstr=#3A79B8,endColorstr=#2E629D);-ms-filter:"progid:DXImageTransform.Microsoft.gradient(startColorstr=#3A79B8,endColorstr=#2E629D)";color:white;font-weight:normal;font-family:serif;border-bottom-width:0;-moz-border-radius:3px 3px 0 0;-webkit-border-radius:3px 3px 0 0;border-radius:3px 3px 0 0;}.ui-tooltip-tipped .ui-tooltip-content{background-color:#F9F9F9;color:#454545;-moz-border-radius:0 0 3px 3px;-webkit-border-radius:0 0 3px 3px;border-radius:0 0 3px 3px;}.ui-tooltip-tipped .ui-tooltip-icon{border:2px solid #285589;background:#285589;}.ui-tooltip-tipped .ui-tooltip-icon .ui-icon{background-color:#FBFBFB;color:#555;}.ui-tooltip:not(.ie9haxors) div.ui-tooltip-content,.ui-tooltip:not(.ie9haxors) div.ui-tooltip-titlebar{filter:none;-ms-filter:none;} \ No newline at end of file diff --git a/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-2.0.min.js b/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-2.0.min.js deleted file mode 100644 index 5e054a24c44540ec6c4757ac09f2cf0f710cd127..0000000000000000000000000000000000000000 --- a/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-2.0.min.js +++ /dev/null @@ -1,13 +0,0 @@ -/* -* qTip2 - Pretty powerful tooltips -* http://craigsworks.com/projects/qtip2/ -* -* Version: 2.0.0pre -* Copyright 2009-2010 Craig Michael Thompson - http://craigsworks.com -* -* Dual licensed under MIT or GPLv2 licenses -* http://en.wikipedia.org/wiki/MIT_License -* http://en.wikipedia.org/wiki/GNU_General_Public_License -* -* Date: Mon Jul 25 12:24:43 2011 +0100 -*//*jslint browser: true, onevar: true, undef: true, nomen: true, bitwise: true, regexp: true, newcap: true, immed: true, strict: true *//*global window: false, jQuery: false, console: false */(function(a,b,c){function E(b){var c=this,d=b.elements,e=d.tooltip,f=".bgiframe-"+b.id;a.extend(c,{init:function(){d.bgiframe=a('<iframe class="ui-tooltip-bgiframe" frameborder="0" tabindex="-1" src="javascript:\'\';" style="display:block; position:absolute; z-index:-1; filter:alpha(opacity=0); -ms-filter:"progid:DXImageTransform.Microsoft.Alpha(Opacity=0)";"></iframe>'),d.bgiframe.appendTo(e),e.bind("tooltipmove"+f,c.adjust)},adjust:function(){var a=b.get("dimensions"),c=b.plugins.tip,f=d.tip,g,h;h=parseInt(e.css("border-left-width"),10)||0,h={left:-h,top:-h},c&&f&&(g=c.corner.precedance==="x"?["width","left"]:["height","top"],h[g[1]]-=f[g[0]]()),d.bgiframe.css(h).css(a)},destroy:function(){d.bgiframe.remove(),e.unbind(f)}}),c.init()}function D(c){var f=this,g=c.options.show.modal,h=c.elements,i=h.tooltip,j="#qtip-overlay",k=".qtipmodal",l=k+c.id,m="is-modal-qtip",o=a(document.body),q;c.checks.modal={"^show.modal.(on|blur)$":function(){f.init(),h.overlay.toggle(i.is(":visible"))}},a.extend(f,{init:function(){if(!g.on)return f;q=f.create(),i.attr(m,d).unbind(k).unbind(l).bind("tooltipshow"+k+" tooltiphide"+k,function(b,c,d){var e=b.originalEvent;e&&b.type==="tooltiphide"&&/mouse(leave|enter)/.test(e.type)&&a(e.relatedTarget).closest(q[0]).length?b.preventDefault():f[b.type.replace("tooltip","")](b,d)}).bind("tooltipfocus"+k,function(a,b,c){q[0].style.zIndex=c-1}).bind("tooltipblur"+k,function(b){a("["+m+"]:visible").not(i).last().qtip("focus",b)}),g.escape&&a(b).unbind(l).bind("keydown"+l,function(a){a.keyCode===27&&i.hasClass(p)&&c.hide(a)}),g.blur&&h.overlay.unbind(l).bind("click"+l,function(a){i.hasClass(p)&&c.hide(a)});return f},create:function(){var c=a(j);if(c.length){h.overlay=c;return c}q=h.overlay=a("<div />",{id:j.substr(1),html:"<div></div>",mousedown:function(){return e}}).insertBefore(a(n).last()),a(b).unbind(k).bind("resize"+k,function(){q.css({height:a(b).height(),width:a(b).width()})}).triggerHandler("resize");return q},toggle:function(b,c,h){if(b&&b.isDefaultPrevented())return f;var j=g.effect,k=c?"show":"hide",p=q.is(":visible"),r=a("["+m+"]:visible").not(i),s;q||(q=f.create());if(q.is(":animated")&&p===c||!c&&r.length)return f;c?(q.css({left:0,top:0}),q.toggleClass("blurs",g.blur),o.delegate("*","focusin"+l,function(b){a(b.target).closest(n)[0]!==i[0]&&a("a, :input, img",i).add(i).focus()})):o.undelegate("*","focusin"+l),q.stop(d,e),a.isFunction(j)?j.call(q,c):j===e?q[k]():q.fadeTo(parseInt(h,10)||90,c?1:0,function(){c||a(this).hide()}),c||q.queue(function(a){q.css({left:"",top:""}),a()});return f},show:function(a,b){return f.toggle(a,d,b)},hide:function(a,b){return f.toggle(a,e,b)},destroy:function(){var d=q;d&&(d=a("["+m+"]").not(i).length<1,d?(h.overlay.remove(),a(b).unbind(k)):h.overlay.unbind(k+c.id),o.undelegate("*","focusin"+l));return i.removeAttr(m).unbind(k)}}),f.init()}function C(b,g){function w(a){var b=a.precedance==="y",c=n[b?"width":"height"],d=n[b?"height":"width"],e=a.string().indexOf("center")>-1,f=c*(e?.5:1),g=Math.pow,h=Math.round,i,j,k,l=Math.sqrt(g(f,2)+g(d,2)),m=[p/f*l,p/d*l];m[2]=Math.sqrt(g(m[0],2)-g(p,2)),m[3]=Math.sqrt(g(m[1],2)-g(p,2)),i=l+m[2]+m[3]+(e?0:m[0]),j=i/l,k=[h(j*d),h(j*c)];return{height:k[b?0:1],width:k[b?1:0]}}function v(b){var c=k.titlebar&&b.y==="top",d=c?k.titlebar:k.content,e=a.browser.mozilla,f=e?"-moz-":a.browser.webkit?"-webkit-":"",g=b.y+(e?"":"-")+b.x,h=f+(e?"border-radius-"+g:"border-"+g+"-radius");return parseInt(d.css(h),10)||parseInt(l.css(h),10)||0}function u(a,b,c){b=b?b:a[a.precedance];var d=l.hasClass(r),e=k.titlebar&&a.y==="top",f=e?k.titlebar:k.content,g="border-"+b+"-width",h;l.addClass(r),h=parseInt(f.css(g),10),h=(c?h||parseInt(l.css(g),10):h)||0,l.toggleClass(r,d);return h}function t(f,g,h,l){if(k.tip){var n=a.extend({},i.corner),o=h.adjusted,p=b.options.position.adjust.method.split(" "),q=p[0],r=p[1]||p[0],s={left:e,top:e,x:0,y:0},t,u={},v;i.corner.fixed!==d&&(q==="shift"&&n.precedance==="x"&&o.left&&n.y!=="center"?n.precedance=n.precedance==="x"?"y":"x":q==="flip"&&o.left&&(n.x=n.x==="center"?o.left>0?"left":"right":n.x==="left"?"right":"left"),r==="shift"&&n.precedance==="y"&&o.top&&n.x!=="center"?n.precedance=n.precedance==="y"?"x":"y":r==="flip"&&o.top&&(n.y=n.y==="center"?o.top>0?"top":"bottom":n.y==="top"?"bottom":"top"),n.string()!==m.corner&&(m.top!==o.top||m.left!==o.left)&&i.update(n,e)),t=i.position(n,o),t.right!==c&&(t.left=-t.right),t.bottom!==c&&(t.top=-t.bottom),t.user=Math.max(0,j.offset);if(s.left=q==="shift"&&!!o.left)n.x==="center"?u["margin-left"]=s.x=t["margin-left"]-o.left:(v=t.right!==c?[o.left,-t.left]:[-o.left,t.left],(s.x=Math.max(v[0],v[1]))>v[0]&&(h.left-=o.left,s.left=e),u[t.right!==c?"right":"left"]=s.x);if(s.top=r==="shift"&&!!o.top)n.y==="center"?u["margin-top"]=s.y=t["margin-top"]-o.top:(v=t.bottom!==c?[o.top,-t.top]:[-o.top,t.top],(s.y=Math.max(v[0],v[1]))>v[0]&&(h.top-=o.top,s.top=e),u[t.bottom!==c?"bottom":"top"]=s.y);k.tip.css(u).toggle(!(s.x&&s.y||n.x==="center"&&s.y||n.y==="center"&&s.x)),h.left-=t.left.charAt?t.user:q!=="shift"||s.top||!s.left&&!s.top?t.left:0,h.top-=t.top.charAt?t.user:r!=="shift"||s.left||!s.left&&!s.top?t.top:0,m.left=o.left,m.top=o.top,m.corner=n.string()}}var i=this,j=b.options.style.tip,k=b.elements,l=k.tooltip,m={top:0,left:0,corner:""},n={width:j.width,height:j.height},o={},p=j.border||0,q=".qtip-tip",s=!!(a("<canvas />")[0]||{}).getContext;i.corner=f,i.mimic=f,i.border=p,i.offset=j.offset,i.size=n,b.checks.tip={"^position.my|style.tip.(corner|mimic|border)$":function(){i.init()||i.destroy(),b.reposition()},"^style.tip.(height|width)$":function(){n={width:j.width,height:j.height},i.create(),i.update(),b.reposition()},"^content.title.text|style.(classes|widget)$":function(){k.tip&&i.update()}},a.extend(i,{init:function(){var b=i.detectCorner()&&(s||a.browser.msie);b&&(i.create(),i.update(),l.unbind(q).bind("tooltipmove"+q,t));return b},detectCorner:function(){var a=j.corner,c=b.options.position,f=c.at,g=c.my.string?c.my.string():c.my;if(a===e||g===e&&f===e)return e;a===d?i.corner=new h.Corner(g):a.string||(i.corner=new h.Corner(a),i.corner.fixed=d);return i.corner.string()!=="centercenter"},detectColours:function(){var c,d,e,f=k.tip.css({backgroundColor:"",border:""}),g=i.corner,h=g[g.precedance],m="border-"+h+"-color",p="border"+h.charAt(0)+h.substr(1)+"Color",q=/rgba?\(0, 0, 0(, 0)?\)|transparent/i,s="background-color",t="transparent",u=a(document.body).css("color"),v=b.elements.content.css("color"),w=k.titlebar&&(g.y==="top"||g.y==="center"&&f.position().top+n.height/2+j.offset<k.titlebar.outerHeight(1)),x=w?k.titlebar:k.content;l.addClass(r),o.fill=d=f.css(s),o.border=e=f[0].style[p]||l.css(m);if(!d||q.test(d))o.fill=x.css(s)||t,q.test(o.fill)&&(o.fill=l.css(s)||d);if(!e||q.test(e)||e===u){o.border=x.css(m)||t;if(q.test(o.border)||o.border===v)o.border=e}a("*",f).add(f).css(s,t).css("border",""),l.removeClass(r)},create:function(){var b=n.width,c=n.height,d;k.tip&&k.tip.remove(),k.tip=a("<div />",{"class":"ui-tooltip-tip"}).css({width:b,height:c}).prependTo(l),s?a("<canvas />").appendTo(k.tip)[0].getContext("2d").save():(d='<vml:shape coordorigin="0,0" style="display:inline-block; position:absolute; behavior:url(#default#VML);"></vml:shape>',k.tip.html(d+d))},update:function(b,c){var g=k.tip,l=g.children(),m=n.width,q=n.height,r="px solid ",t="px dashed transparent",v=j.mimic,x=Math.round,y,z,A,C,D;b||(b=i.corner),v===e?v=b:(v=new h.Corner(v),v.precedance=b.precedance,v.x==="inherit"?v.x=b.x:v.y==="inherit"?v.y=b.y:v.x===v.y&&(v[b.precedance]=b[b.precedance])),y=v.precedance,i.detectColours(),o.border!=="transparent"&&o.border!=="#123456"?(p=u(b,f,d),j.border===0&&p>0&&(o.fill=o.border),i.border=p=j.border!==d?j.border:p):i.border=p=0,A=B(v,m,q),i.size=D=w(b),g.css(D),b.precedance==="y"?C=[x(v.x==="left"?p:v.x==="right"?D.width-m-p:(D.width-m)/2),x(v.y==="top"?D.height-q:0)]:C=[x(v.x==="left"?D.width-m:0),x(v.y==="top"?p:v.y==="bottom"?D.height-q-p:(D.height-q)/2)],s?(l.attr(D),z=l[0].getContext("2d"),z.restore(),z.save(),z.clearRect(0,0,3e3,3e3),z.translate(C[0],C[1]),z.beginPath(),z.moveTo(A[0][0],A[0][1]),z.lineTo(A[1][0],A[1][1]),z.lineTo(A[2][0],A[2][1]),z.closePath(),z.fillStyle=o.fill,z.strokeStyle=o.border,z.lineWidth=p*2,z.lineJoin="miter",z.miterLimit=100,p&&z.stroke(),z.fill()):(A="m"+A[0][0]+","+A[0][1]+" l"+A[1][0]+","+A[1][1]+" "+A[2][0]+","+A[2][1]+" xe",C[2]=p&&/^(r|b)/i.test(b.string())?parseFloat(a.browser.version,10)===8?2:1:0,l.css({antialias:""+(v.string().indexOf("center")>-1),left:C[0]-C[2]*Number(y==="x"),top:C[1]-C[2]*Number(y==="y"),width:m+p,height:q+p}).each(function(b){var c=a(this);c[c.prop?"prop":"attr"]({coordsize:m+p+" "+(q+p),path:A,fillcolor:o.fill,filled:!!b,stroked:!b}).css({display:p||b?"block":"none"}),!b&&c.html()===""&&c.html('<vml:stroke weight="'+p*2+'px" color="'+o.border+'" miterlimit="1000" joinstyle="miter" style="behavior:url(#default#VML); display:inline-block;" />')})),c!==e&&i.position(b)},position:function(b){var c=k.tip,f={},g=Math.max(0,j.offset),h,l,m;if(j.corner===e||!c)return e;b=b||i.corner,h=b.precedance,l=w(b),m=[b.x,b.y],h==="x"&&m.reverse(),a.each(m,function(a,c){var e,i;c==="center"?(e=h==="y"?"left":"top",f[e]="50%",f["margin-"+e]=-Math.round(l[h==="y"?"width":"height"]/2)+g):(e=u(b,c,d),i=v(b),f[c]=a?p?u(b,c):0:g+(i>e?i:0))}),f[b[h]]-=l[h==="x"?"width":"height"],c.css({top:"",bottom:"",left:"",right:"",margin:""}).css(f);return f},destroy:function(){k.tip&&k.tip.remove(),l.unbind(q)}}),i.init()}function B(a,b,c){var d=Math.ceil(b/2),e=Math.ceil(c/2),f={bottomright:[[0,0],[b,c],[b,0]],bottomleft:[[0,0],[b,0],[0,c]],topright:[[0,c],[b,0],[b,c]],topleft:[[0,0],[0,c],[b,c]],topcenter:[[0,c],[d,0],[b,c]],bottomcenter:[[0,0],[b,0],[d,c]],rightcenter:[[0,0],[b,e],[0,c]],leftcenter:[[b,0],[b,c],[0,e]]};f.lefttop=f.bottomright,f.righttop=f.bottomleft,f.leftbottom=f.topright,f.rightbottom=f.topleft;return f[a.string()]}function A(b){var c=this,f=b.elements.tooltip,g=b.options.content.ajax,h=".qtip-ajax",i=/<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,j=d;b.checks.ajax={"^content.ajax":function(a,b,d){b==="ajax"&&(g=d),b==="once"?c.init():g&&g.url?c.load():f.unbind(h)}},a.extend(c,{init:function(){g&&g.url&&f.unbind(h)[g.once?"one":"bind"]("tooltipshow"+h,c.load);return c},load:function(d,h){function p(a,c,d){b.set("content.text",c+": "+d),n()}function o(c){l&&(c=a("<div/>").append(c.replace(i,"")).find(l)),b.set("content.text",c),n()}function n(){m&&(f.css("visibility",""),h=e)}if(d&&d.isDefaultPrevented())return c;var j=g.url.indexOf(" "),k=g.url,l,m=g.once&&!g.loading&&h;m&&f.css("visibility","hidden"),j>-1&&(l=k.substr(j),k=k.substr(0,j)),a.ajax(a.extend({success:o,error:p,context:b},g,{url:k}));return c}}),c.init()}function z(b,c){var i,j,k,l,m,n=a(this),o=a(document.body),p=this===document?o:n,q=n.metadata?n.metadata(c.metadata):f,r=c.metadata.type==="html5"&&q?q[c.metadata.name]:f,s=n.data(c.metadata.name||"qtipopts");try{s=typeof s==="string"?(new Function("return "+s))():s}catch(t){w("Unable to parse HTML5 attribute data: "+s)}l=a.extend(d,{},g.defaults,c,typeof s==="object"?x(s):f,x(r||q)),j=l.position,l.id=b;if("boolean"===typeof l.content.text){k=n.attr(l.content.attr);if(l.content.attr!==e&&k)l.content.text=k;else{w("Unable to locate content for tooltip! Aborting render of tooltip on element: ",n);return e}}j.container===e&&(j.container=o),j.target===e&&(j.target=p),l.show.target===e&&(l.show.target=p),l.show.solo===d&&(l.show.solo=o),l.hide.target===e&&(l.hide.target=p),l.position.viewport===d&&(l.position.viewport=j.container),j.at=new h.Corner(j.at),j.my=new h.Corner(j.my);if(a.data(this,"qtip"))if(l.overwrite)n.qtip("destroy");else if(l.overwrite===e)return e;(m=a.attr(this,"title"))&&a(this).removeAttr("title").attr(u,m),i=new y(n,l,b,!!k),a.data(this,"qtip",i),n.bind("remove.qtip",function(){i.destroy()});return i}function y(c,s,t,w){function Q(){var c=[s.show.target[0],s.hide.target[0],y.rendered&&F.tooltip[0],s.position.container[0],s.position.viewport[0],b,document];y.rendered?a([]).pushStack(a.grep(c,function(a){return typeof a==="object"})).unbind(E):s.show.target.unbind(E+"-create")}function P(){function r(a){D.is(":visible")&&y.reposition(a)}function p(a){if(D.hasClass(m))return e;clearTimeout(y.timers.inactive),y.timers.inactive=setTimeout(function(){y.hide(a)},s.hide.inactive)}function o(b){if(D.hasClass(m))return e;var c=a(b.relatedTarget||b.target),d=c.closest(n)[0]===D[0],g=c[0]===h.show[0];clearTimeout(y.timers.show),clearTimeout(y.timers.hide);f.target==="mouse"&&d||s.hide.fixed&&(/mouse(out|leave|move)/.test(b.type)&&(d||g))?b.preventDefault():s.hide.delay>0?y.timers.hide=setTimeout(function(){y.hide(b)},s.hide.delay):y.hide(b)}function l(a){if(D.hasClass(m))return e;h.show.trigger("qtip-"+t+"-inactive"),clearTimeout(y.timers.show),clearTimeout(y.timers.hide);var b=function(){y.toggle(d,a)};s.show.delay>0?y.timers.show=setTimeout(b,s.show.delay):b()}var f=s.position,h={show:s.show.target,hide:s.hide.target,viewport:a(f.viewport),document:a(document),window:a(b)},j={show:a.trim(""+s.show.event).split(" "),hide:a.trim(""+s.hide.event).split(" ")},k=a.browser.msie&&parseInt(a.browser.version,10)===6;D.bind("mouseenter"+E+" mouseleave"+E,function(a){var b=a.type==="mouseenter";b&&y.focus(a),D.toggleClass(q,b)}),s.hide.fixed&&(h.hide=h.hide.add(D),D.bind("mouseover"+E,function(){D.hasClass(m)||clearTimeout(y.timers.hide)})),/mouse(out|leave)/i.test(s.hide.event)?s.hide.leave==="window"&&h.window.bind("mouseout"+E,function(a){/select|option/.test(a.target)&&!a.relatedTarget&&y.hide(a)}):/mouse(over|enter)/i.test(s.show.event)&&h.hide.bind("mouseleave"+E,function(a){clearTimeout(y.timers.show)}),(""+s.hide.event).indexOf("unfocus")>-1&&h.document.bind("mousedown"+E,function(b){var d=a(b.target),e=!D.hasClass(m)&&D.is(":visible");d.parents(n).length===0&&d.add(c).length>1&&y.hide(b)}),"number"===typeof s.hide.inactive&&(h.show.bind("qtip-"+t+"-inactive",p),a.each(g.inactiveEvents,function(a,b){h.hide.add(F.tooltip).bind(b+E+"-inactive",p)})),a.each(j.hide,function(b,c){var d=a.inArray(c,j.show),e=a(h.hide);d>-1&&e.add(h.show).length===e.length||c==="unfocus"?(h.show.bind(c+E,function(a){D.is(":visible")?o(a):l(a)}),delete j.show[d]):h.hide.bind(c+E,o)}),a.each(j.show,function(a,b){h.show.bind(b+E,l)}),"number"===typeof s.hide.distance&&h.show.bind("mousemove"+E,function(a){var b=G.origin||{},c=s.hide.distance,d=Math.abs;(d(a.pageX-b.pageX)>=c||d(a.pageY-b.pageY)>=c)&&y.hide(a)}),f.target==="mouse"&&(h.show.bind("mousemove"+E,function(a){i={pageX:a.pageX,pageY:a.pageY,type:"mousemove"}}),f.adjust.mouse&&(s.hide.event&&D.bind("mouseleave"+E,function(a){(a.relatedTarget||a.target)!==h.show[0]&&y.hide(a)}),h.document.bind("mousemove"+E,function(a){!D.hasClass(m)&&D.is(":visible")&&y.reposition(a||i)}))),(f.adjust.resize||h.viewport.length)&&(a.event.special.resize?h.viewport:h.window).bind("resize"+E,r),(h.viewport.length||k&&D.css("position")==="fixed")&&h.viewport.bind("scroll"+E,r)}function O(b,d){function g(b){function g(f){clearTimeout(y.timers.img[this]),a(this).unbind(E),(c=c.not(this)).length===0&&(y.redraw(),d!==e&&y.reposition(G.event),b())}var c;if((c=f.find("img:not([height]):not([width])")).length===0)return g.call(c);c.each(function(b,c){(function d(){if(c.height&&c.width)return g.call(c);y.timers.img[c]=setTimeout(d,1e3)})(),a(c).bind("error"+E+" load"+E,g)})}var f=F.content;if(!y.rendered||!b)return e;a.isFunction(b)&&(b=b.call(c,G.event,y)||""),b.jquery&&b.length>0?f.empty().append(b.css({display:"block"})):f.html(b),y.rendered<0?D.queue("fx",g):(C=0,g(a.noop));return y}function N(b,d){var f=F.title;if(!y.rendered||!b)return e;a.isFunction(b)&&(b=b.call(c,G.event,y));if(b===e)return J(e);b.jquery&&b.length>0?f.empty().append(b.css({display:"block"})):f.html(b),y.redraw(),d!==e&&y.rendered&&D.is(":visible")&&y.reposition(G.event)}function M(a){var b=F.button,c=F.title;if(!y.rendered)return e;a?(c||L(),K()):b.remove()}function L(){var b=A+"-title";F.titlebar&&J(),F.titlebar=a("<div />",{"class":k+"-titlebar "+(s.style.widget?"ui-widget-header":"")}).append(F.title=a("<div />",{id:b,"class":k+"-title","aria-atomic":d})).insertBefore(F.content),s.content.title.button?K():y.rendered&&y.redraw()}function K(){var b=s.content.title.button,c=typeof b==="string",d=c?b:"Close tooltip";F.button&&F.button.remove(),b.jquery?F.button=b:F.button=a("<a />",{"class":"ui-state-default "+(s.style.widget?"":k+"-icon"),title:d,"aria-label":d}).prepend(a("<span />",{"class":"ui-icon ui-icon-close",html:"×"})),F.button.appendTo(F.titlebar).attr("role","button").hover(function(b){a(this).toggleClass("ui-state-hover",b.type==="mouseenter")}).click(function(a){D.hasClass(m)||y.hide(a);return e}).bind("mousedown keydown mouseup keyup mouseout",function(b){a(this).toggleClass("ui-state-active ui-state-focus",b.type.substr(-4)==="down")}),y.redraw()}function J(a){F.title&&(F.titlebar.remove(),F.titlebar=F.title=F.button=f,a!==e&&y.reposition())}function I(){var a=s.style.widget;D.toggleClass(l,a).toggleClass(o,!a),F.content.toggleClass(l+"-content",a),F.titlebar&&F.titlebar.toggleClass(l+"-header",a),F.button&&F.button.toggleClass(k+"-icon",!a)}function H(a){var b=0,c,d=s,e=a.split(".");while(d=d[e[b++]])b<e.length&&(c=d);return[c||s,e.pop()]}var y=this,z=document.body,A=k+"-"+t,B=0,C=0,D=a(),E=".qtip-"+t,F,G;y.id=t,y.rendered=e,y.elements=F={target:c},y.timers={img:{}},y.options=s,y.checks={},y.plugins={},y.cache=G={event:{},target:a(),disabled:e,attr:w},y.checks.builtin={"^id$":function(b,c,f){var h=f===d?g.nextid:f,i=k+"-"+h;h!==e&&h.length>0&&!a("#"+i).length&&(D[0].id=i,F.content[0].id=i+"-content",F.title[0].id=i+"-title")},"^content.text$":function(a,b,c){O(c)},"^content.title.text$":function(a,b,c){if(!c)return J();!F.title&&c&&L(),N(c)},"^content.title.button$":function(a,b,c){M(c)},"^position.(my|at)$":function(a,b,c){"string"===typeof c&&(a[b]=new h.Corner(c))},"^position.container$":function(a,b,c){y.rendered&&D.appendTo(c)},"^show.ready$":function(){y.rendered?y.toggle(d):y.render(1)},"^style.classes$":function(a,b,c){D.attr("class",k+" qtip ui-helper-reset "+c)},"^style.widget|content.title":I,"^events.(render|show|move|hide|focus|blur)$":function(b,c,d){D[(a.isFunction(d)?"":"un")+"bind"]("tooltip"+c,d)},"^(show|hide|position).(event|target|fixed|inactive|leave|distance|viewport|adjust)":function(){var a=s.position;D.attr("tracking",a.target==="mouse"&&a.adjust.mouse),Q(),P()}},a.extend(y,{render:function(b){if(y.rendered)return y;var f=s.content.title.text,g=s.position,i=a.Event("tooltiprender");a.attr(c[0],"aria-describedby",A),D=F.tooltip=a("<div/>",{id:A,"class":k+" qtip ui-helper-reset "+o+" "+s.style.classes,width:s.style.width||"",tracking:g.target==="mouse"&&g.adjust.mouse,role:"alert","aria-live":"polite","aria-atomic":e,"aria-describedby":A+"-content","aria-hidden":d}).toggleClass(m,G.disabled).data("qtip",y).appendTo(s.position.container).append(F.content=a("<div />",{"class":k+"-content",id:A+"-content","aria-atomic":d})),y.rendered=-1,C=1,B=1,f&&(L(),N(f,e)),O(s.content.text,e),y.rendered=d,I(),a.each(s.events,function(b,c){a.isFunction(c)&&D.bind(b==="toggle"?"tooltipshow tooltiphide":"tooltip"+b,c)}),a.each(h,function(){this.initialize==="render"&&this(y)}),P(),D.queue("fx",function(a){i.originalEvent=G.event,D.trigger(i,[y]),C=0,B=0,y.redraw(),(s.show.ready||b)&&y.toggle(d,G.event),a()});return y},get:function(a){var b,c;switch(a.toLowerCase()){case"dimensions":b={height:D.outerHeight(),width:D.outerWidth()};break;case"offset":b=h.offset(D,s.position.container);break;default:c=H(a.toLowerCase()),b=c[0][c[1]],b=b.precedance?b.string():b}return b},set:function(b,c){function m(a,b){var c,d,e;for(c in k)for(d in k[c])if(e=(new RegExp(d,"i")).exec(a))b.push(e),k[c][d].apply(y,b)}var g=/^position\.(my|at|adjust|target|container)|style|content|show\.ready/i,h=/^content\.(title|attr)|style/i,i=e,j=e,k=y.checks,l;"string"===typeof b?(l=b,b={},b[l]=c):b=a.extend(d,{},b),a.each(b,function(c,d){var e=H(c.toLowerCase()),f;f=e[0][e[1]],e[0][e[1]]="object"===typeof d&&d.nodeType?a(d):d,b[c]=[e[0],e[1],d,f],i=g.test(c)||i,j=h.test(c)||j}),x(s),B=C=1,a.each(b,m),B=C=0,D.is(":visible")&&y.rendered&&(i&&y.reposition(s.position.target==="mouse"?f:G.event),j&&y.redraw());return y},toggle:function(b,c){function q(){b?(a.browser.msie&&D[0].style.removeAttribute("filter"),D.css("overflow","")):(D.css({display:"",visibility:"",opacity:"",left:"",top:""}),"string"===typeof h.autofocus&&a(h.autofocus,D).focus())}if(!y.rendered)if(b)y.render(1);else return y;var g=b?"show":"hide",h=s[g],j=D.is(":visible"),k=!c||s[g].target.length<2||G.target[0]===c.target,l=s.position,m=s.content,o,p;(typeof b).search("boolean|number")&&(b=!j);if(!D.is(":animated")&&j===b&&k)return y;if(c){if(/over|enter/.test(c.type)&&/out|leave/.test(G.event.type)&&c.target===s.show.target[0]&&D.has(c.relatedTarget).length)return y;G.event=a.extend({},c)}p=a.Event("tooltip"+g),p.originalEvent=c?G.event:f,D.trigger(p,[y,90]);if(p.isDefaultPrevented())return y;a.attr(D[0],"aria-hidden",!b),b?(G.origin=a.extend({},i),y.focus(c),a.isFunction(m.text)&&O(m.text,e),a.isFunction(m.title.text)&&N(m.title.text,e),!v&&l.target==="mouse"&&l.adjust.mouse&&(a(document).bind("mousemove.qtip",function(a){i={pageX:a.pageX,pageY:a.pageY,type:"mousemove"}}),v=d),y.reposition(c),h.solo&&a(n,h.solo).not(D).qtip("hide",p)):(clearTimeout(y.timers.show),delete G.origin,v&&!a(n+'[tracking="true"]:visible',h.solo).not(D).length&&(a(document).unbind("mousemove.qtip"),v=e),y.blur(c)),k&&D.stop(0,1),h.effect===e?(D[g](),q.call(D)):a.isFunction(h.effect)?(h.effect.call(D,y),D.queue("fx",function(a){q(),a()})):D.fadeTo(90,b?1:0,q),b&&h.target.trigger("qtip-"+t+"-inactive");return y},show:function(a){return y.toggle(d,a)},hide:function(a){return y.toggle(e,a)},focus:function(b){if(!y.rendered)return y;var c=a(n),d=parseInt(D[0].style.zIndex,10),e=g.zindex+c.length,f=a.extend({},b),h,i;D.hasClass(p)||(i=a.Event("tooltipfocus"),i.originalEvent=f,D.trigger(i,[y,e]),i.isDefaultPrevented()||(d!==e&&(c.each(function(){this.style.zIndex>d&&(this.style.zIndex=this.style.zIndex-1)}),c.filter("."+p).qtip("blur",f)),D.addClass(p)[0].style.zIndex=e));return y},blur:function(b){var c=a.extend({},b),d;D.removeClass(p),d=a.Event("tooltipblur"),d.originalEvent=c,D.trigger(d,[y]);return y},reposition:function(c,d){if(!y.rendered||B)return y;B=1;var f=s.position.target,g=s.position,j=g.my,l=g.at,m=g.adjust,n=m.method.split(" "),o=D.outerWidth(),p=D.outerHeight(),q=0,r=0,t=a.Event("tooltipmove"),u=D.css("position")==="fixed",v=g.viewport,w={left:0,top:0},x=y.plugins.tip,A={horizontal:n[0],vertical:n[1]||n[0],left:function(a){var b=A.horizontal==="shift",c=v.offset.left+v.scrollLeft,d=j.x==="left"?o:j.x==="right"?-o:-o/2,e=l.x==="left"?q:l.x==="right"?-q:-q/2,f=x&&x.size?x.size.width||0:0,g=x&&x.corner&&x.corner.precedance==="x"&&!b?f:0,h=c-a+g,i=a+o-v.width-c+g,k=d-(j.precedance==="x"||j.x===j.y?e:0),n=j.x==="center";b?(g=x&&x.corner&&x.corner.precedance==="y"?f:0,k=(j.x==="left"?1:-1)*d-g,w.left+=h>0?h:i>0?-i:0,w.left=Math.max(v.offset.left+(g&&x.corner.x==="center"?x.offset:0),a-k,Math.min(Math.max(v.offset.left+v.width,a+k),w.left))):(h>0&&(j.x!=="left"||i>0)?w.left-=k+(n?0:2*m.x):i>0&&(j.x!=="right"||h>0)&&(w.left-=n?-k:k+2*m.x),w.left!==a&&n&&(w.left-=m.x),w.left<c&&-w.left>i&&(w.left=a));return w.left-a},top:function(a){var b=A.vertical==="shift",c=v.offset.top+v.scrollTop,d=j.y==="top"?p:j.y==="bottom"?-p:-p/2,e=l.y==="top"?r:l.y==="bottom"?-r:-r/2,f=x&&x.size?x.size.height||0:0,g=x&&x.corner&&x.corner.precedance==="y"&&!b?f:0,h=c-a+g,i=a+p-v.height-c+g,k=d-(j.precedance==="y"||j.x===j.y?e:0),n=j.y==="center";b?(g=x&&x.corner&&x.corner.precedance==="x"?f:0,k=(j.y==="top"?1:-1)*d-g,w.top+=h>0?h:i>0?-i:0,w.top=Math.max(v.offset.top+(g&&x.corner.x==="center"?x.offset:0),a-k,Math.min(Math.max(v.offset.top+v.height,a+k),w.top))):(h>0&&(j.y!=="top"||i>0)?w.top-=k+(n?0:2*m.y):i>0&&(j.y!=="bottom"||h>0)&&(w.top-=n?-k:k+2*m.y),w.top!==a&&n&&(w.top-=m.y),w.top<0&&-w.top>i&&(w.top=a));return w.top-a}};if(a.isArray(f)&&f.length===2)l={x:"left",y:"top"},w={left:f[0],top:f[1]};else if(f==="mouse"&&(c&&c.pageX||G.event.pageX))l={x:"left",y:"top"},c=c&&(c.type==="resize"||c.type==="scroll")?G.event:c&&c.pageX&&c.type==="mousemove"?c:i&&i.pageX&&(m.mouse||!c||!c.pageX)?{pageX:i.pageX,pageY:i.pageY}:!m.mouse&&G.origin&&G.origin.pageX?G.origin:c,w={top:c.pageY,left:c.pageX};else{f==="event"?c&&c.target&&c.type!=="scroll"&&c.type!=="resize"?f=G.target=a(c.target):f=G.target:G.target=a(f),f=a(f).eq(0);if(f.length===0)return y;f[0]===document||f[0]===b?(q=h.iOS?b.innerWidth:f.width(),r=h.iOS?b.innerHeight:f.height(),f[0]===b&&(w={top:!u||h.iOS?(v||f).scrollTop():0,left:!u||h.iOS?(v||f).scrollLeft():0})):f.is("area")&&h.imagemap?w=h.imagemap(f,l):f[0].namespaceURI==="http://www.w3.org/2000/svg"&&h.svg?w=h.svg(f,l):(q=f.outerWidth(),r=f.outerHeight(),w=h.offset(f,g.container,u)),w.offset&&(q=w.width,r=w.height,w=w.offset),w.left+=l.x==="right"?q:l.x==="center"?q/2:0,w.top+=l.y==="bottom"?r:l.y==="center"?r/2:0}w.left+=m.x+(j.x==="right"?-o:j.x==="center"?-o/2:0),w.top+=m.y+(j.y==="bottom"?-p:j.y==="center"?-p/2:0),v.jquery&&f[0]!==b&&f[0]!==z&&A.vertical+A.horizontal!=="nonenone"?(v={elem:v,height:v[(v[0]===b?"h":"outerH")+"eight"](),width:v[(v[0]===b?"w":"outerW")+"idth"](),scrollLeft:u?0:v.scrollLeft(),scrollTop:u?0:v.scrollTop(),offset:v.offset()||{left:0,top:0}},w.adjusted={left:A.horizontal!=="none"?A.left(w.left):0,top:A.vertical!=="none"?A.top(w.top):0}):w.adjusted={left:0,top:0},D.attr("class",function(b,c){return a.attr(this,"class").replace(/ui-tooltip-pos-\w+/i,"")}).addClass(k+"-pos-"+j.abbreviation()),t.originalEvent=a.extend({},c),D.trigger(t,[y,w,v.elem||v]);if(t.isDefaultPrevented())return y;delete w.adjusted,d===e||isNaN(w.left)||isNaN(w.top)||f==="mouse"||!a.isFunction(g.effect)?D.css(w):a.isFunction(g.effect)&&(g.effect.call(D,y,a.extend({},w)),D.queue(function(b){a(this).css({opacity:"",height:""}),a.browser.msie&&this.style.removeAttribute("filter"),b()})),B=0;return y},redraw:function(){if(y.rendered<1||C)return y;var a=s.position.container,b,c,d,e;C=1,s.style.width?D.css("width",s.style.width):(D.css("width","").addClass(r),c=D.width()+1,d=D.css("max-width")||"",e=D.css("min-width")||"",b=(d+e).indexOf("%")>-1?a.width()/100:0,d=(d.indexOf("%")>-1?b:1)*parseInt(d,10)||c,e=(e.indexOf("%")>-1?b:1)*parseInt(e,10)||0,c=d+e?Math.min(Math.max(c,e),d):c,D.css("width",Math.round(c)).removeClass(r)),C=0;return y},disable:function(b){var c=m;"boolean"!==typeof b&&(b=!D.hasClass(c)&&!G.disabled),y.rendered?(D.toggleClass(c,b),a.attr(D[0],"aria-disabled",b)):G.disabled=!!b;return y},enable:function(){return y.disable(e)},destroy:function(){var b=c[0],d=a.attr(b,u);y.rendered&&(D.remove(),a.each(y.plugins,function(){this.destroy&&this.destroy()})),clearTimeout(y.timers.show),clearTimeout(y.timers.hide),Q(),a.removeData(b,"qtip"),d&&(a.attr(b,"title",d),c.removeAttr(u)),c.removeAttr("aria-describedby").unbind(".qtip"),delete j[y.id];return c}})}function x(b){var c;if(!b||"object"!==typeof b)return e;"object"!==typeof b.metadata&&(b.metadata={type:b.metadata});if("content"in b){if("object"!==typeof b.content||b.content.jquery)b.content={text:b.content};c=b.content.text||e,!a.isFunction(c)&&(!c&&!c.attr||c.length<1||"object"===typeof c&&!c.jquery)&&(b.content.text=e),"title"in b.content&&("object"!==typeof b.content.title&&(b.content.title={text:b.content.title}),c=b.content.title.text||e,!a.isFunction(c)&&(!c&&!c.attr||c.length<1||"object"===typeof c&&!c.jquery)&&(b.content.title.text=e))}"position"in b&&("object"!==typeof b.position&&(b.position={my:b.position,at:b.position})),"show"in b&&("object"!==typeof b.show&&(b.show.jquery?b.show={target:b.show}:b.show={event:b.show})),"hide"in b&&("object"!==typeof b.hide&&(b.hide.jquery?b.hide={target:b.hide}:b.hide={event:b.hide})),"style"in b&&("object"!==typeof b.style&&(b.style={classes:b.style})),a.each(h,function(){this.sanitize&&this.sanitize(b)});return b}function w(){w.history=w.history||[],w.history.push(arguments);if("object"===typeof console){var a=console[console.warn?"warn":"log"],b=Array.prototype.slice.call(arguments),c;typeof arguments[0]==="string"&&(b[0]="qTip2: "+b[0]),c=a.apply?a.apply(console,b):a(b)}}"use strict";var d=!0,e=!1,f=null,g,h,i,j={},k="ui-tooltip",l="ui-widget",m="ui-state-disabled",n="div.qtip."+k,o=k+"-default",p=k+"-focus",q=k+"-hover",r=k+"-fluid",s="-31000px",t="_replacedByqTip",u="oldtitle",v;g=a.fn.qtip=function(b,h,i){var j=(""+b).toLowerCase(),k=f,l=j==="disable"?[d]:a.makeArray(arguments).slice(1),m=l[l.length-1],n=this[0]?a.data(this[0],"qtip"):f;if(!arguments.length&&n||j==="api")return n;if("string"===typeof b){this.each(function(){var b=a.data(this,"qtip");if(!b)return d;m&&m.timeStamp&&(b.cache.event=m);if(j!=="option"&&j!=="options"||!h)b[j]&&b[j].apply(b[j],l);else if(a.isPlainObject(h)||i!==c)b.set(h,i);else{k=b.get(h);return e}});return k!==f?k:this}if("object"===typeof b||!arguments.length){n=x(a.extend(d,{},b));return g.bind.call(this,n,m)}},g.bind=function(b,f){return this.each(function(i){function q(b){function d(){o.render(typeof b==="object"||k.show.ready),l.show.add(l.hide).unbind(n)}if(o.cache.disabled)return e;o.cache.event=a.extend({},b),o.cache.target=b?a(b.target):[c],k.show.delay>0?(clearTimeout(o.timers.show),o.timers.show=setTimeout(d,k.show.delay),m.show!==m.hide&&l.hide.bind(m.hide,function(){clearTimeout(o.timers.show)})):d()}var k,l,m,n,o,p;p=a.isArray(b.id)?b.id[i]:b.id,p=!p||p===e||p.length<1||j[p]?g.nextid++:j[p]=p,n=".qtip-"+p+"-create",o=z.call(this,p,b);if(o===e)return d;k=o.options,a.each(h,function(){this.initialize==="initialize"&&this(o)}),l={show:k.show.target,hide:k.hide.target},m={show:a.trim(""+k.show.event).replace(/ /g,n+" ")+n,hide:a.trim(""+k.hide.event).replace(/ /g,n+" ")+n},/mouse(over|enter)/i.test(m.show)&&!/mouse(out|leave)/i.test(m.hide)&&(m.hide+=" mouseleave"+n),l.show.bind(m.show,q),(k.show.ready||k.prerender)&&q(f)})},h=g.plugins={Corner:function(a){a=(""+a).replace(/([A-Z])/," $1").replace(/middle/gi,"center").toLowerCase(),this.x=(a.match(/left|right/i)||a.match(/center/)||["inherit"])[0].toLowerCase(),this.y=(a.match(/top|bottom|center/i)||["inherit"])[0].toLowerCase(),this.precedance=a.charAt(0).search(/^(t|b)/)>-1?"y":"x",this.string=function(){return this.precedance==="y"?this.y+this.x:this.x+this.y},this.abbreviation=function(){var a=this.x.substr(0,1),b=this.y.substr(0,1);return a===b?a:a==="c"||a!=="c"&&b!=="c"?b+a:a+b}},offset:function(c,d,e){function l(a,b){f.left+=b*a.scrollLeft(),f.top+=b*a.scrollTop()}var f=c.offset(),g=d,i=0,j=document.body,k;if(g){do{g.css("position")!=="static"&&(k=g[0]===j?{left:parseInt(g.css("left"),10)||0,top:parseInt(g.css("top"),10)||0}:g.position(),f.left-=k.left+(parseInt(g.css("borderLeftWidth"),10)||0),f.top-=k.top+(parseInt(g.css("borderTopWidth"),10)||0),i++);if(g[0]===j)break}while(g=g.offsetParent());d[0]!==j&&i>1&&l(d,1),(h.iOS<4.1&&h.iOS>3.1||!h.iOS&&e)&&l(a(b),-1)}return f},iOS:parseFloat((""+(/CPU.*OS ([0-9_]{1,3})|(CPU like).*AppleWebKit.*Mobile/i.exec(navigator.userAgent)||[0,""])[1]).replace("undefined","3_2").replace("_","."))||e,fn:{attr:function(b,c){if(this.length){var d=this[0],e="title",f=a.data(d,"qtip");if(b===e){if(arguments.length<2)return a.attr(d,u);if(typeof f==="object"){f&&f.rendered&&f.options.content.attr===e&&f.cache.attr&&f.set("content.text",c),a.fn["attr"+t].apply(this,arguments),a.attr(d,u,a.attr(d,e));return this.removeAttr(e)}}}},clone:function(b){var c=a([]),d="title",e;e=a.fn["clone"+t].apply(this,arguments).filter("[oldtitle]").each(function(){a.attr(this,d,a.attr(this,u)),this.removeAttribute(u)}).end();return e},remove:a.ui?f:function(b,c){a(this).each(function(){c||(!b||a.filter(b,[this]).length)&&a("*",this).add(this).each(function(){a(this).triggerHandler("remove")})})}}},a.each(h.fn,function(b,c){if(!c)return d;var e=a.fn[b+t]=a.fn[b];a.fn[b]=function(){return c.apply(this,arguments)||e.apply(this,arguments)}}),g.version="2.0.0pre",g.nextid=0,g.inactiveEvents="click dblclick mousedown mouseup mousemove mouseleave mouseenter".split(" "),g.zindex=15e3,g.defaults={prerender:e,id:e,overwrite:d,content:{text:d,attr:"title",title:{text:e,button:e}},position:{my:"top left",at:"bottom right",target:e,container:e,viewport:e,adjust:{x:0,y:0,mouse:d,resize:d,method:"flip flip"},effect:function(b,c,d){a(this).animate(c,{duration:200,queue:e})}},show:{target:e,event:"mouseenter",effect:d,delay:90,solo:e,ready:e,autofocus:e},hide:{target:e,event:"mouseleave",effect:d,delay:0,fixed:e,inactive:e,leave:"window",distance:e},style:{classes:"",widget:e,width:e},events:{render:f,move:f,show:f,hide:f,toggle:f,focus:f,blur:f}},h.ajax=function(a){var b=a.plugins.ajax;return"object"===typeof b?b:a.plugins.ajax=new A(a)},h.ajax.initialize="render",h.ajax.sanitize=function(a){var b=a.content,c;b&&"ajax"in b&&(c=b.ajax,typeof c!=="object"&&(c=a.content.ajax={url:c}),"boolean"!==typeof c.once&&c.once&&(c.once=!!c.once))},a.extend(d,g.defaults,{content:{ajax:{loading:d,once:d}}}),h.tip=function(a){var b=a.plugins.tip;return"object"===typeof b?b:a.plugins.tip=new C(a)},h.tip.initialize="render",h.tip.sanitize=function(a){var b=a.style,c;b&&"tip"in b&&(c=a.style.tip,typeof c!=="object"&&(a.style.tip={corner:c}),/string|boolean/i.test(typeof c.corner)||(c.corner=d),typeof c.width!=="number"&&delete c.width,typeof c.height!=="number"&&delete c.height,typeof c.border!=="number"&&c.border!==d&&delete c.border,typeof c.offset!=="number"&&delete c.offset)},a.extend(d,g.defaults,{style:{tip:{corner:d,mimic:e,width:6,height:6,border:d,offset:0}}}),h.imagemap=function(b,c){function l(a,b){var d=0,e=1,f=1,g=0,h=0,i=a.width,j=a.height;while(i>0&&j>0&&e>0&&f>0){i=Math.floor(i/2),j=Math.floor(j/2),c.x==="left"?e=i:c.x==="right"?e=a.width-i:e+=Math.floor(i/2),c.y==="top"?f=j:c.y==="bottom"?f=a.height-j:f+=Math.floor(j/2),d=b.length;while(d--){if(b.length<2)break;g=b[d][0]-a.offset.left,h=b[d][1]-a.offset.top,(c.x==="left"&&g>=e||c.x==="right"&&g<=e||c.x==="center"&&(g<e||g>a.width-e)||c.y==="top"&&h>=f||c.y==="bottom"&&h<=f||c.y==="center"&&(h<f||h>a.height-f))&&b.splice(d,1)}}return{left:b[0][0],top:b[0][1]}}b.jquery||(b=a(b));var d=b.attr("shape").toLowerCase(),e=b.attr("coords").split(","),f=[],g=a('img[usemap="#'+b.parent("map").attr("name")+'"]'),h=g.offset(),i={width:0,height:0,offset:{top:1e10,right:0,bottom:0,left:1e10}},j=0,k=0;h.left+=Math.ceil((g.outerWidth()-g.width())/2),h.top+=Math.ceil((g.outerHeight()-g.height())/2);if(d==="poly"){j=e.length;while(j--)k=[parseInt(e[--j],10),parseInt(e[j+1],10)],k[0]>i.offset.right&&(i.offset.right=k[0]),k[0]<i.offset.left&&(i.offset.left=k[0]),k[1]>i.offset.bottom&&(i.offset.bottom=k[1]),k[1]<i.offset.top&&(i.offset.top=k[1]),f.push(k)}else f=a.map(e,function(a){return parseInt(a,10)});switch(d){case"rect":i={width:Math.abs(f[2]-f[0]),height:Math.abs(f[3]-f[1]),offset:{left:f[0],top:f[1]}};break;case"circle":i={width:f[2]+2,height:f[2]+2,offset:{left:f[0],top:f[1]}};break;case"poly":a.extend(i,{width:Math.abs(i.offset.right-i.offset.left),height:Math.abs(i.offset.bottom-i.offset.top)}),c.string()==="centercenter"?i.offset={left:i.offset.left+i.width/2,top:i.offset.top+i.height/2}:i.offset=l(i,f.slice()),i.width=i.height=0}i.offset.left+=h.left,i.offset.top+=h.top;return i},h.svg=function(b,c){var d=a(document),e=b[0],f={width:0,height:0,offset:{top:1e10,left:1e10}},g,h,i,j,k;if(e.getBBox&&e.parentNode){g=e.getBBox(),h=e.getScreenCTM(),i=e.farthestViewportElement||e;if(!i.createSVGPoint)return f;j=i.createSVGPoint(),j.x=g.x,j.y=g.y,k=j.matrixTransform(h),f.offset.left=k.x,f.offset.top=k.y,j.x+=g.width,j.y+=g.height,k=j.matrixTransform(h),f.width=k.x-f.offset.left,f.height=k.y-f.offset.top,f.offset.left+=d.scrollLeft(),f.offset.top+=d.scrollTop()}return f},h.modal=function(a){var b=a.plugins.modal;return"object"===typeof b?b:a.plugins.modal=new D(a)},h.modal.initialize="render",h.modal.sanitize=function(a){a.show&&(typeof a.show.modal!=="object"?a.show.modal={on:!!a.show.modal}:typeof a.show.modal.on==="undefined"&&(a.show.modal.on=d))},a.extend(d,g.defaults,{show:{modal:{on:e,effect:d,blur:d,escape:d}}}),h.bgiframe=function(b){var c=a.browser,d=b.plugins.bgiframe;if(a("select, object").length<1||(!c.msie||c.version.charAt(0)!=="6"))return e;return"object"===typeof d?d:b.plugins.bgiframe=new E(b)},h.bgiframe.initialize="render"})(jQuery,window) \ No newline at end of file diff --git a/wp-content/plugins/weekly-schedule/readme.txt b/wp-content/plugins/weekly-schedule/readme.txt deleted file mode 100644 index e6148748a13d1021c5a53d4b4615898d61577a11..0000000000000000000000000000000000000000 --- a/wp-content/plugins/weekly-schedule/readme.txt +++ /dev/null @@ -1,129 +0,0 @@ -=== Weekly Schedule === -Contributors: jackdewey -Donate link: http://yannickcorner.nayanna.biz/wordpress-plugins/weekly-schedule/ -Tags: schedule, events, grid, weekly, multiple, tooltip, jQuery -Requires at least: 2.8 -Tested up to: 3.2.1 -Stable tag: trunk - -The purpose of this plugin is to allow users to create a schedule of weekly events and display that schedule on a page in a table form. Users can style events using stylesheets based on their category and can assign information to items that will be displayed in a tooltip. - -== Description == - -The purpose of this plugin is to allow users to create one or more schedules of weekly events and display these schedule on one or more pages as tables. Users can style their schedules using stylesheets based on the category of items and can assign information to items that will be displayed in a tooltip. - -You can see a demonstration of the output of the plugin using a single schedule [here](http://yannickcorner.nayanna.biz/2009-2010-tv-schedule/). - -== Installation == - -1. Download the plugin and unzip it. -1. Upload the tune-library folder to the /wp-content/plugins/ directory of your web site. -1. Activate the plugin in the Wordpress Admin. -1. Using the Configuration Panel for the plugin, create schedule categories and items -1. To see your schedule, in the Wordpress Admin, create a new page containing the following code:<br/> - [weekly-schedule schedule=1]<br /> - where the schedule number will change based on the number of schedules defined. - -== Changelog == - -= 2.4 = -* Updated qtip tooltip plugin to version 2.0 RC - -= 2.3.2 = -* Made fixes to accept event names with single quotes in their name - -= 2.3.1 = -* Fix check when you change time division to only check items under current schedule for conflicts - -= 2.3 = -* Increase size of day name field from 12 to 64 characters - -= 2.2.5 = -* Add option to specify the link target (window) where links will be opened. Was previously hard-coded to new window. - -= 2.2.4 = -* Added option to add stylesheet and scripts to front page header - -= 2.2.3 = -* Minor change fixes - -= 2.2.2 = -* fixed problem preventing popup description display in IE 6/7 - -= 2.2.1 = -* Added support for 2-hour and 3-hour time divisions - -= 2.2 = -* Updated qTip plugin for compatibility with Wordpress 3.0 - -= 2.1.2 = -* Fixed: Could not save general settings for schedules other than #1. - -= 2.1.1 = -* Fixed: Times not showing well when listing schedule items - -= 2.1 = -* Added: Ability to set time division to 15 minutes (Thanks to Matt Bryers for suggestion and initial ground work) - -= 2.0.2 = -* Added reference links at top of admin page - -= 2.0.1 = -* Added extra styles to work with times up to 4 hours in vertical mode - -= 2.0 = -* New Feature: Added ability to define and display multiple schedules on a Wordpress page - -= 1.1.8 = -* Fixed: 12:30pm was showing as 0:30pm. -* Tested with Wordpress 3.0 Beta 1 - -= 1.1.7 = -* Only load stylesheets and scripts if necessary - -= 1.1.6 = -* Corrected problem with creation of tables on installation -* Corrected problem of lost settings on upgrade - -= 1.1.5 = -* Restored ability to put HTML codes in item names - -= 1.1.4 = -* Now allows descriptions and item names to contain quotes and other special html characters - -= 1.1.3 = -* Added option for tooltip position to be automatically adjusted to be in visible area. - -= 1.1.2 = -* Removed debugging statements from admin interface and generated output - -= 1.1.1 = -* Corrected bugs with verfication of conflicting items upon addition or deletion of items - -= 1.1 = -* Adds new vertical display option -* 24/12 hour display mode is reflected in admin interface -* Various bug fixes - -= 1.0.1 = -* Added option to choose between 24 hour and 12 hour time display -* Fixed link to settings panel from Plugins page - -= 1.0 = -* First release - -== Frequently Asked Questions == - -= How do I style the items belonging to a category? = - -Create an entry in the stylesheet called cat# where # should be replaced with the category ID. - -= How do I add images to the tooltip = - -Use HTML codes in the item description to load images or do any other type of HTML formatting. - -== Screenshots == - -1. A sample schedule created with Weekly Schedule -2. General Plugin Configuration -3. Manage and add items to the schedule diff --git a/wp-content/plugins/weekly-schedule/screenshot-1.jpg b/wp-content/plugins/weekly-schedule/screenshot-1.jpg deleted file mode 100644 index 0882bf32917ddf6c9887b0bd2a385390555313e5..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/weekly-schedule/screenshot-1.jpg and /dev/null differ diff --git a/wp-content/plugins/weekly-schedule/screenshot-2.jpg b/wp-content/plugins/weekly-schedule/screenshot-2.jpg deleted file mode 100644 index dcd8691a9f242a87c068e719b5ebe27d9411a152..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/weekly-schedule/screenshot-2.jpg and /dev/null differ diff --git a/wp-content/plugins/weekly-schedule/screenshot-3.jpg b/wp-content/plugins/weekly-schedule/screenshot-3.jpg deleted file mode 100644 index 48289f3fcca4a1587ccbb46634cf7a1e1eca56a7..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/weekly-schedule/screenshot-3.jpg and /dev/null differ diff --git a/wp-content/plugins/weekly-schedule/stylesheet.css b/wp-content/plugins/weekly-schedule/stylesheet.css deleted file mode 100644 index 5ab3c9a0a86dc1a9a27ea38c4f313092d9f69171..0000000000000000000000000000000000000000 --- a/wp-content/plugins/weekly-schedule/stylesheet.css +++ /dev/null @@ -1,137 +0,0 @@ -.ws-schedule a { - color: #000000; - text-decoration: none; -} -.ws-schedule a:hover { - text-decoration: underline; - color: #FFFFFF; -} -.ws-schedule table { - table-layout: fixed; - border-padding: 0px !important; - } -.ws-schedule .verticalcolumn1 { - float: left; - width: 100px; -} -.ws-schedule .verticalcolumn2 { - float: left; - width: 50px; -} -.ws-schedule table.verticalheader { - width: 100px; -} -.ws-schedule table.vertical1 { - width: 100px; -} -.ws-schedule table.vertical2 { - width: 50px; -} -.ws-schedule th.rowheader { - width: 30px; - height: 50px; -} -.ws-schedule th { - background: #F5F5DC; - text-align: center; - vertical-align: middle; -} - -.ws-schedule tr th { - padding: 0px !important; -} - -.ws-schedule tr.topheader { - height: 30px; -} -.ws-schedule tr.row1 { - height: 100px; - vertical-align: top; -} -.ws-schedule tr.row2 { - height: 50px; - vertical-align: top; -} -.ws-schedule #3rowstall { - height: 90px; -} -.ws-schedule tr.datarow { - height: 70px; -} -.ws-schedule tr.datarow1 { - height: 70px; -} -.ws-schedule tr.datarow2 { - height: 140px; -} -.ws-schedule tr.datarow3 { - height: 210px; -} -.ws-schedule tr.datarow4 { - height: 280px; -} -.ws-schedule tr.datarow5 { - height: 350px; -} -.ws-schedule tr.datarow6 { - height: 420px; -} -.ws-schedule tr.datarow7 { - height: 490px; -} -.ws-schedule tr.datarow8 { - height: 560px; -} -.ws-schedule tr.vertrow { - width: 50px; -} -.ws-schedule td:hover { - background: #CCCCCC; -} -.ws-schedule table td { - background: #EEEEEE; -} -.ws-schedule td.cat1, td.cat2, td.cat3, td.cat4, td.cat5 { - border: 1px solid; -} -.ws-schedule td.cat1 { - background: #009B95 no-repeat bottom right; - border-color: #006561; -} -.ws-schedule td.cat1:hover { - background-color: #33CDC7; -} -.ws-schedule td.cat2 { - background: #4282D3 no-repeat bottom right; - border-color: #05326D; -} -.ws-schedule td.cat2:hover { - background-color: #6997D3; -} -.ws-schedule td.cat3 { - background: #FF9E00 no-repeat bottom right; - border-color: #BF8830; -} -.ws-schedule td.cat3:hover { - background-color: #FFC973; -} -.ws-schedule td.cat4 { - background: #FF7100 no-repeat bottom right; - border-color: #A64A00; -} -.ws-schedule td.cat4:hover { - background-color: #FF9540; -} -.ws-schedule td.cat5 { - background: #00B358 no-repeat bottom right; - border-color: #007439; -} -.ws-schedule td.cat5:hover { - background-color: #62D99C; -} -.ws-schedule #continuedown { - border-bottom: dashed 2px #000000; -} -.ws-schedule #continueright { - border-right: dashed 2px #000000; -} \ No newline at end of file diff --git a/wp-content/plugins/weekly-schedule/weekly-schedule.php b/wp-content/plugins/weekly-schedule/weekly-schedule.php deleted file mode 100644 index d43c452316d58e3ecb1605e8f9961e06287ee54e..0000000000000000000000000000000000000000 --- a/wp-content/plugins/weekly-schedule/weekly-schedule.php +++ /dev/null @@ -1,2017 +0,0 @@ -<?php -/*Plugin Name: Weekly Schedule -Plugin URI: http://yannickcorner.nayanna.biz/wordpress-plugins/ -Description: A plugin used to create a page with a list of TV shows -Version: 2.4 -Author: Yannick Lefebvre -Author URI: http://yannickcorner.nayanna.biz -Copyright 2010 Yannick Lefebvre (email : ylefebvre@gmail.com) - -This program is free software; you can redistribute it and/or modify -it under the terms of the GNU General Public License as published by -the Free Software Foundation; either version 2 of the License, or -(at your option) any later version. - -This program is distributed in the hope that it will be useful, -but WITHOUT ANY WARRANTY; without even the implied warranty of -MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the -GNU General Public License for more details. - -You should have received a copy of the GNU General Public License -along with this program; if not, write to the Free Software -Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA*/ - -if (is_file(trailingslashit(ABSPATH.PLUGINDIR).'weekly-schedule.php')) { - define('WS_FILE', trailingslashit(ABSPATH.PLUGINDIR).'weekly-schedule.php'); -} -else if (is_file(trailingslashit(ABSPATH.PLUGINDIR).'weekly-schedule/weekly-schedule.php')) { - define('WS_FILE', trailingslashit(ABSPATH.PLUGINDIR).'weekly-schedule/weekly-schedule.php'); -} - -function ws_install() { - global $wpdb; - - $charset_collate = ''; - if ( version_compare(mysql_get_server_info(), '4.1.0', '>=') ) { - if (!empty($wpdb->charset)) { - $charset_collate .= " DEFAULT CHARACTER SET $wpdb->charset"; - } - if (!empty($wpdb->collate)) { - $charset_collate .= " COLLATE $wpdb->collate"; - } - } - - $wpdb->wscategories = $wpdb->prefix.'wscategories'; - - $result = $wpdb->query(" - CREATE TABLE IF NOT EXISTS `$wpdb->wscategories` ( - `id` int(10) unsigned NOT NULL auto_increment, - `name` varchar(255) NOT NULL, - `scheduleid` int(10) default NULL, - PRIMARY KEY (`id`) - ) $charset_collate"); - - $catsresult = $wpdb->query(" - SELECT * from `$wpdb->wscategories`"); - - if (!$catsresult) - $result = $wpdb->query(" - INSERT INTO `$wpdb->wscategories` (`name`, `scheduleid`) VALUES - ('Default', 1)"); - - $wpdb->wsdays = $wpdb->prefix.'wsdays'; - - $result = $wpdb->query(" - CREATE TABLE IF NOT EXISTS `$wpdb->wsdays` ( - `id` int(10) unsigned NOT NULL, - `name` varchar(12) NOT NULL, - `rows` int(10) unsigned NOT NULL, - `scheduleid` int(10) NOT NULL default '0', - PRIMARY KEY (`id`, `scheduleid`) - ) $charset_collate"); - - $daysresult = $wpdb->query(" - SELECT * from `$wpdb->wsdays`"); - - if (!$daysresult) - $result = $wpdb->query(" - INSERT INTO `$wpdb->wsdays` (`id`, `name`, `rows`, `scheduleid`) VALUES - (1, 'Sun', 1, 1), - (2, 'Mon', 1, 1), - (3, 'Tue', 1, 1), - (4, 'Wed', 1, 1), - (5, 'Thu', 1, 1), - (6, 'Fri', 1, 1), - (7, 'Sat', 1, 1)"); - - $wpdb->wsitems = $wpdb->prefix.'wsitems'; - - $wpdb->query(" - CREATE TABLE IF NOT EXISTS `$wpdb->wsitems` ( - `id` int(10) unsigned NOT NULL auto_increment, - `name` varchar(255) NOT NULL, - `description` text NOT NULL, - `address` varchar(255) NOT NULL, - `starttime` float unsigned NOT NULL, - `duration` float NOT NULL, - `row` int(10) unsigned NOT NULL, - `day` int(10) unsigned NOT NULL, - `category` int(10) unsigned NOT NULL, - `scheduleid` int(10) NOT NULL default '0', - PRIMARY KEY (`id`,`scheduleid`) - ) $charset_collate"); - - $upgradeoptions = get_option('WS_PP'); - - if ($upgradeoptions != false) - { - if ($upgradeoptions['version'] != '2.0') - { - delete_option("WS_PP"); - - $wpdb->query("ALTER TABLE `$wpdb->wscategories` ADD scheduleid int(10)"); - $wpdb->query("UPDATE `$wpdb->wscategories` set scheduleid = 1"); - - $wpdb->query("ALTER TABLE `$wpdb->wsitems` ADD scheduleid int(10)"); - $wpdb->query("ALTER TABLE `$wpdb->wsitems` CHANGE `id` `id` INT( 10 ) UNSIGNED NOT NULL"); - $wpdb->query("ALTER TABLE `$wpdb->wsitems` DROP PRIMARY KEY"); - $wpdb->query("ALTER TABLE `$wpdb->wsitems` ADD PRIMARY KEY (id, scheduleid)"); - $wpdb->query("ALTER TABLE `$wpdb->wsitems` CHANGE `id` `id` INT( 10 ) UNSIGNED NOT NULL AUTO_INCREMENT"); - $wpdb->query("UPDATE `$wpdb->wsitems` set scheduleid = 1"); - - $wpdb->query("ALTER TABLE `$wpdb->wsdays` ADD scheduleid int(10)"); - $wpdb->query("ALTER TABLE `$wpdb->wsdays` DROP PRIMARY KEY"); - $wpdb->query("ALTER TABLE `$wpdb->wsdays` ADD PRIMARY KEY (id, scheduleid)"); - $wpdb->query("UPDATE `$wpdb->wsdays` set scheduleid = 1"); - - $upgradeoptions['adjusttooltipposition'] = true; - $upgradeoptions['schedulename'] = "Default"; - - update_option('WS_PP1',$upgradeoptions); - - $genoptions['stylesheet'] = $upgradeoptions['stylesheet']; - $genoptions['numberschedules'] = 2; - $genoptions['debugmode'] = false; - $genoptions['includestylescript'] = $upgradeoptions['includestylescript']; - $genoptions['frontpagestylescript'] = false; - $genoptions['version'] = "2.0"; - - update_option('WeeklyScheduleGeneral', $genoptions); - } - } - - $options = get_option('WS_PP1'); - - if ($options == false) { - $options['starttime'] = 19; - $options['endtime'] = 22; - $options['timedivision'] = 0.5; - $options['tooltipwidth'] = 300; - $options['tooltiptarget'] = 'right center'; - $options['tooltippoint'] = 'left center'; - $options['tooltipcolorscheme'] = 'ui-tooltip'; - $options['displaydescription'] = "tooltip"; - $options['daylist'] = ""; - $options['timeformat'] = "24hours"; - $options['layout'] = 'horizontal'; - $options['adjusttooltipposition'] = true; - $options['schedulename'] = "Default"; - $options['linktarget'] = "newwindow"; - - update_option('WS_PP1',$options); - } - - $genoptions = get_option("WeeklyScheduleGeneral"); - - if ($genoptions == false) { - $genoptions['stylesheet'] = "stylesheet.css"; - $genoptions['numberschedules'] = 2; - $genoptions['debugmode'] = false; - $genoptions['includestylescript'] = ""; - $genoptions['frontpagestylescript'] = false; - $genoptions['version'] = "2.4"; - - update_option("WeeklyScheduleGeneral", $genoptions); - } - elseif ($genoptions['version'] == "2.0") - { - $genoptions['version'] = "2.3"; - $wpdb->query("ALTER TABLE `" . $wpdb->prefix . "wsdays` CHANGE `name` `name` VARCHAR( 64 ) " . $charset_collate . " NOT NULL"); - - update_option("WeeklyScheduleGeneral", $genoptions); - } - elseif ($genoptions['version'] == "2.3") - { - $genoptions['version'] = '2.4'; - update_option('WeeklyScheduleGeneral', $genoptions); - - for ( $counter = 1; $counter <= $genoptions['numberschedules']; $counter += 1) { - $colors = array('cream' => 'ui-tooltip', 'dark' => 'ui-tooltip-dark', 'green' => 'ui-tooltip-green', 'light' => 'ui-tooltip-light', 'red' => 'ui-tooltip-red', 'blue' => 'ui-tooltip-blue'); - $positions = array('topLeft' => 'top left', 'topMiddle' => 'top center', 'topRight' => 'top right', 'rightTop' => 'right top', 'rightMiddle' => 'right center', 'rightBottom' => 'right bottom', 'bottomLeft' => 'bottom left', 'bottomMiddle' => 'bottom center', 'bottomRight' => 'bottom right', 'leftTop' => 'left top', 'leftMiddle' => 'left center', 'leftBottom' => 'left bottom'); - - $schedulename = 'WS_PP' . $counter; - $options = get_option($schedulename); - - $options['tooltipcolorscheme'] = $colors[$options['tooltipcolorscheme']]; - $options['tooltiptarget'] = $positions[$options['tooltiptarget']]; - $options['tooltippoint'] = $positions[$options['tooltippoint']]; - - update_option($schedulename, $options); - } - } - -} -register_activation_hook(WS_FILE, 'ws_install'); - -if ( ! class_exists( 'WS_Admin' ) ) { - class WS_Admin { - function add_config_page() { - global $wpdb; - if ( function_exists('add_submenu_page') ) { - add_options_page('Weekly Schedule for Wordpress', 'Weekly Schedule', 9, basename(__FILE__), array('WS_Admin','config_page')); - add_filter( 'plugin_action_links', array( 'WS_Admin', 'filter_plugin_actions'), 10, 2 ); - } - } // end add_WS_config_page() - - function filter_plugin_actions( $links, $file ){ - //Static so we don't call plugin_basename on every plugin row. - static $this_plugin; - if ( ! $this_plugin ) $this_plugin = plugin_basename(__FILE__); - if ( $file == $this_plugin ){ - $settings_link = '<a href="options-general.php?page=weekly-schedule.php">' . __('Settings') . '</a>'; - - array_unshift( $links, $settings_link ); // before other links - } - return $links; - } - - function config_page() { - global $dlextensions; - global $wpdb; - - $adminpage == ""; - - if ( !defined('WP_ADMIN_URL') ) - define( 'WP_ADMIN_URL', get_option('siteurl') . '/wp-admin'); - - if ( isset($_GET['schedule']) ) { - $schedule = $_GET['schedule']; - } - elseif (isset($_POST['schedule'])) { - $schedule = $_POST['schedule']; - } - else - { - $schedule = 1; - } - - if ( isset($_GET['copy'])) - { - $destination = $_GET['copy']; - $source = $_GET['source']; - - $sourcesettingsname = 'WS_PP' . $source; - $sourceoptions = get_option($sourcesettingsname); - - $destinationsettingsname = 'WS_PP' . $destination; - update_option($destinationsettingsname, $sourceoptions); - - $schedule = $destination; - } - - if ( isset($_GET['reset']) && $_GET['reset'] == "true") { - - $options['starttime'] = 19; - $options['endtime'] = 22; - $options['timedivision'] = 0.5; - $options['tooltipwidth'] = 300; - $options['tooltiptarget'] = 'right center'; - $options['tooltippoint'] = 'left center'; - $options['tooltipcolorscheme'] = 'ui-tooltip'; - $options['displaydescription'] = "tooltip"; - $options['daylist'] = ""; - $options['timeformat'] = "24hours"; - $options['layout'] = 'horizontal'; - $options['adjusttooltipposition'] = true; - $options['schedulename'] = "Default"; - $options['linktarget'] = "newwindow"; - - $schedule = $_GET['reset']; - $schedulename = 'WS_PP' . $schedule; - - update_option($schedulename, $options); - } - if ( isset($_GET['settings'])) - { - if ($_GET['settings'] == 'categories') - { - $adminpage = 'categories'; - } - elseif ($_GET['settings'] == 'items') - { - $adminpage = 'items'; - } - elseif ($_GET['settings'] == 'general') - { - $adminpage = 'general'; - } - elseif ($_GET['settings'] == 'days') - { - $adminpage = 'days'; - } - - } - if ( isset($_POST['submit']) ) { - if (!current_user_can('manage_options')) die(__('You cannot edit the Weekly Schedule for WordPress options.')); - check_admin_referer('wspp-config'); - - - - if ($_POST['timedivision'] != $options['timedivision'] && $_POST['timedivision'] == "3.0") - { - $itemsquarterhour = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE MOD(duration, 1) = 0.25 and scheduleid = " . $schedule); - $itemshalfhour = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE MOD(duration, 1) = 0.5 and scheduleid = " . $schedule); - $itemshour = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE MOD(duration, 1) = 1.0 and scheduleid = " . $schedule); - $itemstwohour = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE MOD(duration, 1) = 2.0 and scheduleid = " . $schedule); - - if ($itemsquarterhour) - { - echo '<div id="warning" class="updated fade"><p><strong>Cannot change time division to tri-hourly since some items have quarter-hourly durations</strong></div>'; - $options['timedivision'] = "0.25"; - } - elseif ($itemshalfhour) - { - echo '<div id="warning" class="updated fade"><p><strong>Cannot change time division to tri-hourly since some items have half-hourly durations</strong></div>'; - $options['timedivision'] = "0.5"; - } - elseif ($itemshour) - { - echo '<div id="warning" class="updated fade"><p><strong>Cannot change time division to tri-hourly since some items have hourly durations</strong></div>'; - $options['timedivision'] = "1.0"; - } - elseif ($itemstwohour) - { - echo '<div id="warning" class="updated fade"><p><strong>Cannot change time division to tri-hourly since some items have hourly durations</strong></div>'; - $options['timedivision'] = "2.0"; - } - else - $options['timedivision'] = $_POST['timedivision']; - } - elseif ($_POST['timedivision'] != $options['timedivision'] && $_POST['timedivision'] == "2.0") - { - $itemsquarterhour = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE MOD(duration, 1) = 0.25 and scheduleid = " . $schedule); - $itemshalfhour = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE MOD(duration, 1) = 0.5 and scheduleid = " . $schedule); - $itemshour = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE MOD(duration, 1) = 1.0 and scheduleid = " . $schedule); - - if ($itemsquarterhour) - { - echo '<div id="warning" class="updated fade"><p><strong>Cannot change time division to bi-hourly since some items have quarter-hourly durations</strong></div>'; - $options['timedivision'] = "0.25"; - } - elseif ($itemshalfhour) - { - echo '<div id="warning" class="updated fade"><p><strong>Cannot change time division to bi-hourly since some items have half-hourly durations</strong></div>'; - $options['timedivision'] = "0.5"; - } - elseif ($itemshour) - { - echo '<div id="warning" class="updated fade"><p><strong>Cannot change time division to bi-hourly since some items have hourly durations</strong></div>'; - $options['timedivision'] = "1.0"; - } - else - $options['timedivision'] = $_POST['timedivision']; - } - elseif ($_POST['timedivision'] != $options['timedivision'] && $_POST['timedivision'] == "1.0") - { - $itemsquarterhour = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE MOD(duration, 1) = 0.25 and scheduleid = " . $schedule); - $itemshalfhour = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE MOD(duration, 1) = 0.5 and scheduleid = " . $schedule); - - if ($itemsquarterhour) - { - echo '<div id="warning" class="updated fade"><p><strong>Cannot change time division to hourly since some items have quarter-hourly durations</strong></div>'; - $options['timedivision'] = "0.25"; - } - elseif ($itemshalfhour) - { - echo '<div id="warning" class="updated fade"><p><strong>Cannot change time division to hourly since some items have half-hourly durations</strong></div>'; - $options['timedivision'] = "0.5"; - } - else - $options['timedivision'] = $_POST['timedivision']; - } - elseif ($_POST['timedivision'] != $options['timedivision'] && $_POST['timedivision'] == "0.5") - { - $itemsquarterhour = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE MOD(duration, 1) = 0.25 and scheduleid = " . $schedule); - - if ($itemsquarterhour) - { - echo '<div id="warning" class="updated fade"><p><strong>Cannot change time division to hourly since some items have quarter-hourly durations</strong></div>'; - $options['timedivision'] = "0.25"; - } - else - $options['timedivision'] = $_POST['timedivision']; - } - else - $options['timedivision'] = $_POST['timedivision']; - - foreach (array('starttime','endtime','tooltipwidth','tooltiptarget','tooltippoint','tooltipcolorscheme', - 'displaydescription','daylist', 'timeformat', 'layout', 'schedulename', 'linktarget') as $option_name) { - if (isset($_POST[$option_name])) { - $options[$option_name] = $_POST[$option_name]; - } - } - - foreach (array('adjusttooltipposition') as $option_name) { - if (isset($_POST[$option_name])) { - $options[$option_name] = true; - } else { - $options[$option_name] = false; - } - } - - - $schedulename = 'WS_PP' . $schedule; - update_option($schedulename, $options); - - echo '<div id="message" class="updated fade"><p><strong>Weekly Schedule: Schedule ' . $schedule . ' Updated</strong></div>'; - } - if (isset($_POST['submitgen'])) - { - if (!current_user_can('manage_options')) die(__('You cannot edit the Weekly Schedule for WordPress options.')); - check_admin_referer('wspp-config'); - - foreach (array('stylesheet', 'numberschedules', 'includestylescript') as $option_name) { - if (isset($_POST[$option_name])) { - $genoptions[$option_name] = $_POST[$option_name]; - } - } - - foreach (array('debugmode', 'frontpagestylescript') as $option_name) { - if (isset($_POST[$option_name])) { - $genoptions[$option_name] = true; - } else { - $genoptions[$option_name] = false; - } - } - - update_option('WeeklyScheduleGeneral', $genoptions); - } - if ( isset($_GET['editcat'])) - { - $adminpage = 'categories'; - - $mode = "edit"; - - $selectedcat = $wpdb->get_row("select * from " . $wpdb->prefix . "wscategories where id = " . $_GET['editcat']); - } - if ( isset($_POST['newcat']) || isset($_POST['updatecat'])) { - if (!current_user_can('manage_options')) die(__('You cannot edit the Weekly Schedule for WordPress options.')); - check_admin_referer('wspp-config'); - - if (isset($_POST['name'])) - $newcat = array("name" => $_POST['name'], "scheduleid" => $_POST['schedule']); - else - $newcat = ""; - - if (isset($_POST['id'])) - $id = array("id" => $_POST['id']); - - - if (isset($_POST['newcat'])) - { - $wpdb->insert( $wpdb->prefix.'wscategories', $newcat); - echo '<div id="message" class="updated fade"><p><strong>Inserted New Category</strong></div>'; - } - elseif (isset($_POST['updatecat'])) - { - $wpdb->update( $wpdb->prefix.'wscategories', $newcat, $id); - echo '<div id="message" class="updated fade"><p><strong>Category Updated</strong></div>'; - } - - $mode = ""; - - $adminpage = 'categories'; - } - if (isset($_GET['deletecat'])) - { - $adminpage = 'categories'; - - $catexist = $wpdb->get_row("SELECT * from " . $wpdb->prefix . "wscategories WHERE id = " . $_GET['deletecat']); - - if ($catexist) - { - $wpdb->query("DELETE from " . $wpdb->prefix . "wscategories WHERE id = " . $_GET['deletecat']); - echo '<div id="message" class="updated fade"><p><strong>Category Deleted</strong></div>'; - } - } - if ( isset($_GET['edititem'])) - { - $adminpage = 'items'; - - $mode = "edit"; - - $selecteditem = $wpdb->get_row("select * from " . $wpdb->prefix . "wsitems where id = " . $_GET['edititem'] . " AND scheduleid = " . $_GET['schedule']); - } - if (isset($_POST['newitem']) || isset($_POST['updateitem'])) - { - // Need to re-work all of this to support multiple schedules - if (!current_user_can('manage_options')) die(__('You cannot edit the Weekly Schedule for WordPress options.')); - check_admin_referer('wspp-config'); - - if (isset($_POST['name']) && isset($_POST['starttime']) && isset($_POST['duration']) && $_POST['name'] != '') - { - $newitem = array("name" => $_POST['name'], - "description" => $_POST['description'], - "address" => $_POST['address'], - "starttime" => $_POST['starttime'], - "category" => $_POST['category'], - "duration" => $_POST['duration'], - "day" => $_POST['day'], - "scheduleid" => $_POST['schedule']); - - if (isset($_POST['updateitem'])) - { - $origrow = $_POST['oldrow']; - $origday = $_POST['oldday']; - } - - $rowsearch = 1; - $row = 1; - - while ($rowsearch == 1) - { - if ($_POST['id'] != "") - $checkid = " and id <> " . $_POST['id']; - else - $checkid = ""; - - $endtime = $newitem['starttime'] + $newitem['duration']; - - $conflictquery = "SELECT * from " . $wpdb->prefix . "wsitems where day = " . $newitem['day'] . $checkid; - $conflictquery .= " and row = " . $row; - $conflictquery .= " and scheduleid = " . $newitem['scheduleid']; - $conflictquery .= " and ((" . $newitem['starttime'] . " < starttime and " . $endtime . " > starttime) or"; - $conflictquery .= " (" . $newitem['starttime'] . " >= starttime and " . $newitem['starttime'] . " < starttime + duration)) "; - - $conflictingitems = $wpdb->get_results($conflictquery); - - if ($conflictingitems) - { - $row++; - } - else - { - $rowsearch = 0; - } - } - - if (isset($_POST['updateitem'])) - { - if ($origrow != $row || $origday != $_POST['day']) - { - if ($origrow > 1) - { - $itemday = $wpdb->get_row("SELECT * from " . $wpdb->prefix . "wsdays WHERE id = " . $origday . " AND scheduleid = " . $_POST['schedule']); - - $othersonrow = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE day = " . $origday . " AND row = " . $origrow . " AND scheduleid = " . $_POST['schedule'] . " AND id != " . $_POST['id']); - if (!$othersonrow) - { - if ($origrow != $itemday->rows) - { - for ($i = $origrow + 1; $i <= $itemday->rows; $i++) - { - $newrow = $i - 1; - $changerow = array("row" => $newrow); - $oldrow = array("row" => $i, "day" => $origday); - $wpdb->update($wpdb->prefix . 'wsitems', $changerow, $oldrow); - } - } - - $dayid = array("id" => $itemday->id, "scheduleid" => $_POST['schedule']); - $newrow = $itemday->rows - 1; - $newdayrow = array("rows" => $newrow); - - $wpdb->update($wpdb->prefix . 'wsdays', $newdayrow, $dayid); - } - } - } - } - - $dayrow = $wpdb->get_row("SELECT * from " . $wpdb->prefix . "wsdays where id = " . $_POST['day'] . " AND scheduleid = " . $_POST['schedule']); - if ($dayrow->rows < $row) - { - $dayid = array("id" => $_POST['day'], "scheduleid" => $_POST['schedule']); - $newdayrow = array("rows" => $row); - - $wpdb->update($wpdb->prefix . 'wsdays', $newdayrow, $dayid); - } - - $newitem['row'] = $row; - - if (isset($_POST['id'])) - $id = array("id" => $_POST['id'], "scheduleid" => $_POST['schedule']); - - if (isset($_POST['newitem'])) - { - $wpdb->insert( $wpdb->prefix.'wsitems', $newitem); - echo '<div id="message" class="updated fade"><p><strong>Inserted New Item</strong></div>'; - } - elseif (isset($_POST['updateitem'])) - { - $wpdb->update( $wpdb->prefix.'wsitems', $newitem, $id); - echo '<div id="message" class="updated fade"><p><strong>Item Updated</strong></div>'; - } - } - - $mode = ""; - - $adminpage = 'items'; - } - if (isset($_GET['deleteitem'])) - { - $adminpage = 'items'; - - $itemexist = $wpdb->get_row("SELECT * from " . $wpdb->prefix . "wsitems WHERE id = " . $_GET['deleteitem'] . " AND scheduleid = " . $_GET['schedule']); - $itemday = $wpdb->get_row("SELECT * from " . $wpdb->prefix . "wsdays WHERE id = " . $itemexist->day . " AND scheduleid = " . $_GET['schedule']); - - if ($itemexist) - { - $wpdb->query("DELETE from " . $wpdb->prefix . "wsitems WHERE id = " . $_GET['deleteitem'] . " AND scheduleid = " . $_GET['schedule']); - - if ($itemday->rows > 1) - { - $othersonrow = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsitems WHERE day = " . $itemexist->day . " AND scheduleid = " . $_GET['schedule'] . " AND row = " . $itemexist->row); - if (!$othersonrow) - { - if ($itemexist->row != $itemday->rows) - { - for ($i = $itemexist->row + 1; $i <= $itemday->rows; $i++) - { - $newrow = $i - 1; - $changerow = array("row" => $newrow); - $oldrow = array("row" => $i, "day" => $itemday->id); - $wpdb->update($wpdb->prefix . 'wsitems', $changerow, $oldrow); - } - } - - $dayid = array("id" => $itemexist->day, "scheduleid" => $_GET['schedule']); - $newrow = $itemday->rows - 1; - $newdayrow = array("rows" => $newrow); - - $wpdb->update($wpdb->prefix . 'wsdays', $newdayrow, $dayid); - } - } - echo '<div id="message" class="updated fade"><p><strong>Item Deleted</strong></div>'; - } - } - if (isset($_POST['updatedays'])) - { - $dayids = array(1, 2, 3, 4, 5, 6, 7); - - foreach($dayids as $dayid) - { - $daynamearray = array("name" => $_POST[$dayid]); - $dayidarray = array("id" => $dayid, "scheduleid" => $_POST['schedule']); - - $wpdb->update($wpdb->prefix . 'wsdays', $daynamearray, $dayidarray); - } - } - - $wspluginpath = WP_CONTENT_URL.'/plugins/'.plugin_basename(dirname(__FILE__)).'/'; - - if ($schedule == '') - { - $options = get_option('WS_PP1'); - if ($options == false) - { - $oldoptions = get_option('WS_PP'); - if ($options) - echo "If you are upgrading from versions before 2.0, please deactivate and reactivate the plugin in the Wordpress Plugins admin to upgrade all tables correctly."; - } - - $schedule = 1; - } - else - { - $settingsname = 'WS_PP' . $schedule; - $options = get_option($settingsname); - } - - if ($options == "") - { - $options['starttime'] = 19; - $options['endtime'] = 22; - $options['timedivision'] = 0.5; - $options['tooltipwidth'] = 300; - $options['tooltiptarget'] = 'right center'; - $options['tooltippoint'] = 'left center'; - $options['tooltipcolorscheme'] = 'ui-tooltip'; - $options['displaydescription'] = "tooltip"; - $options['daylist'] = ""; - $options['timeformat'] = "24hours"; - $options['layout'] = 'horizontal'; - $options['adjusttooltipposition'] = true; - $options['schedulename'] = "Default"; - $options['linktarget'] = "newwindow"; - - $schedulename = 'WS_PP' . $schedule; - - update_option($schedulename, $options); - - $catsresult = $wpdb->query("SELECT * from " . $wpdb->prefix . "wscategories where scheduleid = " . $schedule); - - if (!$catsresult) - { - $sqlstatement = "INSERT INTO " . $wpdb->prefix . "wscategories (`name`, `scheduleid`) VALUES - ('Default', " . $schedule . ")"; - $result = $wpdb->query($sqlstatement); - } - - $wpdb->wsdays = $wpdb->prefix.'wsdays'; - - $daysresult = $wpdb->query("SELECT * from " . $wpdb->prefix . "wsdays where scheduleid = " . $schedule); - - if (!$daysresult) - { - $sqlstatement = "INSERT INTO " . $wpdb->prefix . "wsdays (`id`, `name`, `rows`, `scheduleid`) VALUES - (1, 'Sun', 1, " . $schedule . "), - (2, 'Mon', 1, " . $schedule . "), - (3, 'Tue', 1, " . $schedule . "), - (4, 'Wes', 1, " . $schedule . "), - (5, 'Thu', 1, " . $schedule . "), - (6, 'Fri', 1, " . $schedule . "), - (7, 'Sat', 1, " . $schedule . ")"; - $result = $wpdb->query($sqlstatement); - } - } - - $genoptions = get_option('WeeklyScheduleGeneral'); - - if ($genoptions == "") - { - $genoptions['stylesheet'] = $upgradeoptions['stylesheet']; - $genoptions['numberschedules'] = 2; - $genoptions['debugmode'] = false; - $genoptions['includestylescript'] = $upgradeoptions['includestylescript']; - $genoptions['frontpagestylescript'] = false; - $genoptions['version'] = "2.4"; - - update_option('WeeklyScheduleGeneral', $genoptions); - } - - ?> - <div class="wrap"> - <h2>Weekly Schedule Configuration</h2> - <a href="http://yannickcorner.nayanna.biz/wordpress-plugins/weekly-schedule/" target="weeklyschedule"><img src="<?php echo $wspluginpath; ?>/icons/btn_donate_LG.gif" /></a> | <a target='wsinstructions' href='http://wordpress.org/extend/plugins/weekly-schedule/installation/'>Installation Instructions</a> | <a href='http://wordpress.org/extend/plugins/weekly-schedule/faq/' target='llfaq'>FAQ</a> | <a href='http://yannickcorner.nayanna.biz/contact-me'>Contact the Author</a><br /><br /> - - <form name='wsadmingenform' action="<?php echo WP_ADMIN_URL ?>/options-general.php?page=weekly-schedule.php" method="post" id="ws-conf"> - <?php - if ( function_exists('wp_nonce_field') ) - wp_nonce_field('wspp-config'); - ?> - <fieldset style='border:1px solid #CCC;padding:10px'> - <legend class="tooltip" title='These apply to all schedules' style='padding: 0 5px 0 5px;'><strong>General Settings <span style="border:0;padding-left: 15px;" class="submit"><input type="submit" name="submitgen" value="Update General Settings »" /></span></strong></legend> - <table> - <tr> - <td style='padding: 8px; vertical-align: top'> - <table> - <tr> - <td style='width:200px'>Stylesheet File Name</td> - <td><input type="text" id="stylesheet" name="stylesheet" size="40" value="<?php echo $genoptions['stylesheet']; ?>"/></td> - </tr> - <tr> - <td>Number of Schedules</td> - <td><input type="text" id="numberschedules" name="numberschedules" size="5" value="<?php if ($genoptions['numberschedules'] == '') echo '2'; echo $genoptions['numberschedules']; ?>"/></td> - </tr> - <tr> - <td style="padding-left: 10px;padding-right:10px">Debug Mode</td> - <td><input type="checkbox" id="debugmode" name="debugmode" <?php if ($genoptions['debugmode']) echo ' checked="checked" '; ?>/></td> - </tr> - <tr> - <td colspan="2">Additional pages to style (Comma-Separated List of Page IDs)</td> - </tr> - <tr> - <td colspan="2"><input type='text' name='includestylescript' style='width: 200px' value='<?php echo $genoptions['includestylescript']; ?>' /></td> - </tr> - </table> - </td> - <td style='padding: 8px; vertical-align: top; border: #cccccc 1px solid;'> - <div><h3>ThemeFuse Original WP Themes</h3>If you are looking to buy an original WP theme, take a look at <a href="https://www.e-junkie.com/ecom/gb.php?cl=136641&c=ib&aff=153522" target="ejejcsingle">ThemeFuse</a><br />They have a nice 1-click installer, great support and good-looking themes.</div><div style='text-align: center; padding-top: 10px'><a href="https://www.e-junkie.com/ecom/gb.php?cl=136641&c=ib&aff=153522" target="ejejcsingle"><img src='http://themefuse.com/wp-content/themes/themefuse/images/campaigns/themefuse.jpg' /></a></div> - </td> - </tr> - </table> - </fieldset> - </form> - - <div style='padding-top: 15px;clear:both'> - <fieldset style='border:1px solid #CCC;padding:10px'> - <legend style='padding: 0 5px 0 5px;'><strong>Schedule Selection and Usage Instructions</strong></legend> - <FORM name="scheduleselection"> - Select Current Style Set: - <SELECT name="schedulelist" style='width: 300px'> - <?php if ($genoptions['numberschedules'] == '') $numberofschedules = 2; else $numberofschedules = $genoptions['numberschedules']; - for ($counter = 1; $counter <= $numberofschedules; $counter++): ?> - <?php $tempoptionname = "WS_PP" . $counter; - $tempoptions = get_option($tempoptionname); ?> - <option value="<?php echo $counter ?>" <?php if ($schedule == $counter) echo 'SELECTED';?>>Schedule <?php echo $counter ?><?php if ($tempoptions != "") echo " (" . $tempoptions['schedulename'] . ")"; ?></option> - <?php endfor; ?> - </SELECT> - <INPUT type="button" name="go" value="Go!" onClick="window.location= '?page=weekly-schedule.php&settings=<?php echo $adminpage; ?>&schedule=' + document.scheduleselection.schedulelist.options[document.scheduleselection.schedulelist.selectedIndex].value"> - Copy from: - <SELECT name="copysource" style='width: 300px'> - <?php if ($genoptions['numberschedules'] == '') $numberofschedules = 2; else $numberofschedules = $genoptions['numberschedules']; - for ($counter = 1; $counter <= $numberofschedules; $counter++): ?> - <?php $tempoptionname = "WS_PP" . $counter; - $tempoptions = get_option($tempoptionname); - if ($counter != $schedule):?> - <option value="<?php echo $counter ?>" <?php if ($schedule == $counter) echo 'SELECTED';?>>Schedule <?php echo $counter ?><?php if ($tempoptions != "") echo " (" . $tempoptions['schedulename'] . ")"; ?></option> - <?php endif; - endfor; ?> - </SELECT> - <INPUT type="button" name="copy" value="Copy!" onClick="window.location= '?page=weekly-schedule.php&copy=<?php echo $schedule; ?>&source=' + document.scheduleselection.copysource.options[document.scheduleselection.copysource.selectedIndex].value"> - <br /> - <br /> - <table class='widefat' style='clear:none;width:100%;background: #DFDFDF url(/wp-admin/images/gray-grad.png) repeat-x scroll left top;'> - <thead> - <tr> - <th style='width:80px' class="tooltip"> - Schedule # - </th> - <th style='width:130px' class="tooltip"> - Schedule Name - </th> - <th class="tooltip"> - Code to insert on a Wordpress page to see Weekly Schedule - </th> - </tr> - </thead> - <tr> - <td style='background: #FFF'><?php echo $schedule; ?></td><td style='background: #FFF'><?php echo $options['schedulename']; ?></a></td><td style='background: #FFF'><?php echo "[weekly-schedule schedule=" . $schedule . "]"; ?></td><td style='background: #FFF;text-align:center'></td> - </tr> - </table> - <br /> - </FORM> - </fieldset> - </div> - <br /> - - - <fieldset style='border:1px solid #CCC;padding:10px'> - <legend style='padding: 0 5px 0 5px;'><strong>Settings for Schedule <?php echo $schedule; ?> - <?php echo $options['schedulename']; ?></strong></legend> - <?php if (($adminpage == "") || ($adminpage == "general")): ?> - <a href="?page=weekly-schedule.php&settings=general&schedule=<?php echo $schedule; ?>"><strong>General Settings</strong></a> | <a href="?page=weekly-schedule.php&settings=categories&schedule=<?php echo $schedule; ?>">Manage Schedule Categories</a> | <a href="?page=weekly-schedule.php&settings=items&schedule=<?php echo $schedule; ?>">Manage Schedule Items</a> | <a href="?page=weekly-schedule.php&settings=days&schedule=<?php echo $schedule; ?>">Manage Days Labels</a><br /><br /> - <form name="wsadminform" action="<?php echo WP_ADMIN_URL ?>/options-general.php?page=weekly-schedule.php" method="post" id="ws-config"> - <?php - if ( function_exists('wp_nonce_field') ) - wp_nonce_field('wspp-config'); - ?> - Schedule Name: <input type="text" id="schedulename" name="schedulename" size="80" value="<?php echo $options['schedulename']; ?>"/><br /><br /> - <strong>Time-related Settings</strong><br /> - <input type="hidden" name="schedule" value="<?php echo $schedule; ?>" /> - <table> - <tr> - <td>Schedule Layout</td> - <td><select style="width: 200px" name='layout'> - <?php $layouts = array("horizontal" => "Horizontal", "vertical" => "Vertical"); - foreach($layouts as $key => $layout) - { - if ($key == $options['layout']) - $samedesc = "selected='selected'"; - else - $samedesc = ""; - - echo "<option value='" . $key . "' " . $samedesc . ">" . $layout . "\n"; - } - ?> - </select></td> - <td>Time Display Format</td> - <td><select style="width: 200px" name='timeformat'> - <?php $descriptions = array("24hours" => "24 Hours (e.g. 17h30)", "12hours" => "12 Hours (e.g. 1:30pm)"); - foreach($descriptions as $key => $description) - { - if ($key == $options['timeformat']) - $samedesc = "selected='selected'"; - else - $samedesc = ""; - - echo "<option value='" . $key . "' " . $samedesc . ">" . $description . "\n"; - } - ?> - </select></td> - </tr> - <tr> - <td>Start Time</td> - <td><select style='width: 200px' name="starttime"> - <?php $timedivider = (in_array($options['timedivision'], array('1.0', '2.0', '3.0')) ? '1.0': $options['timedivision']); - $maxtime = 24 + $timedivider; for ($i = 0; $i < $maxtime; $i+= $timedivider) - { - if ($options['timeformat'] == '24hours') - $hour = floor($i); - elseif ($options['timeformat'] == '12hours') - { - if ($i < 12) - { - $timeperiod = "am"; - if ($i == 0) - $hour = 12; - else - $hour = floor($i); - } - else - { - $timeperiod = "pm"; - if ($i >= 12 && $i < 13) - $hour = floor($i); - else - $hour = floor($i) - 12; - } - } - - if (fmod($i, 1) == 0.25) - $minutes = "15"; - elseif (fmod($i, 1) == 0.50) - $minutes = "30"; - elseif (fmod($i, 1) == 0.75) - $minutes = "45"; - else - $minutes = "00"; - - - if ($i == $options['starttime']) - $selectedstring = "selected='selected'"; - else - $selectedstring = ""; - - if ($options['timeformat'] == '24 hours') - echo "<option value='" . $i . "'" . $selectedstring . ">" . $hour . "h" . $minutes . "\n"; - else - echo "<option value='" . $i . "'" . $selectedstring . ">" . $hour . ":" . $minutes . $timeperiod . "\n"; - } - ?> - </select></td> - <td>End Time</td> - <td><select style='width: 200px' name="endtime"> - <?php for ($i = 0; $i < $maxtime; $i+= $timedivider) - { - if ($options['timeformat'] == '24hours') - $hour = floor($i); - elseif ($options['timeformat'] == '12hours') - { - if ($i < 12) - { - $timeperiod = "am"; - if ($i == 0) - $hour = 12; - else - $hour = floor($i); - } - else - { - $timeperiod = "pm"; - if ($i >= 12 && $i < 13) - $hour = floor($i); - else - $hour = floor($i) - 12; - } - } - - if (fmod($i, 1) == 0.25) - $minutes = "15"; - elseif (fmod($i, 1) == 0.50) - $minutes = "30"; - elseif (fmod($i, 1) == 0.75) - $minutes = "45"; - else - $minutes = "00"; - - - - if ($i == $options['endtime']) - $selectedstring = "selected='selected'"; - else - $selectedstring = ""; - - if ($options['timeformat'] == '24 hours') - echo "<option value='" . $i . "'" . $selectedstring . ">" . $hour . "h" . $minutes . "\n"; - else - echo "<option value='" . $i . "'" . $selectedstring . ">" . $hour . ":" . $minutes . $timeperiod . "\n"; - } - ?> - </select></td> - </tr> - <tr> - <td>Cell Time Division</td> - <td><select style='width: 250px' name='timedivision'> - <?php $timedivisions = array("0.25" => "Quarter-Hourly (15 min intervals)", - ".50" => "Half-Hourly (30 min intervals)", - "1.0" => "Hourly (60 min intervals)", - "2.0" => "Bi-Hourly (120 min intervals)", - "3.0" => "Tri-Hourly (180 min intervals)"); - foreach($timedivisions as $key => $timedivision) - { - if ($key == $options['timedivision']) - $sametime = "selected='selected'"; - else - $sametime = ""; - - echo "<option value='" . $key . "' " . $sametime . ">" . $timedivision . "\n"; - } - ?> - </select></td> - <td>Show Description</td> - <td><select style="width: 200px" name='displaydescription'> - <?php $descriptions = array("tooltip" => "Show as tooltip", "cell" => "Show in cell after item name", "none" => "Do not display"); - foreach($descriptions as $key => $description) - { - if ($key == $options['displaydescription']) - $samedesc = "selected='selected'"; - else - $samedesc = ""; - - echo "<option value='" . $key . "' " . $samedesc . ">" . $description . "\n"; - } - ?> - </select></td></tr> - <tr> - <td colspan='2'>Day List (comma-separated Day IDs to specify days to be displayed and their order) - </td> - <td colspan='2'><input type='text' name='daylist' style='width: 200px' value='<?php echo $options['daylist']; ?>' /> - </td> - </tr> - <tr> - <td>Target Window Name - </td> - <td><input type='text' name='linktarget' style='width: 250px' value='<?php echo $options['linktarget']; ?>' /> - </td> - </tr> - </table> - <br /><br /> - <strong>Tooltip Configuration</strong> - <table> - <tr> - <td>Tooltip Color Scheme</td> - <td><select name='tooltipcolorscheme' style='width: 100px'> - <?php $colors = array('ui-tooltip' => 'cream', 'ui-tooltip-dark' => 'dark', 'ui-tooltip-green' => 'green', 'ui-tooltip-light' => 'light', 'ui-tooltip-red' => 'red', 'ui-tooltip-blue' => 'blue'); - foreach ($colors as $key => $color) - { - if ($key == $options['tooltipcolorscheme']) - $samecolor = "selected='selected'"; - else - $samecolor = ""; - - echo "<option value='" . $key . "' " . $samecolor . ">" . $color . "\n"; - } - ?> - </select></td> - <td>Tooltip Width</td><td><input type='text' name='tooltipwidth' style='width: 100px' value='<?php echo $options['tooltipwidth']; ?>' /></td> - </tr> - <tr> - <td>Tooltip Anchor Point on Data Cell</td> - <td><select name='tooltiptarget' style='width: 200px'> - <?php $positions = array('top left' => 'Top-Left Corner', 'top center' => 'Middle of Top Side', - 'top right' => 'Top-Right Corner', 'right top' => 'Right Side of Top-Right Corner', - 'right center' => 'Middle of Right Side', 'right bottom' => 'Right Side of Bottom-Right Corner', - 'bottom left' => 'Under Bottom-Left Side', 'bottom center' => 'Under Middle of Bottom Side', - 'bottom right' => 'Under Bottom-Right Side', 'left top' => 'Left Side of Top-Left Corner', - 'left center' => 'Middle of Left Side', 'left bottom' => 'Left Side of Bottom-Left Corner'); - - foreach($positions as $index => $position) - { - if ($index == $options['tooltiptarget']) - $sameposition = "selected='selected'"; - else - $sameposition = ""; - - echo "<option value='" . $index . "' " . $sameposition . ">" . $position . "\n"; - } - - ?> - </select></td> - <td>Tooltip Attachment Point</td> - <td><select name='tooltippoint' style='width: 200px'> - <?php $positions = array('top left' => 'Top-Left Corner', 'top center' => 'Middle of Top Side', - 'top right' => 'Top-Right Corner', 'right top' => 'Right Side of Top-Right Corner', - 'right center' => 'Middle of Right Side', 'right bottom' => 'Right Side of Bottom-Right Corner', - 'bottom left' => 'Under Bottom-Left Side', 'bottom center' => 'Under Middle of Bottom Side', - 'bottom right' => 'Under Bottom-Right Side', 'left top' => 'Left Side of Top-Left Corner', - 'left center' => 'Middle of Left Side', 'left bottom' => 'Left Side of Bottom-Left Corner'); - - foreach($positions as $index => $position) - { - if ($index == $options['tooltippoint']) - $sameposition = "selected='selected'"; - else - $sameposition = ""; - - echo "<option value='" . $index . "' " . $sameposition . ">" . $position . "\n"; - } - - ?> - </select></td> - </tr> - <tr> - <td>Auto-Adjust Position to be visible</td> - <td><input type="checkbox" id="adjusttooltipposition" name="adjusttooltipposition" <?php if ($options['adjusttooltipposition'] == true) echo ' checked="checked" '; ?>/></td> - <td></td><td></td> - </tr> - </table> - <p style="border:0;" class="submit"><input type="submit" name="submit" value="Update Settings »" /></p> - </form> - </fieldset> - <?php /* --------------------------------------- Categories --------------------------------- */ ?> - <?php elseif ($adminpage == "categories"): ?> - <a href="?page=weekly-schedule.php&settings=general&schedule=<?php echo $schedule; ?>">General Settings</a> | <a href="?page=weekly-schedule.php&settings=categories&schedule=<?php echo $schedule; ?>"><strong>Manage Schedule Categories</strong></a> | <a href="?page=weekly-schedule.php&settings=items&schedule=<?php echo $schedule; ?>">Manage Schedule Items</a> | <a href="?page=weekly-schedule.php&settings=days&schedule=<?php echo $schedule; ?>">Manage Days Labels</a><br /><br /> - <div style='float:left;margin-right: 15px'> - <form name="wscatform" action="" method="post" id="ws-config"> - <?php - if ( function_exists('wp_nonce_field') ) - wp_nonce_field('wspp-config'); - ?> - <?php if ($mode == "edit"): ?> - <strong>Editing Category #<?php echo $selectedcat->id; ?></strong><br /> - <?php endif; ?> - Category Name: <input style="width:300px" type="text" name="name" <?php if ($mode == "edit") echo "value='" . $selectedcat->name . "'";?>/> - <input type="hidden" name="id" value="<?php if ($mode == "edit") echo $selectedcat->id; ?>" /> - <input type="hidden" name="schedule" value="<?php echo $schedule; ?>" /> - <?php if ($mode == "edit"): ?> - <p style="border:0;" class="submit"><input type="submit" name="updatecat" value="Update »" /></p> - <?php else: ?> - <p style="border:0;" class="submit"><input type="submit" name="newcat" value="Insert New Category »" /></p> - <?php endif; ?> - </form> - </div> - <div> - <?php $cats = $wpdb->get_results("SELECT count( i.id ) AS nbitems, c.name, c.id, c.scheduleid FROM " . $wpdb->prefix . "wscategories c LEFT JOIN " . $wpdb->prefix . "wsitems i ON i.category = c.id WHERE c.scheduleid = " . $schedule . " GROUP BY c.name"); - - if ($cats): ?> - <table class='widefat' style='clear:none;width:400px;background: #DFDFDF url(/wp-admin/images/gray-grad.png) repeat-x scroll left top;'> - <thead> - <tr> - <th scope='col' style='width: 50px' id='id' class='manage-column column-id' >ID</th> - <th scope='col' id='name' class='manage-column column-name' style=''>Name</th> - <th scope='col' style='width: 50px;text-align: right' id='items' class='manage-column column-items' style=''>Items</th> - <th style='width: 30px'></th> - </tr> - </thead> - - <tbody id='the-list' class='list:link-cat'> - - <?php foreach($cats as $cat): ?> - <tr> - <td class='name column-name' style='background: #FFF'><?php echo $cat->id; ?></td> - <td style='background: #FFF'><a href='?page=weekly-schedule.php&editcat=<?php echo $cat->id; ?>&schedule=<?php echo $schedule; ?>'><strong><?php echo $cat->name; ?></strong></a></td> - <td style='background: #FFF;text-align:right'><?php echo $cat->nbitems; ?></td> - <?php if ($cat->nbitems == 0): ?> - <td style='background:#FFF'><a href='?page=weekly-schedule.php&deletecat=<?php echo $cat->id; ?>&schedule=<?php echo $schedule; ?>' - <?php echo "onclick=\"if ( confirm('" . esc_js(sprintf( __("You are about to delete this category '%s'\n 'Cancel' to stop, 'OK' to delete."), $cat->name )) . "') ) { return true;}return false;\"" ?>><img src='<?php echo $wspluginpath; ?>/icons/delete.png' /></a></td> - <?php else: ?> - <td style='background: #FFF'></td> - <?php endif; ?> - </tr> - <?php endforeach; ?> - - </tbody> - </table> - - <?php endif; ?> - - <p>Categories can only be deleted when they don't have any associated items.</p> - </div> - <?php /* --------------------------------------- Items --------------------------------- */ ?> - <?php elseif ($adminpage == "items"): ?> - <a href="?page=weekly-schedule.php&settings=general&schedule=<?php echo $schedule; ?>">General Settings</a> | <a href="?page=weekly-schedule.php&settings=categories&schedule=<?php echo $schedule; ?>">Manage Schedule Categories</a> | <a href="?page=weekly-schedule.php&settings=items&schedule=<?php echo $schedule; ?>"><strong>Manage Schedule Items</strong></a> | <a href="?page=weekly-schedule.php&settings=days&schedule=<?php echo $schedule; ?>">Manage Days Labels</a><br /><br /> - <div style='float:left;margin-right: 15px;width: 500px;'> - <form name="wsitemsform" action="" method="post" id="ws-config"> - <?php - if ( function_exists('wp_nonce_field') ) - wp_nonce_field('wspp-config'); - ?> - - <input type="hidden" name="id" value="<?php if ($mode == "edit") echo $selecteditem->id; ?>" /> - <input type="hidden" name="oldrow" value="<?php if ($mode == "edit") echo $selecteditem->row; ?>" /> - <input type="hidden" name="oldday" value="<?php if ($mode == "edit") echo $selecteditem->day; ?>" /> - <input type="hidden" name="schedule" value="<?php echo $schedule; ?>" /> - <?php if ($mode == "edit"): ?> - <strong>Editing Item #<?php echo $selecteditem->id; ?></strong> - <?php endif; ?> - - <table> - <?php - if ( function_exists('wp_nonce_field') ) - wp_nonce_field('wspp-config'); - ?> - <tr> - <td style='width: 180px'>Item Title</td> - <td><input style="width:360px" type="text" name="name" <?php if ($mode == "edit") echo 'value="' . stripslashes($selecteditem->name) . '"';?>/></td> - </tr> - <tr> - <td>Category</td> - <td><select style='width: 360px' name="category"> - <?php $cats = $wpdb->get_results("SELECT * from " . $wpdb->prefix. "wscategories where scheduleid = " . $schedule . " ORDER by name"); - - foreach ($cats as $cat) - { - if ($cat->id == $selecteditem->category) - $selectedstring = "selected='selected'"; - else - $selectedstring = ""; - - echo "<option value='" . $cat->id . "' " . $selectedstring . ">" . $cat->name . "\n"; - } - ?></select></td> - </tr> - <tr> - <td>Description</td> - <td><textarea id="description" rows="5" cols="45" name="description"><?php if ($mode == "edit") echo stripslashes($selecteditem->description);?></textarea></td> - </tr> - <tr> - <td>Web Address</td> - <td><input style="width:360px" type="text" name="address" <?php if ($mode == "edit") echo "value='" . $selecteditem->address . "'";?>/></td> - </tr> - <tr> - <td>Day</td><td><select style='width: 360px' name="day"> - <?php $days = $wpdb->get_results("SELECT * from " . $wpdb->prefix. "wsdays where scheduleid = " . $schedule . " ORDER by id"); - - foreach ($days as $day) - { - - if ($day->id == $selecteditem->day) - $selectedstring = "selected='selected'"; - else - $selectedstring = ""; - - echo "<option value='" . $day->id . "' " . $selectedstring . ">" . $day->name . "\n"; - } - ?></select></td> - </tr> - <tr> - <td>Start Time</td> - <td><select style='width: 360px' name="starttime"> - <?php for ($i = $options['starttime']; $i < $options['endtime']; $i += $options['timedivision']) - { - if ($options['timeformat'] == '24hours') - $hour = floor($i); - elseif ($options['timeformat'] == '12hours') - { - if ($i < 12) - { - $timeperiod = "am"; - if ($i == 0) - $hour = 12; - else - $hour = floor($i); - } - else - { - $timeperiod = "pm"; - if ($i >= 12 && $i < 13) - $hour = floor($i); - else - $hour = floor($i) - 12; - } - } - - - if (fmod($i, 1) == 0.25) - $minutes = "15"; - elseif (fmod($i, 1) == 0.50) - $minutes = "30"; - elseif (fmod($i, 1) == 0.75) - $minutes = "45"; - else - $minutes = "00"; - - if ($i == $selecteditem->starttime) - $selectedstring = "selected='selected'"; - else - $selectedstring = ""; - - if ($options['timeformat'] == '24 hours') - echo "<option value='" . $i . "'" . $selectedstring . ">" . $hour . "h" . $minutes . "\n"; - else - echo "<option value='" . $i . "'" . $selectedstring . ">" . $hour . ":" . $minutes . $timeperiod . "\n"; - } - ?></select></td> - </tr> - <tr> - <td>Duration</td> - <td><select style='width: 360px' name="duration"> - <?php for ($i = $options['timedivision']; $i <= ($options['endtime'] - $options['starttime']); $i += $options['timedivision']) - { - if (fmod($i, 1) == 0.25) - $minutes = "15"; - elseif (fmod($i, 1) == 0.50) - $minutes = "30"; - elseif (fmod($i, 1) == 0.75) - $minutes = "45"; - else - $minutes = "00"; - - if ($i == $selecteditem->duration) - $selectedstring = "selected='selected'"; - else - $selectedstring = ""; - - echo "<option value='" . $i . "' " . $selectedstring . ">" . floor($i) . "h" . $minutes . "\n"; - } - ?></select></td> - </tr> - </table> - <?php if ($mode == "edit"): ?> - <p style="border:0;" class="submit"><input type="submit" name="updateitem" value="Update »" /></p> - <?php else: ?> - <p style="border:0;" class="submit"><input type="submit" name="newitem" value="Insert New Item »" /></p> - <?php endif; ?> - </form> - </div> - <div> - <?php $items = $wpdb->get_results("SELECT d.name as dayname, i.id, i.name, i.day, i.starttime FROM " . $wpdb->prefix . "wsitems as i, " . $wpdb->prefix . "wsdays as d WHERE i.day = d.id - and i.scheduleid = " . $schedule . " and d.scheduleid = " . $_GET['schedule'] . " ORDER by day, starttime, name"); - - if ($items): ?> - <table class='widefat' style='clear:none;width:500px;background: #DFDFDF url(/wp-admin/images/gray-grad.png) repeat-x scroll left top;'> - <thead> - <tr> - <th scope='col' style='width: 50px' id='id' class='manage-column column-id' >ID</th> - <th scope='col' id='name' class='manage-column column-name' style=''>Name</th> - <th scope='col' id='day' class='manage-column column-day' style='text-align: right'>Day</th> - <th scope='col' style='width: 50px;text-align: right' id='starttime' class='manage-column column-items' style=''>Start Time</th> - <th style='width: 30px'></th> - </tr> - </thead> - - <tbody id='the-list' class='list:link-cat'> - - <?php foreach($items as $item): ?> - <tr> - <td class='name column-name' style='background: #FFF'><?php echo $item->id; ?></td> - <td style='background: #FFF'><a href='?page=weekly-schedule.php&edititem=<?php echo $item->id; ?>&schedule=<?php echo $schedule; ?>'><strong><?php echo stripslashes($item->name); ?></strong></a></td> - <td style='background: #FFF;text-align:right'><?php echo $item->dayname; ?></td> - <td style='background: #FFF;text-align:right'> - <?php - - if ($options['timeformat'] == '24hours') - $hour = floor($item->starttime); - elseif ($options['timeformat'] == '12hours') - { - if ($item->starttime < 12) - { - $timeperiod = "am"; - if ($item->starttime == 0) - $hour = 12; - else - $hour = floor($item->starttime); - } - else - { - $timeperiod = "pm"; - if ($item->starttime == 12) - $hour = $item->starttime; - else - $hour = floor($item->starttime) - 12; - } - } - - if (fmod($item->starttime, 1) == 0.25) - $minutes = "15"; - elseif (fmod($item->starttime, 1) == 0.50) - $minutes = "30"; - elseif (fmod($item->starttime, 1) == 0.75) - $minutes = "45"; - else - $minutes = "00"; - - if ($options['timeformat'] == '24 hours') - echo $hour . "h" . $minutes . "\n"; - else - echo $hour . ":" . $minutes . $timeperiod . "\n"; - ?></td> - <td style='background:#FFF'><a href='?page=weekly-schedule.php&deleteitem=<?php echo $item->id; ?>&schedule=<?php echo $schedule; ?>' - <?php echo "onclick=\"if ( confirm('" . esc_js(sprintf( __("You are about to delete the item '%s'\n 'Cancel' to stop, 'OK' to delete."), $item->name )) . "') ) { return true;}return false;\""; ?>><img src='<?php echo $wspluginpath; ?>/icons/delete.png' /></a></td> - </tr> - <?php endforeach; ?> - - </tbody> - </table> - <?php endif; ?> - </div> - <?php elseif ($adminpage == "days"): ?> - <div> - <a href="?page=weekly-schedule.php&settings=general&schedule=<?php echo $schedule; ?>">General Settings</a> | <a href="?page=weekly-schedule.php&settings=categories&schedule=<?php echo $schedule; ?>">Manage Schedule Categories</a> | <a href="?page=weekly-schedule.php&settings=items&schedule=<?php echo $schedule; ?>">Manage Schedule Items</a> | <a href="?page=weekly-schedule.php&settings=days&schedule=<?php echo $schedule; ?>"><strong>Manage Days Labels</strong></a><br /><br /> - <div> - <form name="wsdaysform" action="" method="post" id="ws-config"> - <?php - if ( function_exists('wp_nonce_field') ) - wp_nonce_field('wspp-config'); - - $days = $wpdb->get_results("SELECT * from " . $wpdb->prefix . "wsdays WHERE scheduleid = " . $schedule . " ORDER by id"); - - if ($days): - ?> - <input type="hidden" name="schedule" value="<?php echo $schedule; ?>" /> - <table> - <tr> - <th style='text-align:left'><strong>ID</strong></th><th style='text-align:left'><strong>Name</strong></th> - </tr> - <?php foreach($days as $day): ?> - <tr> - <td style='width:30px;'><?php echo $day->id; ?></td><td><input style="width:300px" type="text" name="<?php echo $day->id; ?>" value='<?php echo $day->name; ?>'/></td> - </tr> - <?php endforeach; ?> - </table> - - <p style="border:0;" class="submit"><input type="submit" name="updatedays" value="Update »" /></p> - - <?php endif; ?> - - </form> - </div> - </div> - <?php endif; ?> - </div> - <?php - } // end config_page() - - } // end class WS_Admin -} //endif - -function get_wsdays(){ } - -function ws_library_func($atts) { - extract(shortcode_atts(array( - 'schedule' => '' - ), $atts)); - - if ($schedule == '') - { - $options = get_option('WS_PP1'); - $schedule = 1; - } - else - { - $schedulename = 'WS_PP' . $schedule; - $options = get_option($schedulename); - } - - if ($options == false) - { - return "Requested schedule (Schedule " . $schedule . ") is not available from Weekly Schedule<br />"; - } - - return ws_library($schedule, $options['starttime'], $options['endtime'], $options['timedivision'], $options['layout'], $options['tooltipwidth'], $options['tooltiptarget'], - $options['tooltippoint'], $options['tooltipcolorscheme'], $options['displaydescription'], $options['daylist'], $options['timeformat'], - $options['adjusttooltipposition'], $options['linktarget']); -} - -function ws_library_flat_func($atts) { - extract(shortcode_atts(array( - 'schedule' => '' - ), $atts)); - - if ($schedule == '') - { - $options = get_option('WS_PP1'); - $schedule = 1; - } - else - { - $schedulename = 'WS_PP' . $schedule; - $options = get_option($schedulename); - } - - if ($options == false) - { - return "Requested schedule (Schedule " . $schedule . ") is not available from Weekly Schedule<br />"; - } - - return ws_library_flat($schedule, $options['starttime'], $options['endtime'], $options['timedivision'], $options['layout'], $options['tooltipwidth'], $options['tooltiptarget'], - $options['tooltippoint'], $options['tooltipcolorscheme'], $options['displaydescription'], $options['daylist'], $options['timeformat'], - $options['adjusttooltipposition']); -} - - -function ws_library($scheduleid = 1, $starttime = 19, $endtime = 22, $timedivision = 0.5, $layout = 'horizontal', $tooltipwidth = 300, $tooltiptarget = 'right center', - $tooltippoint = 'leftMiddle', $tooltipcolorscheme = 'ui-tooltip', $displaydescription = 'tooltip', $daylist = '', $timeformat = '24hours', - $adjusttooltipposition = true, $linktarget = 'newwindow') { - global $wpdb; - - $numberofcols = ($endtime - $starttime) / $timedivision; - - $output = "<!-- Weekly Schedule Output -->\n"; - - $output .= "<div class='ws-schedule' id='ws-schedule" . $scheduleid . "'>\n"; - - if ($layout == 'horizontal' || $layout == '') - { - $output .= "<table>\n"; - } - elseif ($layout == 'vertical') - { - $output .= "<div class='verticalcolumn'>\n"; - $output .= "<table class='verticalheader'>\n"; - } - - $output .= "<tr class='topheader'>"; - - $output .= "<th class='rowheader'></th>"; - - if ($layout == 'vertical') - { - $output .= "</tr>\n"; - } - - for ($i = $starttime; $i < $endtime; $i += $timedivision) { - - if (fmod($i, 1) == 0.25) - $minutes = "15"; - elseif (fmod($i, 1) == 0.50) - $minutes = "30"; - elseif (fmod($i, 1) == 0.75) - $minutes = "45"; - else - $minutes = ""; - - - if ($timeformat == "24hours" || $timeformat == "") - { - if ($layout == 'vertical') - $output .= "<tr class='datarow'>"; - - $output .= "<th>" . floor($i) . "h" . $minutes . "</th>"; - - if ($layout == 'vertical') - $output .= "</tr>\n"; - - } - else if ($timeformat == "12hours") - { - if ($i < 12) - { - $timeperiod = "am"; - if ($i == 0) - $hour = 12; - else - $hour = floor($i); - } - else - { - $timeperiod = "pm"; - if ($i >= 12 && $i < 13) - $hour = floor($i); - else - $hour = floor($i) - 12; - } - - if ($layout == 'vertical') - $output .= "<tr class='datarow'>"; - - $output .= "<th>" . $hour; - if ($minutes != "") - $output .= ":" . $minutes; - $output .= $timeperiod . "</th>"; - - if ($layout == 'vertical') - $output .= "</tr>\n"; - } - } - - if ($layout == 'horizontal' || $layout == '') - $output .= "</tr>\n"; - elseif ($layout == 'vertical') - { - $output .= "</table>\n"; - $output .= "</div>\n"; - } - - - $sqldays = "SELECT * from " . $wpdb->prefix . "wsdays where scheduleid = " . $scheduleid; - - if ($daylist != "") - $sqldays .= " AND id in (" . $daylist . ") ORDER BY FIELD(id, " . $daylist. ")"; - - $daysoftheweek = $wpdb->get_results($sqldays); - - foreach ($daysoftheweek as $day) - { - for ($daysrow = 1; $daysrow <= $day->rows; $daysrow++) - { - $columns = $numberofcols; - $time = $starttime; - - if ($layout == 'vertical') - { - $output .= "<div class='verticalcolumn" . $day->rows. "'>\n"; - $output .= "<table class='vertical" . $day->rows . "'>\n"; - $output .= "<tr class='vertrow" . $day->rows. "'>"; - } - elseif ($layout == 'horizontal' || $layout == '') - { - $output .= "<tr class='row" . $day->rows . "'>\n"; - } - - if ($daysrow == 1 && ($layout == 'horizontal' || $layout == '')) - $output .= "<th rowspan='" . $day->rows . "' class='rowheader'>" . $day->name . "</th>\n"; - if ($daysrow == 1 && $layout == 'vertical' && $day->rows == 1) - $output .= "<th class='rowheader'>" . $day->name . "</th>\n"; - if ($daysrow == 1 && $layout == 'vertical' && $day->rows > 1) - $output .= "<th class='rowheader'>« " . $day->name . "</th>\n"; - elseif ($daysrow != 1 && $layout == 'vertical') - { - if ($daysrow == $day->rows) - $output .= "<th class='rowheader'>" . $day->name . " »</th>\n"; - else - $output .= "<th class='rowheader'>« " . $day->name . " »</th>\n"; - } - - if ($layout == 'vertical') - $output .= "</tr>\n"; - - $sqlitems = "SELECT *, i.name as itemname, c.name as categoryname, c.id as catid from " . $wpdb->prefix . - "wsitems i, " . $wpdb->prefix . "wscategories c WHERE day = " . $day->id . - " AND i.scheduleid = " . $scheduleid . " AND row = " . $daysrow . " AND i.category = c.id AND i.starttime >= " . $starttime . " AND i.starttime < " . - $endtime . " ORDER by starttime"; - - $items = $wpdb->get_results($sqlitems); - - if ($items) - { - foreach($items as $item) - { - for ($i = $time; $i < $item->starttime; $i += $timedivision) - { - if ($layout == 'vertical') - $output .= "<tr class='datarow'>\n"; - - $output .= "<td></td>\n"; - - if ($layout == 'vertical') - $output .= "</tr>\n"; - - $columns -= 1; - - } - - $colspan = $item->duration / $timedivision; - - if ($colspan > $columns) - { - $colspan = $columns; - $columns -= $columns; - - if ($layout == 'horizontal') - $continue .= "id='continueright' "; - elseif ($layout == 'vertical') - $continue .= "id='continuedown' "; - } - else - { - $columns -= $colspan; - $continue = ""; - } - - if ($layout == 'vertical') - $output .= "<tr class='datarow" . $colspan . "'>"; - - $output .= "<td "; - - if ($displaydescription == "tooltip" && $item->description != "") - $output .= "tooltip='" . htmlspecialchars(stripslashes($item->description), ENT_QUOTES) . "' "; - - $output .= $continue; - - if ($layout == 'horizontal' || $layout == '') - $output .= "colspan='" . $colspan . "' "; - - $output .= "class='cat" . $item->catid . "'>"; - - if ($item->address != "") - $output .= "<a target='" . $linktarget . "'href='" . $item->address. "'>"; - - $output .= stripslashes($item->itemname); - - if ($item->address != "") - "</a>"; - - if ($displaydescription == "cell") - $output .= "<br />" . stripslashes($item->description); - - $output .= "</td>"; - $time = $item->starttime + $item->duration; - - if ($layout == 'vertical') - $output .= "</tr>\n"; - - } - - for ($x = $columns; $x > 0; $x--) - { - - if ($layout == 'vertical') - $output .= "<tr class='datarow'>"; - - $output .= "<td></td>"; - $columns -= 1; - - if ($layout == 'vertical') - $output .= "</tr>"; - } - } - else - { - for ($i = $starttime; $i < $endtime; $i += $timedivision) - { - if ($layout == 'vertical') - $output .= "<tr class='datarow'>"; - - $output .= "<td></td>"; - - if ($layout == 'vertical') - $output .= "</tr>"; - } - } - - if ($layout == 'horizontal' || $layout == '') - $output .= "</tr>"; - - if ($layout == 'vertical') - { - $output .= "</table>\n"; - $output .= "</div>\n"; - } - } - } - - if ($layout == 'horizontal' || $layout == '') - $output .= "</table>"; - - $output .= "</div>\n"; - - if ($displaydescription == "tooltip") - { - $output .= "<script type=\"text/javascript\">\n"; - $output .= "// Create the tooltips only on document load\n"; - - $output .= "jQuery(document).ready(function()\n"; - $output .= "\t{\n"; - $output .= "\t// Notice the use of the each() method to acquire access to each elements attributes\n"; - $output .= "\tjQuery('.ws-schedule td[tooltip]').each(function()\n"; - $output .= "\t\t{\n"; - $output .= "\t\tjQuery(this).qtip({\n"; - $output .= "\t\t\tcontent: jQuery(this).attr('tooltip'), // Use the tooltip attribute of the element for the content\n"; - $output .= "\t\t\tstyle: {\n"; - $output .= "\t\t\t\twidth: " . $tooltipwidth . ",\n"; - $output .= "\t\t\t\tclasses: '" . $tooltipcolorscheme . "' // Give it a crea mstyle to make it stand out\n"; - $output .= "\t\t\t},\n"; - $output .= "\t\t\tposition: {\n"; - if ($adjusttooltipposition) - $output .= "\t\t\t\tadjust: {method: 'flip flip'},\n"; - $output .= "\t\t\t\tviewport: jQuery(window),\n"; - $output .= "\t\t\t\tat: '" . $tooltiptarget . "',\n"; - $output .= "\t\t\t\tmy: '" . $tooltippoint . "'\n"; - $output .= "\t\t\t}\n"; - $output .= "\t\t});\n"; - $output .= "\t});\n"; - $output .= "});\n"; - $output .= "</script>\n"; - - } - - $output .= "<!-- End of Weekly Schedule Output -->\n"; - - return $output; -} - -function ws_library_flat($scheduleid = 1, $starttime = 19, $endtime = 22, $timedivision = 0.5, $layout = 'horizontal', $tooltipwidth = 300, $tooltiptarget = 'right center', - $tooltippoint = 'leftMiddle', $tooltipcolorscheme = 'ui-tooltip', $displaydescription = 'tooltip', $daylist = '', $timeformat = '24hours', - $adjusttooltipposition = true) { - global $wpdb; - - $linktarget = "newwindow"; - - $output = "<!-- Weekly Schedule Flat Output -->\n"; - - $output .= "<div class='ws-schedule' id='ws-schedule<?php echo $scheduleid; ?>'>\n"; - - $sqldays = "SELECT * from " . $wpdb->prefix . "wsdays where scheduleid = " . $scheduleid; - - if ($daylist != "") - $sqldays .= " AND id in (" . $daylist . ") ORDER BY FIELD(id, " . $daylist. ")"; - - $daysoftheweek = $wpdb->get_results($sqldays); - - $output .= "<table>\n"; - - foreach ($daysoftheweek as $day) - { - for ($daysrow = 1; $daysrow <= $day->rows; $daysrow++) - { - $output .= "<tr><td colspan='3'>" . $day->name . "</td></tr>\n"; - - $sqlitems = "SELECT *, i.name as itemname, c.name as categoryname, c.id as catid from " . $wpdb->prefix . - "wsitems i, " . $wpdb->prefix . "wscategories c WHERE day = " . $day->id . - " AND i.scheduleid = " . $scheduleid . " AND row = " . $daysrow . " AND i.category = c.id AND i.starttime >= " . $starttime . " AND i.starttime < " . - $endtime . " ORDER by starttime"; - - $items = $wpdb->get_results($sqlitems); - - if ($items) - { - foreach($items as $item) - { - - $output .= "<tr>\n"; - - if ($timeformat == '24hours') - $hour = floor($item->starttime); - elseif ($options['timeformat'] == '12hours') - { - if ($item->starttime < 12) - { - $timeperiod = "am"; - if ($item->starttime == 0) - $hour = 12; - else - $hour = floor($item->starttime); - } - else - { - $timeperiod = "pm"; - if ($item->starttime == 12) - $hour = $item->starttime; - else - $hour = floor($item->starttime) - 12; - } - } - - if (fmod($item->starttime, 1) == 0.25) - $minutes = "15"; - elseif (fmod($item->starttime, 1) == 0.50) - $minutes = "30"; - elseif (fmod($item->starttime, 1) == 0.75) - $minutes = "45"; - else - $minutes = "00"; - - if ($options['timeformat'] == '24 hours') - $output .= "<td>" . $hour . "h" . $minutes . " - "; - else - $output .= "<td>" . $hour . ":" . $minutes . $timeperiod . " - "; - - $endtime = $item->starttime + $item->duration; - - if ($timeformat == '24hours') - $hour = floor($endtime); - elseif ($options['timeformat'] == '12hours') - { - if ($endtime < 12) - { - $timeperiod = "am"; - if ($endtime == 0) - $hour = 12; - else - $hour = floor($endtime); - } - else - { - $timeperiod = "pm"; - if ($endtime == 12) - $hour = $endtime; - else - $hour = floor($endtime) - 12; - } - } - - if (fmod($endtime, 1) == 0.25) - $minutes = "15"; - elseif (fmod($endtime, 1) == 0.50) - $minutes = "30"; - elseif (fmod($endtime, 1) == 0.75) - $minutes = "45"; - else - $minutes = "00"; - - if ($options['timeformat'] == '24 hours') - $output .= $hour . "h" . $minutes . "</td>"; - else - $output .= $hour . ":" . $minutes . $timeperiod . "</td>"; - - $output .= "<td>\n"; - - if ($item->address != "") - $output .= "<a target='" . $linktarget . "'href='" . $item->address. "'>"; - - $output .= $item->itemname; - - if ($item->address != "") - "</a>"; - - $output .= "</td>"; - - $output .= "<td>" . htmlspecialchars(stripslashes($item->description), ENT_QUOTES) . "</td>"; - - $output .= "</tr>"; - } - } - } - } - - $output .= "</table>"; - - $output .= "</div id='ws-schedule'>\n"; - - $output .= "<!-- End of Weekly Schedule Flat Output -->\n"; - - return $output; -} - -$version = "1.0"; - -// adds the menu item to the admin interface -add_action('admin_menu', array('WS_Admin','add_config_page')); - -add_shortcode('weekly-schedule', 'ws_library_func'); - -add_shortcode('flat-weekly-schedule', 'ws_library_flat_func'); - -add_filter('the_posts', 'ws_conditionally_add_scripts_and_styles'); // the_posts gets triggered before wp_head - -function ws_conditionally_add_scripts_and_styles($posts){ - if (empty($posts)) return $posts; - - $load_jquery = false; - $load_qtip = false; - $load_style = false; - - $genoptions = get_option('WeeklyScheduleGeneral'); - - foreach ($posts as $post) { - $continuesearch = true; - $searchpos = 0; - $scheduleids = array(); - - while ($continuesearch) - { - $weeklyschedulepos = stripos($post->post_content, 'weekly-schedule ', $searchpos); - if ($weeklyschedulepos == false) - { - $weeklyschedulepos = stripos($post->post_content, 'weekly-schedule]', $searchpos); - } - $continuesearch = $weeklyschedulepos; - if ($continuesearch) - { - $load_style = true; - $shortcodeend = stripos($post->post_content, ']', $weeklyschedulepos); - if ($shortcodeend) - $searchpos = $shortcodeend; - else - $searchpos = $weeklyschedulepos + 1; - - if ($shortcodeend) - { - $settingconfigpos = stripos($post->post_content, 'settings=', $weeklyschedulepos); - if ($settingconfigpos && $settingconfigpos < $shortcodeend) - { - $schedule = substr($post->post_content, $settingconfigpos + 9, $shortcodeend - $settingconfigpos - 9); - - $scheduleids[] = $schedule; - } - else if (count($scheduleids) == 0) - { - $scheduleids[] = 1; - } - } - } - } - } - - if ($scheduleids) - { - foreach ($scheduleids as $scheduleid) - { - $schedulename = 'WS_PP' . $scheduleid; - $options = get_option($schedulename); - - if ($options['displaydescription'] == "tooltip") - { - $load_jquery = true; - $load_qtip = true; - } - } - } - - if ($genoptions['includescriptcss'] != '') - { - $pagelist = explode (',', $genoptions['includescriptcss']); - foreach($pagelist as $pageid) { - if (is_page($pageid)) - { - $load_jquery = true; - $load_style = true; - $load_qtip = true; - } - } - } - - if ($load_style) - { - if ($genoptions == "") - $genoptions['stylesheet'] = 'stylesheet.css'; - - wp_enqueue_style('weeklyschedulestyle', get_bloginfo('wpurl') . '/wp-content/plugins/weekly-schedule/' . $genoptions['stylesheet']); - } - - if ($load_jquery) - { - wp_enqueue_script('jquery'); - } - - if ($load_qtip) - { - wp_enqueue_style('qtipstyle', get_bloginfo('wpurl') . '/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-2.0.min.css'); - wp_enqueue_script('qtip', get_bloginfo('wpurl') . '/wp-content/plugins/weekly-schedule/jquery-qtip/jquery.qtip-2.0.min.js'); - } - - return $posts; -} - -?> \ No newline at end of file diff --git a/wp-content/plugins/wp-license-reloaded/images/cc_admin.png b/wp-content/plugins/wp-license-reloaded/images/cc_admin.png deleted file mode 100644 index 21bab188c30d16bb3b86be00247002a772c99449..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wp-license-reloaded/images/cc_admin.png and /dev/null differ diff --git a/wp-content/plugins/wp-license-reloaded/images/cclogo.gif b/wp-content/plugins/wp-license-reloaded/images/cclogo.gif deleted file mode 100644 index e1213bafd7f9bf913d427ac6bb790e20c8aabf3f..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wp-license-reloaded/images/cclogo.gif and /dev/null differ diff --git a/wp-content/plugins/wp-license-reloaded/readme.txt b/wp-content/plugins/wp-license-reloaded/readme.txt deleted file mode 100644 index b19b67d92eba2076a31dffc92d9b02824b9f5fec..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wp-license-reloaded/readme.txt +++ /dev/null @@ -1,44 +0,0 @@ -=== WP License reloaded === -Contributors: estebanglas -Tags: Creative Commons, Licensing, content -Requires at least: 2.7 -Tested up to: 2.8.1 -Stable tag: /0.1.1/ - -Per post Creative Commons Licensing (Ideal for multiple authours / licenses blogs) - -== Description == - -Based on the amazing Job by <a title="Nathan's Homepage" href="http://yergler.net/">Nathan R. Yergler</a> and his <a href="http://wiki.creativecommons.org/WpLicense">WP-Licencse Plugin</a>. This plugin Alows users to assign a Creative Commons license to content on a per post basis (or no license at all) - -This plugin was made possible thanks to <a href="http://www.socialbrite.org">SocialBrite</a> - -The license chunk on the posts is wrapped in a DIV with class: wp_license - -== Installation == - -1. Upload the plugin folder (named wp-license-reloaded) in to the `/wp-content/plugins/` directory -2. Activate WP License reloaded through the 'Plugins' menu in WordPress -3. In the post screen you'll now have a CC license area where you can assign - -== Frequently Asked Questions == - -= What can be expected in future releases of the plugin = - -* Global settings -* Mass post licensing - -= What about foo bar? = - -Answer to foo bar dilemma. - -== Screenshots == - - -== Changelog == - -= 0.1 = -* Initial release - -= 0.1.1 = -*Minor Bug Fixes (Thanks MAC13 & WikiChaves) \ No newline at end of file diff --git a/wp-content/plugins/wp-license-reloaded/wplicense-reloaded.php b/wp-content/plugins/wp-license-reloaded/wplicense-reloaded.php deleted file mode 100644 index 63ffb7844534f523c328ff80da7bf8d3ce8c0f6d..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wp-license-reloaded/wplicense-reloaded.php +++ /dev/null @@ -1,195 +0,0 @@ -<?php -/* -Plugin Name: wpLicense-reloaded -Plugin URI: http://estebanglas.com/2009/07/creative-commons-plugin/ -Description: Based on <a href="http://wiki.creativecommons.org/WpLicense">wpLicense</a> Allows selection of a <a href="http://creativecommons.org">Creative Commons</a> license for blog content on a per-post basis. Work done originally for <a href="http://www.socialbrite.org">SocialBrite</a> -Version: 0.1.1 -Author: Esteban Panzeri Glas (based on the work by Nathan R. Yergler>) -Author URI: http://estebanglas.com -*/ - -/* Copyright 2009, - Esteban A. Panzeri Glas (email : esteban.glas@gmail.com) - Creative Commons (email : software@creativecommons.org), - Nathan R. Yergler (email : nathan@creativecommons.org) - - This program is free software; you can redistribute it and/or modify - it under the terms of the GNU General Public License as published by - the Free Software Foundation; either version 2 of the License, or - (at your option) any later version. - - This program is distributed in the hope that it will be useful, - but WITHOUT ANY WARRANTY; without even the implied warranty of - MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the - GNU General Public License for more details. - - You should have received a copy of the GNU General Public License - along with this program; if not, write to the Free Software - Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA -*/ - -/* Template Functions */ - -function licenseHtml($content) { - - global $post; - $license_uri = get_post_meta($post->ID, 'cc_content_license_uri',true); - $license_img = get_post_meta($post->ID, 'cc_content_license_img',true); - $license_name = get_post_meta($post->ID, 'cc_content_license',true); - $CC_logo = get_bloginfo("wpurl") . "/wp-content/plugins/wp-license-reloaded/images/cclogo.gif"; - - if (($license_uri) && $license_uri != ""){ - $image = <<< END_OF_STMT -<img src="${license_img}" alt="${license_name}" class="alignleft" style="margin-top:4px;" /> - -END_OF_STMT; - - - - $result = <<< END_OF_STMT - -<div class="wp_license"> -<p><a rel="license" href="${license_uri}">$image</a>This work ${attrib} is licensed under a <a rel="license" href="${license_uri}">${license_name}</a>.</p> -</div> -END_OF_STMT; - -$content = $content . $result; - -} - -return $content; - -} // licenseHtml - - -/* Admin functions */ - -function license_options() { - - global $post; - - -$slart = $_GET['post']; - -$defaults = array("license_name" => get_post_meta($slart, 'cc_content_license',true), - "license_uri" => get_post_meta($slart, 'cc_content_license_uri',true), - ); -$wp_url = get_bloginfo('wpurl'); -$license_url = get_post_meta($slart, 'cc_content_license_uri',true); - -if ($license_url == '') { $jswidget_extra = "want_a_license=no_license_by_default"; } -else { $jswidget_extra = ""; } - - - -echo <<< END_OF_ADMIN -<div class="wrap"> -<p>This page allows you to choose a -<a href="http://creativecommons.org">Creative Commons</a> license -for your content. </p> - - - -<script type="text/javascript" src="http://api.creativecommons.org/jswidget/tags/0.92/complete.js?${jswidget_extra}"> -</script> - -<input id="cc_js_seed_uri" type="hidden" value="${license_url}" /> -<input name="blog_url" id="blog_url" type="hidden" value="${wp_url}" /> -<input name="remove_license" type="hidden" value="false" /> -<input name="submitted" type="hidden" value="wplicense" /> - - -<br/> - - -</div> -</div> - -END_OF_ADMIN; - -} // license_options - - - -// Include the necessary java-script libraries -function wplicense_header() { - $css_url = get_bloginfo("wpurl") . "/wp-content/plugins/wp-license-reloaded/wplicense.css"; - - echo "<link rel=\"stylesheet\" href=\"${css_url}\" />"; - add_meta_box('cc_license_control', 'Creative Commons Licensing', 'license_options', 'post', 'normal', 'high'); -} // wplicense_header - - -// Initialize the WordPress content variables -function init_content_license($fullreset=false, $just_license_reset=false) { - -global $post; - - - - // if reset is True, destructively reset the values - if ($fullreset == true) { - update_post_meta($_POST['post_ID'],'cc_content_license', ''); - update_post_meta($_POST['post_ID'],'cc_content_license_uri', ''); - update_post_meta($_POST['post_ID'],'cc_content_license_img', ''); - - } // if resetting - - if ($just_license_reset) { - update_post_meta($_POST['post_ID'],'cc_content_license', ''); - update_post_meta($_POST['post_ID'],'cc_content_license_uri', ''); - update_post_meta($_POST['post_ID'],'cc_content_license_img', ''); - } // if just resetting license details but not other prefs - - -} // init_content_license - -function post_form() { - global $post_msg; - global $post; - - - //update_post_meta($slart,'cc_content_license_img', $_POST['cc_js_result_img']); - - // check for standard return (using web services - if ( (isset($_POST['submitted'])) && ($_POST['submitted'] == 'wplicense')) { - // check if the license should be removed - if ($_POST['remove_license'] == '__remove' || - ($_POST['cc_js_result_uri'] == '' && get_post_meta($_POST['post_ID'],'cc_content_license_uri') != '')) { - init_content_license(false, true); - - $post_msg = "<h3>License information removed.</h3>"; - return; - } // remove license - - // check if the license was changed - if ($_POST['cc_js_result_uri'] != get_post_meta($_POST['post_ID'],'cc_content_license_uri')) { - // store the new license information - - update_post_meta($_POST['post_ID'],'cc_content_license', $_POST['cc_js_result_name']); - update_post_meta($_POST['post_ID'],'cc_content_license_uri', $_POST['cc_js_result_uri']); - update_post_meta($_POST['post_ID'],'cc_content_license_img', $_POST['cc_js_result_img']); - } - - // store the settings - - $post_msg = "<h3>License information updated.</h3>"; - } // standard web services post - -} // post_form - -/* admin interface action registration */ - - -add_action('admin_head', 'wplicense_header'); - -/* content action/filter registration */ - - -add_action('save_post', 'post_form'); -add_action('edit_post', 'post_form'); -add_action('publish_post', 'post_form'); -add_action('admin_head', 'post_form'); -add_filter('the_content','licenseHtml'); - -?> diff --git a/wp-content/plugins/wp-license-reloaded/wplicense.css b/wp-content/plugins/wp-license-reloaded/wplicense.css deleted file mode 100644 index 38136e51daca96daab27ae50272843cd51a9758f..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wp-license-reloaded/wplicense.css +++ /dev/null @@ -1,253 +0,0 @@ -/** - * This was written by CC as a demonstration of how to interoperate - * with the Creative Commons JsWidget. No rights reserved. - * - * See README for a little more detail. - */ - -/** Edit me to fit your particular look **/ -#cc_js_lic-menu -{ - margin: 0 auto; - /*border: 1px solid #ddd;*/ -} - - -.cc_js_body { - background-color: #fff; - color: #343434; - font: 60% "Lucida Grande", verdana, sans-serif; - padding: 0; - margin: 0; - text-align: center; -} - -#cc_js_header-main { - width: 93%; - min-width: 700px; - margin: 0 3%; - padding: 10px 0 2px 1%; - text-align: left; - font-size: 11px !important; -} - -/* -- elements */ - -a.cs_js_a, a:link.cs_js_a { - text-decoration: none; - color: #00b; -} - -a:hover.cs_js_a { - text-decoration: underline; -} - -/** - * This was written by CC as a demonstration of how to interoperate - * with the Creative Commons JsWidget. No rights reserved. - * - * See README for a little more detail. - */ - -#cc_js_license_selected -{ - border: 1px solid #c2e0cf; - text-align: center; - padding: 3%; - margin-bottom: 2.7%; - -} - -#cc_js_jurisdiction_box -{ - /* border: 1px solid black; */ - padding: 0.5% 2% 1% 2%; - margin-bottom: 1%; -} - -#cc_js_lic-menu h2 -{ - /* text-decoration: underline; */ - /* border-bottom: 1px solid black; */ - padding: 3% 0 1% 0; - border: none; -} - -#cc_js_lic-result -{ - padding: 0; - margin: 0; -} - -select#cc_js_jurisdiction -{ - margin-bottom: 2%; -} - -textarea#cc_js_result -{ - width: 9%; - border: 1px solid #ccc; - color: gray; - margin-top: 1%; -} - -a.cc_js_a img -{ - border: none; - text-decoration: none; -} - -#cc_js_more_info -{ - border: 1px solid #eee; - padding: 0.5% 2% 1% 2%; - margin-bottom: 1%; - margin-top: 1%; - width: 87%; -} -#cc_js_more_info table -{ - width: 65%; -} - -#cc_js_more_info .header -{ - width: 35%; -} - -#cc_js_more_info input -{ - width: 100%; - border: 1px solid #ccc; -} - -#cc_js_required -{ - - border-top: 1px solid #ccc; - border-bottom: 1px solid #ccc; - padding: 4% 2%; - margin-bottom: 1%; - margin-top: 2px; - /* background: #efefef; - background: #eef6e6;*/ - -} - -#cc_js_work_title -{ - font-style: italic; -} - - -#cc_js_optional -{ - border: 1px solid #eee; - padding: 0.5% 2% 1% 2%; - margin-bottom: 1%; - margin-top: 1%; - width: 87%; -} - - -.cc_js_cc-button -{ - padding-bottom: 1%; -} - -.cc_js_info -{ - vertical-align: middle; -} - -img.cc_js_info { - float: right; -} - -#cc_js_jurisdiction_box { - clear: left; - -} - -#cc_js_lic-menu p{ - padding: 3px 0 5px 0; - margin: 0 0 5px 0; -} - -.cc_js_tooltip -{ - background: white; - border: 2px solid gray; - padding: 3px 10px 3px 10px; - width: 300px; - text-align: left; -} - -.cc_js_tooltip .cc_js_icon -{ - float: left; - padding-right: 4%; - padding-bottom: 20%; -} - -.cc_js_tooltipimage -{ - border: 2px solid gray; -} - -.cc_js_infobox -{ - cursor: help; -} - -.cc_js_question -{ - cursor: help; - /*color: #00b;*/ - border-bottom: 1px dashed #66b; -} - -.cc_js_hidden { - display: none; -} - -#cc_js_required .cc_js_question { border: none; } - - - -#cc_js_want_cc_license_at_all { - background-color: #eef6e6; - padding: 1em; - padding-left: 0; -} - -#cc_js_want_cc_license_at_all span { - margin-right: 10px; - margin-left: 10px; - padding: 0.5em; -} -#cc_js_want_cc_license_at_all span span { - margin: 0; - padding: 0; -} - -#cc_js_required p { padding-bottom: 50px; } - -#cc_js_remix-label span { - background: url('http://creativecommons.org/images/deed/remix.png') no-repeat top left; - padding-left: 60px; - padding-bottom: 60px; -} - -#cc_js_nc-label span { - background: url('http://creativecommons.org/images/deed/nc.png') no-repeat top left; - padding-left: 60px; - padding-bottom: 60px; -} - -#cc_js_sa-label span { - background: url('http://creativecommons.org/images/deed/sa.png') no-repeat top left; - padding-left: 60px; - padding-bottom: 60px; -} diff --git a/wp-content/plugins/wp-statusnet/readme.txt b/wp-content/plugins/wp-statusnet/readme.txt deleted file mode 100644 index 2751e015c3e692b22eb4933a04f25fe6f7b6a07b..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wp-statusnet/readme.txt +++ /dev/null @@ -1,72 +0,0 @@ -=== WP-Status.net === -Contributors: Xavier Media -Tags: Status.net, Identica, Twitter, status updates, oauth, Yourls.org -Requires at least: 2.7.0 -Tested up to: 3.3.1 -Stable tag: 1.4.2 - -Posts your blog posts to one or multiple Status.net servers and even to Twitter - -== Description == - -Every time you make a new blog post this plugin will post a status update to the Status.net servers and Twitter accounts -you have specified. You can set as many acounts on as many servers you like. You can even have the plugin to post to -different account on the same [Status.net](http://status.net) server. - -The links to your blog can be shortened by one of seven different link shortener services like TinyURL.com. - -== Installation == - -1. Upload `wp-status-net/wp-status-net.php` to the `/wp-content/plugins/` directory -2. Activate the plugin through the 'Plugins' menu in WordPress -3. Go to the 'WP-Status.net' menu option under 'Settings' to specify the accounts and servers - -== Frequently Asked Questions == - -= How to use Oauth with Twitter? = - -1. Register a new application at http://dev.twitter.com/apps/new - * Application Type must be set on Browser - * The Callback URL should be the URL of your blog - * Default Access type MUST be set to Read & Write -2. Fill in the Consumer Key and Consumer Secret in the correct fields (will show up as soon as you select Server Type "Twitter" and "Oauth" in the server list) -3. Click on the link called "My Access Tokens" at http://dev.twitter.com (right menu) -4. Fill in your Access Token and the Access Token Secret in the correct fields -5. Now you should be able to post to Twitter - -= How do I get access to the 2ve.org link shortener API? = - -The 2ve.org service is at the moment only open for Xavier Media, but you can choose any of the other link shorteners instead. - -= How can I suggest a new feature or report a bug? = - -Visit our support forum at http://www.xavierforum.com/php-&-cgi-scripts-f3.html - -== Changelog == - -= 1.4.2 = -* Added support for Yourls.org on your own site - -= 1.4.1 = -* Removed RT.nu since they are no longer in service - -= 1.3.1 = -* Minor bug fix in Oauth for Twitter -* Fixed problem with bit.ly links - -= 1.3 = -* Oauth is now available for Twitter servers. For Status.net server that will be available in a later version (hopefully 1.4) -* Optional suffix possible for posts - -= 1.1 = -* Added possibility to have a unique prefix for each server when posting blog posts to a Status.net server - -= 1.0 = -* The first version - -== Upgrade Notice == - -= 1.0 = -* The first version - -`<?php code(); // goes in backticks ?>` \ No newline at end of file diff --git a/wp-content/plugins/wp-statusnet/wp-status-net.php b/wp-content/plugins/wp-statusnet/wp-status-net.php deleted file mode 100644 index d4c5b4328498519c1bc181efb5be0b14f5b45a09..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wp-statusnet/wp-status-net.php +++ /dev/null @@ -1,940 +0,0 @@ -<?php -/* -Plugin Name: WP Status.net -Plugin URI: http://www.xaviermedia.com/wordpress/plugins/wp-status-net.php -Description: Posts your blog posts to one or multiple Status.net servers -Author: Xavier Media -Version: 1.4.2 -Author URI: http://www.xaviermedia.com/ -*/ - -add_action('publish_post', 'wpstatusnet_poststatus'); -add_action('comment_form', 'wpstatusnet_commentform', 5, 0); - -class EpiOAuth -{ - public $version = '1.0'; - - protected $requestTokenUrl; - protected $accessTokenUrl; - protected $authorizeUrl; - protected $consumerKey; - protected $consumerSecret; - protected $token; - protected $tokenSecret; - protected $signatureMethod; - - public function getAccessToken() - { - $resp = $this->httpRequest('GET', $this->accessTokenUrl); - return new EpiOAuthResponse($resp); - } - - public function getAuthorizationUrl() - { - $retval = "{$this->authorizeUrl}?"; - - $token = $this->getRequestToken(); - return $this->authorizeUrl . '?oauth_token=' . $token->oauth_token; - } - - public function getRequestToken() - { - $resp = $this->httpRequest('GET', $this->requestTokenUrl); - return new EpiOAuthResponse($resp); - } - - public function httpRequest($method = null, $url = null, $params = null) - { - if(empty($method) || empty($url)) - return false; - - if(empty($params['oauth_signature'])) - $params = $this->prepareParameters($method, $url, $params); - - switch($method) - { - case 'GET': - return $this->httpGet($url, $params); - break; - case 'POST': - return $this->httpPost($url, $params); - break; - } - } - - public function setToken($token = null, $secret = null) - { - $params = func_get_args(); - $this->token = $token; - $this->tokenSecret = $secret; - } - - public function encode($string) - { - return rawurlencode(utf8_encode($string)); - } - - protected function addOAuthHeaders(&$ch, $url, $oauthHeaders) - { - $_h = array('Expect:'); - $urlParts = parse_url($url); - $oauth = 'Authorization: OAuth realm="' . $urlParts['path'] . '",'; - foreach($oauthHeaders as $name => $value) - { - $oauth .= "{$name}=\"{$value}\","; - } - $_h[] = substr($oauth, 0, -1); - - curl_setopt($ch, CURLOPT_HTTPHEADER, $_h); - } - - protected function generateNonce() - { - if(isset($this->nonce)) // for unit testing - return $this->nonce; - - return md5(uniqid(rand(), true)); - } - - protected function generateSignature($method = null, $url = null, $params = null) - { - if(empty($method) || empty($url)) - return false; - - - // concatenating - $concatenatedParams = ''; - foreach($params as $k => $v) - { - $v = $this->encode($v); - $concatenatedParams .= "{$k}={$v}&"; - } - $concatenatedParams = $this->encode(substr($concatenatedParams, 0, -1)); - - // normalize url - $normalizedUrl = $this->encode($this->normalizeUrl($url)); - $method = $this->encode($method); // don't need this but why not? - - $signatureBaseString = "{$method}&{$normalizedUrl}&{$concatenatedParams}"; - return $this->signString($signatureBaseString); - } - - protected function httpGet($url, $params = null) - { - if(count($params['request']) > 0) - { - $url .= '?'; - foreach($params['request'] as $k => $v) - { - $url .= "{$k}={$v}&"; - } - $url = substr($url, 0, -1); - } - $ch = curl_init($url); - $this->addOAuthHeaders($ch, $url, $params['oauth']); - curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); - $resp = $this->curl->addCurl($ch); - - return $resp; - } - - protected function httpPost($url, $params = null) - { - $ch = curl_init($url); - $this->addOAuthHeaders($ch, $url, $params['oauth']); - curl_setopt($ch, CURLOPT_POST, 1); - curl_setopt($ch, CURLOPT_POSTFIELDS, http_build_query($params['request'])); - curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); - $resp = $this->curl->addCurl($ch); - return $resp; - } - - protected function normalizeUrl($url = null) - { - $urlParts = parse_url($url); - $scheme = strtolower($urlParts['scheme']); - $host = strtolower($urlParts['host']); - $port = intval($urlParts['port']); - - $retval = "{$scheme}://{$host}"; - if($port > 0 && ($scheme === 'http' && $port !== 80) || ($scheme === 'https' && $port !== 443)) - { - $retval .= ":{$port}"; - } - $retval .= $urlParts['path']; - if(!empty($urlParts['query'])) - { - $retval .= "?{$urlParts['query']}"; - } - - return $retval; - } - - protected function prepareParameters($method = null, $url = null, $params = null) - { - if(empty($method) || empty($url)) - return false; - - $oauth['oauth_consumer_key'] = $this->consumerKey; - $oauth['oauth_token'] = $this->token; - $oauth['oauth_nonce'] = $this->generateNonce(); - $oauth['oauth_timestamp'] = !isset($this->timestamp) ? time() : $this->timestamp; // for unit test - $oauth['oauth_signature_method'] = $this->signatureMethod; - $oauth['oauth_version'] = $this->version; - - // encoding - array_walk($oauth, array($this, 'encode')); - if(is_array($params)) - array_walk($params, array($this, 'encode')); - $encodedParams = array_merge($oauth, (array)$params); - - // sorting - ksort($encodedParams); - - // signing - $oauth['oauth_signature'] = $this->encode($this->generateSignature($method, $url, $encodedParams)); - return array('request' => $params, 'oauth' => $oauth); - } - - protected function signString($string = null) - { - $retval = false; - switch($this->signatureMethod) - { - case 'HMAC-SHA1': - $key = $this->encode($this->consumerSecret) . '&' . $this->encode($this->tokenSecret); - $retval = base64_encode(hash_hmac('sha1', $string, $key, true)); - break; - } - - return $retval; - } - - public function __construct($consumerKey, $consumerSecret, $signatureMethod='HMAC-SHA1') - { - $this->consumerKey = $consumerKey; - $this->consumerSecret = $consumerSecret; - $this->signatureMethod = $signatureMethod; - $this->curl = EpiCurl::getInstance(); - } -} - -class EpiOAuthResponse -{ - private $__resp; - - public function __construct($resp) - { - $this->__resp = $resp; - } - - public function __get($name) - { - if($this->__resp->code < 200 || $this->__resp->code > 299) - return false; - - parse_str($this->__resp->data, $result); - foreach($result as $k => $v) - { - $this->$k = $v; - } - - return $result[$name]; - } -} - -class EpiCurl -{ - const timeout = 3; - static $inst = null; - static $singleton = 0; - private $mc; - private $msgs; - private $running; - private $requests = array(); - private $responses = array(); - private $properties = array(); - - function __construct() - { - if(self::$singleton == 0) - { - throw new Exception('This class cannot be instantiated by the new keyword. You must instantiate it using: $obj = EpiCurl::getInstance();'); - } - - $this->mc = curl_multi_init(); - $this->properties = array( - 'code' => CURLINFO_HTTP_CODE, - 'time' => CURLINFO_TOTAL_TIME, - 'length'=> CURLINFO_CONTENT_LENGTH_DOWNLOAD, - 'type' => CURLINFO_CONTENT_TYPE - ); - } - - public function addCurl($ch) - { - $key = (string)$ch; - $this->requests[$key] = $ch; - - $res = curl_multi_add_handle($this->mc, $ch); - - // (1) - if($res === CURLM_OK || $res === CURLM_CALL_MULTI_PERFORM) - { - do { - $mrc = curl_multi_exec($this->mc, $active); - } while ($mrc === CURLM_CALL_MULTI_PERFORM); - - return new EpiCurlManager($key); - } - else - { - return $res; - } - } - - public function getResult($key = null) - { - if($key != null) - { - if(isset($this->responses[$key])) - { - return $this->responses[$key]; - } - - $running = null; - do - { - $resp = curl_multi_exec($this->mc, $runningCurrent); - if($running !== null && $runningCurrent != $running) - { - $this->storeResponses($key); - if(isset($this->responses[$key])) - { - return $this->responses[$key]; - } - } - $running = $runningCurrent; - }while($runningCurrent > 0); - } - - return false; - } - - private function storeResponses() - { - while($done = curl_multi_info_read($this->mc)) - { - $key = (string)$done['handle']; - $this->responses[$key]['data'] = curl_multi_getcontent($done['handle']); - foreach($this->properties as $name => $const) - { - $this->responses[$key][$name] = curl_getinfo($done['handle'], $const); - curl_multi_remove_handle($this->mc, $done['handle']); - } - } - } - - static function getInstance() - { - if(self::$inst == null) - { - self::$singleton = 1; - self::$inst = new EpiCurl(); - } - - return self::$inst; - } -} - -class EpiCurlManager -{ - private $key; - private $epiCurl; - - function __construct($key) - { - $this->key = $key; - $this->epiCurl = EpiCurl::getInstance(); - } - - function __get($name) - { - $responses = $this->epiCurl->getResult($this->key); - return $responses[$name]; - } -} - -/* - * Credits: - * - (1) Alistair pointed out that curl_multi_add_handle can return CURLM_CALL_MULTI_PERFORM on success. - */ - -class EpiTwitter extends EpiOAuth -{ - const EPITWITTER_SIGNATURE_METHOD = 'HMAC-SHA1'; - protected $requestTokenUrl = 'http://twitter.com/oauth/request_token'; - protected $accessTokenUrl = 'http://twitter.com/oauth/access_token'; - protected $authorizeUrl = 'http://twitter.com/oauth/authorize'; - protected $apiUrl = 'http://twitter.com'; - - public function __call($name, $params = null) - { - $parts = explode('_', $name); - $method = strtoupper(array_shift($parts)); - $parts = implode('_', $parts); - $url = $this->apiUrl . '/' . preg_replace('/[A-Z]|[0-9]+/e', "'/'.strtolower('\\0')", $parts) . '.json'; - if(!empty($params)) - $args = array_shift($params); - - return new EpiTwitterJson(call_user_func(array($this, 'httpRequest'), $method, $url, $args)); - } - - public function __construct($consumerKey = null, $consumerSecret = null, $oauthToken = null, $oauthTokenSecret = null, $oauthServer = "twitter.com") - { - $requestTokenUrl = 'http://'. $oauthServer .'/oauth/request_token'; - $accessTokenUrl = 'http://'. $oauthServer .'/oauth/access_token'; - $authorizeUrl = 'http://'. $oauthServer .'/oauth/authorize'; - $apiUrl = 'http://'. $oauthServer .''; - - parent::__construct($consumerKey, $consumerSecret, self::EPITWITTER_SIGNATURE_METHOD); - $this->setToken($oauthToken, $oauthTokenSecret); - } -} - -class EpiTwitterJson -{ - private $resp; - - public function __construct($resp) - { - $this->resp = $resp; - } - - public function __get($name) - { - $this->responseText = $this->resp->data; - $this->response = (array)json_decode($this->responseText, 1); - foreach($this->response as $k => $v) - { - $this->$k = $v; - } - - return $this->$name; - } -} - -class CurlRequest2 -{ - private $ch; - /** - * Init curl session - * - * $params = array('url' => '', - * 'host' => '', - * 'header' => '', - * 'method' => '', - * 'referer' => '', - * 'cookie' => '', - * 'post_fields' => '', - * ['login' => '',] - * ['password' => '',] - * 'timeout' => 0 - * ); - */ - public function init($params) - { - $this->ch = curl_init(); - $user_agent = 'Mozilla/5.0 (Windows; U;Windows NT 5.1; ru; rv:1.8.0.9) Gecko/20061206 Firefox/1.5.0.9'; - $header = array( - "Accept: text/xml,application/xml,application/xhtml+xml,text/html;q=0.9,text/plain;q=0.8,image/png,*/*;q=0.5", - "Accept-Language: ru-ru,ru;q=0.7,en-us;q=0.5,en;q=0.3", - "Accept-Charset: windows-1251,utf-8;q=0.7,*;q=0.7", - "Keep-Alive: 300"); - if (isset($params['host']) && $params['host']) $header[]="Host: ".$host; - if (isset($params['header']) && $params['header']) $header[]=$params['header']; - - @curl_setopt ( $this -> ch , CURLOPT_RETURNTRANSFER , 1 ); - @curl_setopt ( $this -> ch , CURLOPT_VERBOSE , 1 ); - @curl_setopt ( $this -> ch , CURLOPT_HEADER , 1 ); - - if ($params['method'] == "HEAD") @curl_setopt($this -> ch,CURLOPT_NOBODY,1); - @curl_setopt ( $this -> ch, CURLOPT_FOLLOWLOCATION, 1); - @curl_setopt ( $this -> ch , CURLOPT_HTTPHEADER, $header ); - if ($params['referer']) @curl_setopt ($this -> ch , CURLOPT_REFERER, $params['referer'] ); - @curl_setopt ( $this -> ch , CURLOPT_USERAGENT, $user_agent); - if ($params['cookie']) @curl_setopt ($this -> ch , CURLOPT_COOKIE, $params['cookie']); - - if ( $params['method'] == "POST" ) - { - curl_setopt( $this -> ch, CURLOPT_POST, true ); - curl_setopt( $this -> ch, CURLOPT_POSTFIELDS, $params['post_fields'] ); - } - @curl_setopt( $this -> ch, CURLOPT_URL, $params['url']); - @curl_setopt ( $this -> ch , CURLOPT_SSL_VERIFYPEER, 0 ); - @curl_setopt ( $this -> ch , CURLOPT_SSL_VERIFYHOST, 0 ); - if (isset($params['login']) & isset($params['password'])) - @curl_setopt($this -> ch , CURLOPT_USERPWD,$params['login'].':'.$params['password']); - @curl_setopt ( $this -> ch , CURLOPT_TIMEOUT, $params['timeout']); - } - - /** - * Make curl request - * - * @return array 'header','body','curl_error','http_code','last_url' - */ - public function exec() - { - $response = curl_exec($this->ch); - $error = curl_error($this->ch); - $result = array( 'header' => '', - 'body' => '', - 'curl_error' => '', - 'http_code' => '', - 'last_url' => ''); - if ( $error != "" ) - { - $result['curl_error'] = $error; - return $result; - } - - $header_size = curl_getinfo($this->ch,CURLINFO_HEADER_SIZE); - $result['header'] = substr($response, 0, $header_size); - $result['body'] = substr( $response, $header_size ); - $result['http_code'] = curl_getinfo($this -> ch,CURLINFO_HTTP_CODE); - $result['last_url'] = curl_getinfo($this -> ch,CURLINFO_EFFECTIVE_URL); - return $result; - } -} - -function wpstatusnet_poststatus($post_id) -{ - - $status_net = get_post_meta($post_id, 'status_net', true); - if (!($status_net == 'yes')) { - query_posts('p=' . $post_id); - - if (have_posts()) - { - $opt = get_option('wpstatusnetoptions'); - $options = unserialize($opt); - - the_post(); - - $link = get_permalink(); - - if ($options[apitype] == "yourls.org") - { - $jsonstring = file_get_contents('http://'. $options[apiid] .'/yourls-api.php?signature='. $options[apikey] .'&action=shorturl&format=json&url='. urlencode($link)); - - $json = json_decode($jsonstring,true); - - if ($json[status] == "success") - { - $link = $json[shorturl]; - } - } - else if ($options[apitype] == "is.gd") - { - $link = file_get_contents('http://is.gd/api.php?longurl='. urlencode($link)); - } - else if ($options[apitype] == "metamark.net") - { - $link = file_get_contents('http://metamark.net/api/rest/simple?long_url='. urlencode($link)); - } - else if ($options[apitype] == "mrte.ch") - { - $jsonstring = file_get_contents('http://api.mrte.ch/go.php?action=shorturl&format=json&url='. urlencode($link)); - - $json = json_decode($jsonstring,true); - - if ($json[statusCode] == "200") - { - $link = $json[shorturl]; - } - } - else if ($options[apitype] == "tinyurl.com") - { - $link = file_get_contents('http://tinyurl.com/api-create.php?url=' . $link); - } - else if ($options[apitype] == "2ve.org") - { - $jsonstring = file_get_contents('http://api.2ve.org/api.php?action=makeshorter&fileformat=json&longlink='. urlencode($link) .'&api='. $options[apiid] .'&key='. $options[apikey]); - - $json = json_decode($jsonstring,true); - - if ($json[responsecode] == "200") - { - $link = $json[shortlink]; - } - } - else if ($options[apitype] == "bit.ly") - { - $jsonstring = file_get_contents('http://api.bit.ly/shorten?version=2.0.1&longUrl='. urlencode($link) .'&login='. $options[apiid] .'&apiKey='. $options[apikey]); - - $json = json_decode($jsonstring,true); - - if ($json[statusCode] == "OK") - { - $link = $json[results][$link][shortUrl]; - } - } - - $title = get_the_title(); - - - $posting = new CurlRequest2(); - - $num = count($options[statusserver]); - for ($i = 0; $i < $num; $i++) - { - if ($options[statususer][$i] != "") - { - - if ($options[statusprefix][$i] == "") - { - $statuspost = ''; - } - else - { - $statuspost = $options[statusprefix][$i] .' '; - } - - - if ($title > (134 - strlen($link) - strlen($options[statusprefix][$i]))) - { - $statuspost .= $options[statusprefix][$i] .' '. substr($title,0,(134 - strlen($link) - strlen($options[statusprefix][$i]))) .'... - '. $link; - } - else - { - $statuspost .= $title .' - '. $link; - } - - if ($options[statussuffix][$i] == "") - { - $statuspost .= ''; - } - else - { - $statuspost .= ' '. $options[statussuffix][$i]; - } - - if ($options[statusauthtype][$i] == "oauth") - { - - if ($options[statuspath][$i] == "" || $options[statustype][$i] == "twitter") - { - $oauthServer = $options[statusserver][$i]; - } - else - { - $oauthServer = $options[statusserver][$i] ."/". $options[statuspath][$i]; - } - - $OauthObj = new EpiTwitter($options[statususer][$i], $options[statususer2][$i],$options[statuspwd][$i],$options[statuspwd2][$i],$oauthServer); - - $OauthInfo= $OauthObj->get_accountVerify_credentials(); - $OauthInfo->response; - - $OauthInfo= $OauthObj->post_statusesUpdate(array('status' => $statuspost)); - $statusid = $OauthInfo->response['id']; - - } - else - { - if ($options[statuspath][$i] == "") - { - $server = "http://". $options[statusserver][$i] ."/statuses/update.json"; - } - else - { - $server = "http://". $options[statusserver][$i] ."/". $options[statuspath][$i] ."/statuses/update.json"; - } - - $params = array('url' => $server, - 'host' => '', - 'header' => '', - 'method' => 'POST', // 'POST','HEAD' - 'referer' => '', - 'cookie' => '', - 'post_fields' => 'status='. urlencode($statuspost) .'&source=WP-status-net', - 'login' => $options[statususer][$i], - 'password' => $options[statuspwd][$i], - 'timeout' => 20 - ); - - // add_post_meta($post_id, $options[statusserver][$i], serialize($params)); - - - $posting->init($params); - - $postingstatus = $posting->exec(); - } - - } - } - - - add_post_meta($post_id, 'status_net', 'yes'); - } - } -} - -function wpstatusnet_commentform() -{ - $opt = get_option('wpstatusnetoptions'); - $options = unserialize($opt); - if ($options[pluginlink] == "poweredby") - { - echo '<p>Powered by <a href="http://www.xaviermedia.com/wordpress/plugins/wp-status-net.php">WP Status.net plugin</A>.</p>'; - } -} - -function wpstatusnet_test() -{ - echo 'Test'; - -} - -function wpstatusnet_options() -{ - - if ( 'save' == $_REQUEST['action'] ) - { - $options = array( - "apitype" => $_REQUEST[apitype], - "apiid" => $_REQUEST[apiid], - "apikey" => $_REQUEST[apikey], - "pluginlink" => $_REQUEST[pluginlink], - "statustype" => array(), - "statusauthtype" => array(), - "statusservers" => array(), - "statuspath" => array(), - "statususer" => array(), - "statuspwd" => array(), - "statusprefix" => array(), - "statussuffix" => array() - ); - - $statustype = $_REQUEST[statustype]; - $statusauthtype = $_REQUEST[statusauthtype]; - $statusserver = $_REQUEST[statusserver]; - $statuspath = $_REQUEST[statuspath]; - $statususer = $_REQUEST[statususer]; - $statuspwd = $_REQUEST[statuspwd]; - $statususer2 = $_REQUEST[statususer2]; - $statuspwd2 = $_REQUEST[statuspwd2]; - $statusprefix = $_REQUEST[statusprefix]; - $statussuffix = $_REQUEST[statussuffix]; - - $num = count($statusserver); - for ($i = 0; $i < $num; $i++) - { - if ($statususer[$i] != "") - { - - if ($statustype[$i] == "twitter") - { - $statusserver[$i] = "twitter.com"; - $statuspath[$i] = ""; - $statusauthtype[$i] = "oauth"; - } - - $statusserver[$i] = str_replace("http://","",$statusserver[$i]); - if (substr($statusserver[$i],-1,1) == "/") - { - $statusserver[$i] = substr($statusserver[$i],0,-1); - } - if (substr($statuspath[$i],-1,1) == "/") - { - $statuspath[$i] = substr($statuspath[$i],0,-1); - } - if (substr($statuspath[$i],0,1) == "/") - { - $statuspath[$i] = substr($statuspath[$i],1); - } - -// if ($statusserver[$i] == "myxavier.com" && $options[pluginlink] == "") -// { -// $options[pluginlink] = "poweredby"; -// } - - $options[statustype][] = $statustype[$i]; - $options[statusauthtype][] = $statusauthtype[$i]; - $options[statusserver][] = $statusserver[$i]; - $options[statuspath][] = $statuspath[$i]; - $options[statususer][] = $statususer[$i]; - $options[statuspwd][] = $statuspwd[$i]; - $options[statususer2][] = $statususer2[$i]; - $options[statuspwd2][] = $statuspwd2[$i]; - $options[statusprefix][] = $statusprefix[$i]; - $options[statussuffix][] = $statussuffix[$i]; - } - } - - $opt = serialize($options); - update_option('wpstatusnetoptions', $opt); - } - else - { - $opt = get_option('wpstatusnetoptions'); - $options = unserialize($opt); - } - ?> - <STYLE> - .hiddenfield - { - display:none; - } - .nothiddenfield - { - } - </STYLE> - - <div class="updated fade-ff0000"><p><strong>Need web hosting for your blog?</strong> Get 10 Gb web space and unlimited bandwidth for only $3.40/month at <a href="http://2ve.org/xMY3/" target="_blank">eXavier.com</a>, or get the Ultimate Plan with unlimited space and bandwidth for only $14.99/month.</p></div> - - - <form action="<?php echo $_SERVER['REQUEST_URI'] ?>" method="post" name=pf> - <input type="hidden" name="action" value="save" /> - <h1>WP Status.net Options</h1> - If you get stuck on any of these options, please have a look at the <a href="http://www.xaviermedia.com/wordpress/plugins/wp-status-net.php">WP Status.net plugin page</a> or visit the <a href="http://www.xavierforum.com/php-&-cgi-scripts-f3.html">support forum</a>. - <h2>Link Shortener</h2> - <p>Select the link shortener you would like to use.</p> - <p> - <INPUT TYPE=radio NAME=apitype VALUE="" <?php if ($options[apitype] == "") { echo ' CHECKED'; } ?> onClick="javascript:document.getElementById('apikeys').className = 'hiddenfield';"> <B>Don't</B> use any service to get short links<BR /> - - <INPUT TYPE=radio NAME=apitype VALUE="yourls.org" <?php if ($options[apitype] == "yourls.org") { echo ' CHECKED'; } ?> onClick="javascript:alert('To use this service you need to read the instructions below!');document.getElementById('apikeys').className = 'nothiddenfield';document.getElementById('yourlssetup').className = 'nothiddenfield';"> <A HREF="http://yourls.org/" TARGET="_blank">Yourls.org on your own domain</A> *<BR /> - - <INPUT TYPE=radio NAME=apitype VALUE="is.gd" <?php if ($options[apitype] == "is.gd") { echo ' CHECKED'; } ?> onClick="javascript:document.getElementById('apikeys').className = 'hiddenfield';"> <A HREF="http://is.gd/" TARGET="_blank">is.gd</A><BR /> - - <INPUT TYPE=radio NAME=apitype VALUE="metamark.net" <?php if ($options[apitype] == "metamark.net") { echo ' CHECKED'; } ?> onClick="javascript:document.getElementById('apikeys').className = 'hiddenfield';"> <A HREF="http://metamark.net/" TARGET="_blank">metamark.net</A><BR /> - - <INPUT TYPE=radio NAME=apitype VALUE="mrte.ch" <?php if ($options[apitype] == "mrte.ch") { echo ' CHECKED'; } ?> onClick="javascript:document.getElementById('apikeys').className = 'hiddenfield';"> <A HREF="http://mrte.ch/" TARGET="_blank">mrte.ch</A><BR /> - - <INPUT TYPE=radio NAME=apitype VALUE="tinyurl.com" <?php if ($options[apitype] == "tinyurl.com") { echo ' CHECKED'; } ?> onClick="javascript:document.getElementById('apikeys').className = 'hiddenfield';"> <A HREF="http://tinyurl.com/" TARGET="_blank">tinyurl.com</A><BR /> - - <INPUT TYPE=radio NAME=apitype VALUE="2ve.org" <?php if ($options[apitype] == "2ve.org") { echo ' CHECKED'; } ?> onClick="javascript:alert('Don\'t forget to fill in the API ID and API key fields below for this link shortener');document.getElementById('apikeys').className = 'nothiddenfield';"> <A HREF="http://2ve.org/" TARGET="_blank">2ve.org</A> <B>*</B><BR /> - - <INPUT TYPE=radio NAME=apitype VALUE="bit.ly" <?php if ($options[apitype] == "bit.ly") { echo ' CHECKED'; } ?> onClick="javascript:alert('Don\'t forget to fill in the API ID and API key fields below for this link shortener');document.getElementById('apikeys').className = 'nothiddenfield';"> <A HREF="http://bit.ly/" TARGET="_blank">bit.ly</A> <B>*</B><BR /> - - <BR /><B>*</B> = This link shortener service require an <B>API ID</B> and/or an <B>API Key</B> to work. Please see the documentation at the link shorteners web site. - - <DIV id=yourlssetup class=<?php if($options[apitype] == "yourls.org") { echo 'nothiddenfield'; } else { echo 'hiddenfield'; } ?>> - <H3>Yourls.org Setup Instructions:</H3> - To be able to use the Yourls.org option below on your own domain name you need to follow these instructions. If you're a newbie this option is not really for you. - <OL> - <LI> Download Yourls.org from <A HREF="http://www.yourls.org/" TARGET="_blank">www.yourls.org</A> and follow the setup instructions to install Yourls.org on your own domain name - <LI> Select the Yourls.org option above - <LI> Fill in your <B>API key</B>/signature in the <B>API key</B> field below. THe password and user name option will not work so you have to <a HREF="http://yourls.org/passwordlessapi" TARGET="_blank">setup Yourls.org to work with signatures</A>. - <LI> Fill in the <B>domain name</B> on which you've installed Yourls.org on in the API ID field. Do not include any http:// nor any / at the end of the domain name!<BR/> - For example if the Yourls.org script is installed at <i>http://www.sampleaddress.com/yourls-api.php</i>, then you <U>only</U> fill in <i>sampleaddress.com</i> in the API ID field. - </OL> - </DIV> - - <div id=apikeys class=<?php if($options[apitype] == "2ve.org" || $options[apitype] == "bit.ly" || $options[apitype] == "yourls.org") { echo 'nothiddenfield'; } else { echo 'hiddenfield'; } ?>> - <h3>Link Shortener API ID and API Key:</h3> - Depending on what you selected above, some link shorteners require that you sign up at their web site to get an API ID (or API login) and/or an API key. For more information on what's required to use the link shortener you've selected, please see the documentation at the web site of the link shortener.<BR /> - API ID: <INPUT TYPE=text NAME=apiid VALUE="<?php echo $options[apiid]; ?>" SIZE=40> (this may sometimes be called "login", and in the case of Yourls.org it's the domain name where you installed Yourls.org)<BR /> - API Key: <INPUT TYPE=text NAME=apikey VALUE="<?php echo $options[apikey]; ?>" SIZE=40> (if just a key is required, leave the ID field blank)<BR /> - </div> - - <h2>Link to Xavier Media®</h2> - - <P>To support our work, please add a link to us in your blog. </P> - - <P><INPUT TYPE=checkbox VALUE="poweredby" NAME=pluginlink <?php if ($options[pluginlink] == "poweredby") { echo ' CHECKED'; } ?>> "Powered by WP-Status.net plugin"</P> - - <h2>Status.net servers and user accounts</h2> - - <p>Fill in the Status.net servers you would like to post status updates to. To post to for example <A HREF="http://identi.ca/" TARGET="_blank">identi.ca</A> just fill in <B>identi.ca</B> as server, <B>api</B> as path and your user name and password.</p> - <p>To turn off updates to a server, just remove the user name for that server and update options.</p> - <p>Post prefix and post suffix are optional, but if you would like to post some text or perhaps a hash tag before/after all your posts you can specify a unique prefix/suffix for each server/account.</p> - - <p><b>How to use Oauth with Twitter?</b><br /> - -1. Register a new application at <a href="http://dev.twitter.com/apps/new" target="_blank">dev.twitter.com/apps/new</a><br /> - * Application Type must be set to Browser<br /> - * The Callback URL should be the URL of your blog<br /> - * Default Access type MUST be set to Read & Write<br /> -2. Fill in the Consumer Key and Consumer Secret in the correct fields (will show up as soon as you select Server Type "Twitter" and "Oauth" in the server list (user name column))<br /> -3. Click on the link called "My Access Tokens" at http://dev.twitter.com (right menu)<br /> -4. Fill in your Access Token and the Access Token Secret in the correct fields (password column)<br /> -5. Now you should be able to post to Twitter<br /></p> - - - <table class="widefat post fixed" cellspacing="0"> - <thead> - <tr> - <th id="server" class="manage-column column-title" style="" scope="col">Type</th> - <th id="server" class="manage-column column-title" style="" scope="col">Server</th> - <th id="path" class="manage-column column-title" style="" scope="col">Path</th> - <th id="user" class="manage-column column-title" style="" scope="col">User Name</th> - <th id="pwd" class="manage-column column-title" style="" scope="col">Password</th> - <th id="prefix" class="manage-column column-title" style="" scope="col">Post Prefix</th> - <th id="suffix" class="manage-column column-title" style="" scope="col">Post Suffix</th> - </tr> - </thead> - <tfoot> - <tr> - <th id="server" class="manage-column column-title" style="" scope="col">Type</th> - <th id="server" class="manage-column column-title" style="" scope="col">Server</th> - <th id="path" class="manage-column column-title" style="" scope="col">Path</th> - <th id="user" class="manage-column column-title" style="" scope="col">User Name</th> - <th id="pwd" class="manage-column column-title" style="" scope="col">Password</th> - <th id="prefix" class="manage-column column-title" style="" scope="col">Post Prefix</th> - <th id="suffix" class="manage-column column-title" style="" scope="col">Post Suffix</th> - </tr> - </tfoot> - <tbody> -<?php - $num = count($options[statusserver]) + 5; - if ($num == 5) - { - $options[statustype][0] = "status"; - $options[statusserver][0] = "myxavier.com"; - $options[statuspath][0] = "api"; - - $options[statustype][1] = "status"; - $options[statusserver][1] = "identi.ca"; - $options[statuspath][1] = "api"; - - $num = 5; - } - for ($i = 0; $i < $num; $i++) - { - ?> - <tr> - <th id="type" class="manage-column column-title" style="" scope="col"><SELECT ID=statustype<?php echo $i ?> onChange="javascript:if(document.getElementById('statustype<?php echo $i ?>').options[document.getElementById('statustype<?php echo $i ?>').selectedIndex].value == 'twitter') { document.getElementById('statusserver<?php echo $i ?>').className = 'hiddenfield'; document.getElementById('statuspath<?php echo $i ?>').className = 'hiddenfield'; document.getElementById('statusauthtype<?php echo $i ?>').selectedIndex = 1; } else { document.getElementById('statusauthtype<?php echo $i ?>').selectedIndex = 0; document.getElementById('statusserver<?php echo $i ?>').className = 'nothiddenfield'; document.getElementById('statuspath<?php echo $i ?>').className = 'nothiddenfield'; } if(document.getElementById('statusauthtype<?php echo $i ?>').options[document.getElementById('statusauthtype<?php echo $i ?>').selectedIndex].value == 'oauth') { document.getElementById('oauthA<?php echo $i ?>').className = 'nothiddenfield'; document.getElementById('oauthB<?php echo $i ?>').className = 'nothiddenfield'; document.getElementById('oauthC<?php echo $i ?>').className = 'nothiddenfield'; document.getElementById('oauthD<?php echo $i ?>').className = 'nothiddenfield';} else { document.getElementById('oauthA<?php echo $i ?>').className = 'hiddenfield'; document.getElementById('oauthB<?php echo $i ?>').className = 'hiddenfield'; document.getElementById('oauthC<?php echo $i ?>').className = 'hiddenfield'; document.getElementById('oauthD<?php echo $i ?>').className = 'hiddenfield'; }" NAME=statustype[<?php echo $i ?>]><OPTION VALUE="status" <?php if($options[statustype][$i] == "status") { echo ' SELECTED'; } ?>">Status.net</OPTION><OPTION VALUE="twitter" <?php if($options[statustype][$i] == "twitter") { echo ' SELECTED'; } ?>">Twitter</OPTION></SELECT> - <SELECT ID=statusauthtype<?php echo $i ?> NAME=statusauthtype[<?php echo $i ?>] onChange="javascript:if(document.getElementById('statustype<?php echo $i ?>').options[document.getElementById('statustype<?php echo $i ?>').selectedIndex].value == 'twitter') { document.getElementById('statusauthtype<?php echo $i ?>').selectedIndex = 1; } else { document.getElementById('statusauthtype<?php echo $i ?>').selectedIndex = 0; }; if(document.getElementById('statusauthtype<?php echo $i ?>').options[document.getElementById('statusauthtype<?php echo $i ?>').selectedIndex].value == 'oauth') { document.getElementById('oauthA<?php echo $i ?>').className = 'nothiddenfield'; document.getElementById('oauthB<?php echo $i ?>').className = 'nothiddenfield'; document.getElementById('oauthC<?php echo $i ?>').className = 'nothiddenfield'; document.getElementById('oauthD<?php echo $i ?>').className = 'nothiddenfield';} else { document.getElementById('oauthA<?php echo $i ?>').className = 'hiddenfield'; document.getElementById('oauthB<?php echo $i ?>').className = 'hiddenfield'; document.getElementById('oauthC<?php echo $i ?>').className = 'hiddenfield'; document.getElementById('oauthD<?php echo $i ?>').className = 'hiddenfield'; }"><OPTION VALUE="basic" <?php if($options[statusauthtype][$i] == "basic") { echo ' SELECTED'; } ?>">Basic Auth</OPTION><OPTION VALUE="oauth" <?php if($options[statusauthtype][$i] == "oauth") { echo ' SELECTED'; } ?>">Oauth</OPTION></SELECT> - </th> - <th id="server" class="manage-column column-title" style="" scope="col"><INPUT TYPE=text ID=statusserver<?php echo $i ?> <?php if ($options[statustype][$i] == "twitter") { echo 'CLASS=hiddenfield'; } ?> NAME=statusserver[<?php echo $i ?>] VALUE="<?php echo $options[statusserver][$i]; ?>" SIZE=20></th> - <th id="path" class="manage-column column-title" style="" scope="col"><INPUT TYPE=text ID=statuspath<?php echo $i ?> <?php if ($options[statustype][$i] == "twitter") { echo 'CLASS=hiddenfield'; } ?> NAME=statuspath[<?php echo $i ?>] VALUE="<?php echo $options[statuspath][$i]; ?>" SIZE=20></th> - <th id="user" class="manage-column column-title" style="" scope="col"><B ID=oauthA<?php echo $i ?> <?php if ($options[statusauthtype][$i] != "oauth") { echo 'CLASS=hiddenfield'; } ?>>Consumer key:</B><INPUT TYPE=text NAME=statususer[<?php echo $i ?>] VALUE="<?php echo $options[statususer][$i]; ?>" SIZE=20><BR /><B ID=oauthC<?php echo $i ?> <?php if ($options[statusauthtype][$i] != "oauth") { echo 'CLASS=hiddenfield'; } ?>>Consumer Secret:<INPUT TYPE=text NAME=statususer2[<?php echo $i ?>] VALUE="<?php echo $options[statususer2][$i]; ?>" SIZE=20></B></th> - <th id="pwd" class="manage-column column-title" style="" scope="col"><B ID=oauthB<?php echo $i ?> <?php if ($options[statusauthtype][$i] != "oauth") { echo 'CLASS=hiddenfield'; } ?>>Access Token:</B><INPUT TYPE=password NAME=statuspwd[<?php echo $i ?>] VALUE="<?php echo $options[statuspwd][$i]; ?>" SIZE=20><BR /><B ID=oauthD<?php echo $i ?> <?php if ($options[statusauthtype][$i] != "oauth") { echo 'CLASS=hiddenfield'; } ?>>Access Token Secret:<INPUT TYPE=text NAME=statuspwd2[<?php echo $i ?>] VALUE="<?php echo $options[statuspwd2][$i]; ?>" SIZE=20></B></th> - <th id="prefix" class="manage-column column-title" style="" scope="col"><INPUT TYPE=text NAME=statusprefix[<?php echo $i ?>] VALUE="<?php echo $options[statusprefix][$i]; ?>" SIZE=20></th> - <th id="suffix" class="manage-column column-title" style="" scope="col"><INPUT TYPE=text NAME=statussuffix[<?php echo $i ?>] VALUE="<?php echo $options[statussuffix][$i]; ?>" SIZE=20></th> - </tr> - <?php - } -?> </tbody> - </table> - - <div class="submit"><input type="submit" name="info_update" value="Update Options" class="button-primary" /></div></form> - <a target="_blank" href="http://feed.xaviermedia.com/xm-wordpress-stuff/"><img src="http://feeds.feedburner.com/xm-wordpress-stuff.1.gif" alt="XavierMedia.com - Wordpress Stuff" style="border:0"></a><BR/> - - <?php - -} - -function wpstatusnet_addoption() -{ - if (function_exists('add_options_page')) - { - add_options_page('WP-Status.net', 'WP-Status.net', 0, basename(__FILE__), 'wpstatusnet_options'); - } -} - -add_action('admin_menu', 'wpstatusnet_addoption'); - -?> diff --git a/wp-content/plugins/wptouch/admin-css/bnc-compressed-global.css b/wp-content/plugins/wptouch/admin-css/bnc-compressed-global.css deleted file mode 100644 index 1aff65a6e9597c88c5dbf13e70dc4fed11bd8795..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/admin-css/bnc-compressed-global.css +++ /dev/null @@ -1,33 +0,0 @@ -/* @override - http://wptouch.com/wp-content/plugins/wptouch/admin-css/bnc-compressed-global.css - http://www.wptouch.com/wp-content/plugins/wptouch/admin-css/bnc-compressed-global.css -*/ - -/* ColorPicker & FancyBox Compressed */ - -/* @group Colorpicker */ - -.colorpicker{width:356px;height:176px;overflow:hidden;position:absolute;background:url(../images/colorpicker/colorpicker_background.png);font-family:Arial,Helvetica,sans-serif;display:none;}.colorpicker_color{width:150px;height:150px;left:14px;top:13px;position:absolute;background:#f00;overflow:hidden;cursor:crosshair;}.colorpicker_color div{position:absolute;top:0;left:0;width:150px;height:150px;background:url(../images/colorpicker/colorpicker_overlay.png);}.colorpicker_color div div{position:absolute;top:0;left:0;width:11px;height:11px;overflow:hidden;background:url(../images/colorpicker/colorpicker_select.gif);margin:-5px 0 0 -5px;}.colorpicker_hue{position:absolute;top:13px;left:171px;width:35px;height:150px;cursor:n-resize;}.colorpicker_hue div{position:absolute;width:35px;height:9px;overflow:hidden;background:url(../images/colorpicker/colorpicker_indic.gif) left top;margin:-4px 0 0 0;left:0px;}.colorpicker_new_color{position:absolute;width:60px;height:30px;left:213px;top:13px;background:#f00;}.colorpicker_current_color{position:absolute;width:60px;height:30px;left:283px;top:13px;background:#f00;}.colorpicker input{background-color:transparent;border:1px solid transparent;position:absolute;font-size:10px;font-family:Arial,Helvetica,sans-serif;color:#898989;top:4px;right:11px;text-align:right;margin:0;padding:0;height:11px;}.colorpicker_hex{position:absolute;width:72px;height:22px;background:url(../images/colorpicker/colorpicker_hex.png) top;left:212px;top:142px;}.colorpicker_hex input{right:6px;}.colorpicker_field{height:22px;width:62px;background-position:top;position:absolute;}.colorpicker_field span{position:absolute;width:12px;height:22px;overflow:hidden;top:0;right:0;cursor:n-resize;}.colorpicker_rgb_r{background-image:url(../images/colorpicker/colorpicker_rgb_r.png);top:52px;left:212px;}.colorpicker_rgb_g{background-image:url(../images/colorpicker/colorpicker_rgb_g.png);top:82px;left:212px;}.colorpicker_rgb_b{background-image:url(../images/colorpicker/colorpicker_rgb_b.png);top:112px;left:212px;}.colorpicker_hsb_h{background-image:url(../images/colorpicker/colorpicker_hsb_h.png);top:52px;left:282px;}.colorpicker_hsb_s{background-image:url(../images/colorpicker/colorpicker_hsb_s.png);top:82px;left:282px;}.colorpicker_hsb_b{background-image:url(../images/colorpicker/colorpicker_hsb_b.png);top:112px;left:282px;}.colorpicker_submit{position:absolute;width:22px;height:22px;background:url(../images/colorpicker/colorpicker_submit.png) top;left:322px;top:142px;overflow:hidden;}.colorpicker_focus{background-position:center;}.colorpicker_hex.colorpicker_focus{background-position:bottom;}.colorpicker_submit.colorpicker_focus{background-position:bottom;}.colorpicker_slider{background-position:bottom;} - -/* @end */ - -/* @group Fancybox */ - -div#fancy_overlay{position:fixed;top:0;left:0;width:100%;height:100%;display:none;z-index:30;}div#fancy_loading{position:absolute;height:40px;width:40px;cursor:pointer;display:none;overflow:hidden;background:transparent;z-index:100;}div#fancy_loading div{position:absolute;top:0;left:0;width:40px;height:480px;background:transparent url('../images/fancybox/fancy_progress.png') no-repeat;}div#fancy_outer{position:absolute;top:0;left:0;z-index:90;padding:20px 20px 25px;margin:0;background:transparent;display:none;}div#fancy_inner{position:relative;width:100%;height:100%;background:#FFF;}div#fancy_content{z-index:100;position:absolute;margin-top:0;margin-right:0;margin-bottom:0;}div#fancy_div{background:#eee;color:#444;height: 100%;width: 100%;z-index:100;text-shadow:#fff 0 1px 0;position:relative; - margin: 0; - border: 1px solid #c0ccce; -} -div#fancy_div p {padding: 5px;} -div#fancy_div h2 { - background-color: #cee6ef; - padding-bottom: 10px; - padding-top: 10px; - padding-left: 10px; - margin: 0; - border-bottom: 1px solid #c5d2d8; - letter-spacing: -1px; -}img#fancy_img{position:absolute;top:0;left:0;border:0;padding:0;margin:0;z-index:100;width:100%;height:100%;}div#fancy_close{position:absolute;top: -15px;height:30px;width:30px;background:url('../images/fancybox/fancy_closebox.png') top left no-repeat;cursor:pointer;z-index:181;display:none;left: -15px;}#fancy_frame{position:relative;width:100%;height:100%;display:none;}#fancy_ajax{width:100%;height:100%;overflow:auto;}a#fancy_left,a#fancy_right{position:absolute;bottom:0px;height:100%;width:35%;cursor:pointer;z-index:111;display:none;background-image:url("data:image/gif;base64,AAAA");outline:none;overflow:hidden;}a#fancy_left{left:0px;}a#fancy_right{right:0px;}span.fancy_ico{position:absolute;top:50%;margin-top:-15px;width:30px;height:30px;z-index:112;cursor:pointer;display:block;}span#fancy_left_ico{left:-9999px;background:transparent url('../images/fancybox/fancy_left.png') no-repeat;}span#fancy_right_ico{right:-9999px;background:transparent url('../images/fancybox/fancy_right.png') no-repeat;}a#fancy_left:hover,a#fancy_right:hover{visibility:visible;background-color:transparent;}a#fancy_left:hover span{left:20px;}a#fancy_right:hover span{right:20px;}#fancy_bigIframe{position:absolute;top:0;left:0;width:100%;height:100%;background:transparent;}div#fancy_bg{position:absolute;top:0;left:0;width:100%;height:100%;z-index:70;border:0;padding:0;margin-top:0;margin-right:0;margin-bottom:0;}div.fancy_bg{position:absolute;display:block;z-index:70;border:0;padding:0;margin:0;}div#fancy_bg_n{top:-20px;width:100%;height:20px;background:transparent url('../images/fancybox/fancy_shadow_n.png') repeat-x;}div#fancy_bg_ne{top:-20px;right:-20px;width:20px;height:20px;background:transparent url('../images/fancybox/fancy_shadow_ne.png') no-repeat;}div#fancy_bg_e{right:-20px;height:100%;width:20px;background:transparent url('../images/fancybox/fancy_shadow_e.png') repeat-y;}div#fancy_bg_se{bottom:-20px;right:-20px;width:20px;height:20px;background:transparent url('../images/fancybox/fancy_shadow_se.png') no-repeat;}div#fancy_bg_s{bottom:-20px;width:100%;height:20px;background:transparent url('../images/fancybox/fancy_shadow_s.png') repeat-x;}div#fancy_bg_sw{bottom:-20px;left:-20px;width:20px;height:20px;background:transparent url('../images/fancybox/fancy_shadow_sw.png') no-repeat left bottom;}div#fancy_bg_w{left:-20px;height:100%;width:20px;background:transparent url('../images/fancybox/fancy_shadow_w.png') repeat-y;}div#fancy_bg_nw{top:-20px;left:-20px;width:20px;height:20px;background:transparent url('../images/fancybox/fancy_shadow_nw.png') no-repeat;} - - - -/* @end */ \ No newline at end of file diff --git a/wp-content/plugins/wptouch/admin-css/bnc-global.css b/wp-content/plugins/wptouch/admin-css/bnc-global.css deleted file mode 100644 index 5a3fc7401fd8011a9cebfd08e2a71daae87f2286..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/admin-css/bnc-global.css +++ /dev/null @@ -1,206 +0,0 @@ -/* @override http://beta.bravenewcode.com/wordpress/wp-content/plugins/wptouch/admin-css/bnc-global.css */ - -/* Global styles applied to BraveNewCode plugins */ - -/* @group Global Plugin Styles */ - -#bnc-global { - color: #444; - margin-bottom: 35px; - width: 98%; -} - -#bnc-global .postbox { - position: relative; - overflow: hidden; - background-color: #fff; - padding: 10px; -} - -#bnc-global .postbox h3 { - margin: -10px -10px 0; - cursor: default; -} - -#bnc-global a { - text-decoration: none; -} - -#bnc-global a.orange-link { - color: #d54e21; -} - -#bnc-global a.orange-link:hover { - color: #3c627f; -} - -#bnc-global a.fancylink { - color: red; - font-weight: bold; - text-decoration: underline; -} - -#bnc-global, #bnc-global .postbox, #bnc-global .postbox ul, #bnc-global .postbox p, #bnc-global p { - margin-top: 10px; -} - -#bnc-global .left-content { - width: 28%; - float: left; - padding-right: 10px; - margin-top: 10px; - position: relative; -} - -#bnc-global .left-content h4 { - margin: 2px 0 0; - padding: 0 0 4px; - letter-spacing: 0; - color: #d54e21; -} - -#bnc-global .left-content p { - margin-top: 0; -} - -#bnc-global .left-content ul { - -webkit-border-radius: 5px; - -moz-border-radius: 5px; -} - -#bnc-global .left-content li { - color: #536e90; - margin: 0 5px; - padding: 1px 0; - list-style-type: circle; - list-style-position: inside; -} - -#bnc-global .right-content li { - list-style-type: none; -} - -#bnc-global .right-content { - width: 63%; - float: left; - margin-left: 3%; - border-left: 1px solid #e6e6e6; - padding-left: 10px; - padding-bottom: 50px; -} - -#bnc-global .bnc-clearer { - clear: both; -} - -#bnc-global select { - vertical-align: baseline; - width: 176px; - margin-right: 5px; -} - -#bnc-global input.checkbox { - margin-right: 5px; - vertical-align: middle; - width: auto; - border-style: none; -} - -#bnc-global input { - -webkit-border-radius: 3px; - -moz-border-radius: 3px; - margin-right: 7px; - width: 177px; - color: #555; - margin-left: 5px; -} - -#bnc-global input:focus { - background-color: #fff; -} - -#bnc-global ul.wptouch-make-li-italic li { - font-style: italic; -} - -/* @end */ - -/* @group Global H3 Icons */ - -#bnc-global h3 span { - background: no-repeat 0 0; - height: 16px; - margin-right: 5px; - width: 16px; - display: block; - float: left; - bottom: 2px; - position: relative; -} - -#bnc-global h3 span.global-settings { - background: url(../images/h3_icons/general.png); -} - -#bnc-global h3 span.advanced-options { - background: url(../images/h3_icons/advanced.png); -} - -#bnc-global h3 span.push-options { - background: url(../images/h3_icons/push.png); -} - -#bnc-global h3 span.style-options { - background: url(../images/h3_icons/style.png); -} - -#bnc-global h3 span.icon-options { - background: url(../images/h3_icons/iconpool.png); -} - -#bnc-global h3 span.page-options { - background: url(../images/h3_icons/page.png); -} - -#bnc-global h3 span.adsense-options { - background: url(../images/h3_icons/adsense.png); -} - -#bnc-global h3 span.plugin-options { - background: url(../images/h3_icons/plugin.png); -} - -#bnc-global h3 span.rss-head { - background: url(../images/h3_icons/rss.png) 0 1px; -} - -#bnc-global h3 span.news-head { - background: url(../images/h3_icons/megaphone.png) 0 1px; -} - -/* @end */ - -/* @group Save/Restore Button Area */ - -#bnc-global input#bnc-button { - color: #fff; -} - -#bnc-global input#bnc-button, #bnc-global input#bnc-button-reset { - border: 2px solid #b2cfe4; - float: left; - width: 12%; - padding: 4px; -} - -#bnc-global input#bnc-button-reset:hover { - border-color: red; - color: red; -} - -#bnc-global input#bnc-button:hover { - border: 2px solid #305769; - color: #cdebfd; -} - -/* @end */ \ No newline at end of file diff --git a/wp-content/plugins/wptouch/admin-css/wptouch-admin.css b/wp-content/plugins/wptouch/admin-css/wptouch-admin.css deleted file mode 100644 index 41f6fd0359bddce6d95ec6176ac1d4fb81fa05a1..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/admin-css/wptouch-admin.css +++ /dev/null @@ -1,527 +0,0 @@ -/* @override http://beta.bravenewcode.com/wordpress/wp-content/plugins/wptouch/admin-css/wptouch-admin.css */ - -/* WPtouch 1.9 Admin CSS */ - -/* @group head-area.php */ - -#wptouch-head .postbox { - background: #fff url(../images/wptouch-icon.jpg) no-repeat 100% 74px; - overflow: hidden; - position: relative; - min-height: 216px; - height: 218px; -} - -#wptouch-head #wptouch-head-colour { - background-color: #d7ebf7; - padding: 10px; - margin: -10px -10px -20px; -} - -#wptouch-head-title { - color: #333c42; - text-shadow: #f6f8fd 0 1px 0; - letter-spacing: -1px; - margin: 0; - padding: 0; - float: left; - font-size: 22px; -} - -#wptouch-head .postbox img.ajax-load { - margin-left: 5px; - margin-bottom: -2px; -} - -#wptouch-head-links { - float: right; - position: relative; - bottom: 6px; -} - -#wptouch-head-links a { - color: #62727c; - font-weight: normal; - text-shadow: rgba(255,255,255,.5) 0 1px 0; - font-style: normal; - padding-right: 5px; - padding-left: 5px; -} - -#wptouch-head-links a:hover { - color: #d54e21; - text-shadow: #cedeea 0 1px 0; -} - -#wptouch-head-links li { - display: inline; - color: #618299; - text-shadow: #bfdfe8 1px 1px 0; -} - -#wptouch-news-support { - -webkit-border-radius: 5px; - -moz-border-radius: 5px; - margin-top: 30px; - width: 100%; - height: 140px; - text-transform: capitalize; -} - -#wptouch-head h3 { - color: #444; - -webkit-border-radius: 0px; - -moz-border-radius: 0px; -} - -#wptouch-head li.ajax-error { - color: #555; -} - -/* @group Latest News */ - -#wptouch-news-wrap { - float: left; - width: 53%; - margin: 0; - padding: 0; -} - -#wptouch-news-wrap h3 { - padding-left: 10px; - display: block; - width: 100%; - height: 15px; -} - -#wptouch-support-wrap { - color: #777; - float: left; - width: 47%; - padding: 0; - margin-top: 0; - margin-right: 0; - margin-bottom: 0; -} - -#wptouch-support-wrap ul { -} - -#wptouch-support-wrap ul li { - width: 70%; - text-overflow: ellipsis; - white-space: nowrap; - overflow: hidden; -} - -#wptouch-support-wrap ul li a{ - text-overflow: ellipsis; -} - -#wptouch-support-wrap h3 { - display: block; - width: 100%; - position: relative; - padding-right: 12px; - height: 15px; -} - -#wptouch-news-support li { - border-bottom: 1px solid #e6e6e6; - margin: 0; - padding: 5px 0 5px 12px; - list-style-type: disc; - list-style-position: inside; - color: #c1cfd1; - width: 80%; - text-indent: -12px; -} - -#wptouch-news-support li:last-child { - border-bottom-style: none; -} - -#wptouch-news-support p#find-out-more { - font-weight: bold; - position: absolute; - right: 380px; - top: 195px; -} - -/* @end */ - -/* @end */ - -/* @group general-settings.php */ - -#bnc-global input.no-right-margin { - position: relative; - right: 5px; -} - -#bnc-global input.no-right-margin.footer-msg { - width: 45%; -} - -#bnc-global strong.no-pages { - color: red; - padding: 6px 15px 7px 25px; - display: inline-block; - margin-bottom: 15px; - border: 1px dashed #cf931d; - -moz-border-radius: 3px; - -webkit-border-radius: 3px; - background: #fee8b9 url(../images/sortof.png) no-repeat 5px center; - margin-top: 5px; -} - -/* @end */ - -/* @group advanced-area.php */ - -em.supported { - color: #8a9ba8; - display: block; - line-height: 16px; - margin-top: 3px; -} - -/* @end */ - -/* @group push-area.php */ - -#push-area li input { - position: relative; - right: 5px; - width: 275px; -} - -#push-area li input.checkbox { - position: relative; - left: 0; -} - -#push-area li select { - width: auto; -} - -/* @end */ - -/* @group style-area.php */ - -#bnc-global ul.wptouch-select-options li { - margin-left: 6px; -} - -/* @group Skins-Menu */ - -#bnc-global .skins-desc input { - width: 54px; -} - -#bnc-global .skins-desc select { - width: 120px; - margin-left: 12px; -} - -/* @end */ - -/* @end */ - -/* @group icons-area.php */ - -#bnc-global ul.wptouch-iconblock { - width: auto; - height: auto; -} - -#bnc-global ul.wptouch-iconblock li { - width: 80px; - color: #666; - font-size: 9px; - text-align: center; - margin: 3px; - height: 55px; - padding-top: 10px; - position: relative; - float: left; -} - -#bnc-global .default ul.wptouch-iconblock li { - background-color: #fefae7; - border: 1px dashed #dcdcdc; - -webkit-border-radius: 5px; - -moz-border-radius: 5px; -} - -#bnc-global .custom ul.wptouch-iconblock li { - background-color: #e6f4fe; - border: 1px dashed #becbcf; - -webkit-border-radius: 5px; - -moz-border-radius: 5px; -} - -#bnc-global .custom ul.wptouch-iconblock li:hover { - border-style: solid; - border-color: #c58989; - background-color: #fba7a7; - color: #000; -} - -#bnc-global ul.wptouch-iconblock li span { - margin-top: 4px; - display: block; -} - -#bnc-global .custom ul.wptouch-iconblock li span { - display: block; - width: 91%; - text-overflow: ellipsis; - white-space: nowrap; - overflow: hidden; - margin-left: 7%; -} - -#bnc-global .custom ul.wptouch-iconblock li a { - color: red; - display: inline; -} - -#bnc-global ul.wptouch-iconblock img { - width: 32px; - height: 32px; -} - -#bnc-global #upload-icon { - width: 30%; - border-width: 1px; - -webkit-border-radius: 12px; - -moz-border-radius: 12px; - border-radius: 12px; - padding: 4px 12px; - height: 14px; - text-align: center; -} - -#bnc-global #upload-icon:active { - border: 1px solid #6d94b1; -} - -#bnc-global #upload_progress { - position: relative; - display: block; - font-weight: bold; - color: #1a4977; - margin-top: 10px; -} - -#bnc-global #upload_progress img { - position: relative; - top: 4px; -} - -#bnc-global #extras_button { - display: block; - border-top: 1px solid #eee; - padding-top: 10px; -} - -#bnc-global #available_icons .left-content p strong { - width: 100%; - overflow: auto; - display: block; - margin-top: 10px; -} - -/* @end */ - -/* @group page-area.php */ - -#bnc-global .wptouch-pages span { - display: block; - margin-top: 5px; - text-align: left; - width: 68%; - float: right; -} - -#bnc-global .wptouch-pages strong { - color: red; - padding: 6px 15px 7px 25px; - display: inline-block; - margin-bottom: 15px; - border: 1px dashed #cf931d; - -moz-border-radius: 3px; - -webkit-border-radius: 3px; - background: #fee8b9 url(../images/sortof.png) no-repeat 5px center; - margin-top: 5px; -} - -#bnc-global .wptouch-pages select { - width: 30%; -} - -#bnc-global .wptouch-pages .checkbox { - margin-left: -1px; -} - -/* @end */ - -/* @group ads-stats-area.php */ - -textarea#wptouch-stats { - -webkit-border-radius: 5px; - -moz-border-radius: 5px; - width: 95%; - margin-left: 5px; - margin-top: 45px; - height: 100px; - margin-bottom: 15px; - color: #444; - font-size: 11px; - border-width: 2px; - border-color: #a4c6d3; - background-color: #ebf1ff; -} - -/* @end */ - -/* @group plugin-compat-area.php */ - -#bnc-global .all-good { - border: 1px solid #8aceff; - padding: 3px 15px 4px 27px; - display: block; - margin-bottom: 5px; - font-size: 11px; - line-height: 15px; - -moz-border-radius: 3px; - -webkit-border-radius: 3px; - background: #e2f5fe url(../images/good.png) no-repeat 5px center; -} - -#bnc-global .sort-of { - border: 1px solid #f8c44f; - background: #fee8b9 url(../images/sortof.png) no-repeat 5px center; - padding: 3px 15px 4px 27px; - display: block; - margin-bottom: 5px; - font-size: 11px; - line-height: 15px; - -moz-border-radius: 3px; - -webkit-border-radius: 3px; -} - -#bnc-global .too-bad { - border: 1px solid #f96764; - padding: 3px 15px 4px 27px; - display: block; - margin-bottom: 5px; - font-size: 11px; - line-height: 15px; - -moz-border-radius: 3px; - -webkit-border-radius: 3px; - background: #fcb2b5 url(../images/bad.png) no-repeat 5px center; -} - -#bnc-global img.support { - position: relative !important; - top: 4px; - margin-right: 1px; -} - -#bnc-global .left-content p.wpv { - margin: 2px 0 5px; - padding: 0; - font-weight: bold; -} - -#bnc-global .left-content p.wptv { - padding: 0 0 10px; - border-bottom: 1px solid #dcdcdc; - font-style: italic; -} - -#bnc-global .left-content span.go, #bnc-global .right-content p.valid { - font-weight: bold; - color: green; -} - -#bnc-global .left-content span.caution { - color: #f8b615; - font-weight: bold; -} - -#bnc-global .left-content span.red, .right-content p.invalid { - color: red; - font-weight: bold; -} - -/* @end */ - -/* @group Settings/Reset Updated */ - -#bnc-global #wptouchupdated { - position: fixed; - top: 0; - left: 0; - z-index: 1000; - overflow: hidden; - margin-left: auto; - margin-right: auto; - opacity: 0.9; - height: 45px; - width: 100%; -} - -#bnc-global #wptouchupdated p.saved { - -webkit-border-bottom-right-radius: 12px; - -webkit-border-bottom-left-radius: 12px; - -moz-border-radius-bottomright: 12px; - -moz-border-radius-bottomleft: 12px; - border-bottom-right-radius: 12px; - border-bottom-left-radius: 12px; - color: green; - text-align: center; - text-shadow: #fff 0 1px 1px; - font: bold 14px "Myriad Pro", "Trebuchet MS", "Lucida Sans Unicode", sans-serif; - background: #e0e2e2 url(../images/settings_small.png) no-repeat 12px 7px; - margin-left: auto; - margin-right: auto; - padding: 4px; - margin-top: 0; - height: 28px; - width: 135px; - border: 1px solid #b2cde0; - border-top-style: none; -} - -#bnc-global #wptouchupdated p.reset { - -webkit-border-bottom-right-radius: 12px; - -webkit-border-bottom-left-radius: 12px; - -moz-border-radius-bottomright: 12px; - -moz-border-radius-bottomleft: 12px; - border-bottom-right-radius: 12px; - border-bottom-left-radius: 12px; - color: green; - text-align: center; - text-shadow: #fff 0 1px 1px; - font: bold 14px "Myriad Pro", "Trebuchet MS", "Lucida Sans Unicode", sans-serif; - background: #e0e2e2 url(../images/wand_small.png) no-repeat 12px 7px; - margin-left: auto; - margin-right: auto; - padding: 4px; - margin-top: 0; - height: 28px; - width: 160px; - border: 1px solid #b2cde0; - border-top-style: none; -} - -#bnc-global #wptouchupdated p span { - display: block; - margin-top: 6px; - margin-left: 33px; -} - -/* @end */ \ No newline at end of file diff --git a/wp-content/plugins/wptouch/ajax/file_upload.php b/wp-content/plugins/wptouch/ajax/file_upload.php deleted file mode 100755 index 5f5188a56536947956d86fc8d6fed257cea2bc3c..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/ajax/file_upload.php +++ /dev/null @@ -1,33 +0,0 @@ -<?php - $max_size = 128*4096; // 512k - $directory_list = array(); - - if ( current_user_can( 'upload_files' ) ) { - check_ajax_referer( 'wptouch-upload' ); - $upload_dir = compat_get_upload_dir() . "/wptouch/custom-icons" . ltrim( $dir[1], '/' ); - $dir_paths = explode( '/', $upload_dir ); - $dir = ''; - foreach ( $dir_paths as $path ) { - $dir = $dir . "/" . $path; - if ( !file_exists( $dir ) ) { - @mkdir( $dir, 0755 ); - } - } - - if ( isset( $_FILES['submitted_file'] ) ) { - $f = $_FILES['submitted_file']; - if ( $f['size'] <= $max_size) { - if ( $f['type'] == 'image/png' || $f['type'] == 'image/jpeg' || $f['type'] == 'image/gif' || $f['type'] == 'image/x-png' || $f['type'] == 'image/pjpeg' ) { - @move_uploaded_file( $f['tmp_name'], $upload_dir . "/" . $f['name'] ); - - if ( !file_exists( $upload_dir . "/" . $f['name'] ) ) { - echo __('<p style="color:red; padding-top:10px">There seems to have been an error.<p>Please try your upload again.</p>', 'wptouch' ); - } else { - echo __( '<p style="color:green; padding-top:10px">File has been saved and added to the pool.</p>', 'wptouch' ); - } - } else { - echo __( '<p style="color:orange; padding-top:10px">Sorry, only PNG, GIF and JPG images are supported.</p>', 'wptouch' ); - } - } else echo __( '<p style="color:orange; padding-top:10px">Image too large. try something like 59x60.</p>', 'wptouch' ); - } - } else echo __( '<p style="color:orange; padding-top:10px">Insufficient privileges.</p><p>You need to either be an admin or have more control over your server.</p>', 'wptouch' ); \ No newline at end of file diff --git a/wp-content/plugins/wptouch/ajax/news.php b/wp-content/plugins/wptouch/ajax/news.php deleted file mode 100644 index b8a8a4e949223a873cd7db5c9e9c9ca96db49120..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/ajax/news.php +++ /dev/null @@ -1,30 +0,0 @@ -<?php require_once( ABSPATH . WPINC . '/feed.php' ); ?> - -<ul> - <?php $max_items = 0; ?> - <?php if ( function_exists( 'fetch_feed' ) ) { - - // Get a SimplePie feed object from the specified feed source. - $rss = fetch_feed( 'http://www.bravenewcode.com/tag/wptouch/feed/' ); - if ( !is_wp_error( $rss ) ) { // Checks that the object is created correctly - // Figure out how many total items there are, but limit it to 5. - $max_items = $rss->get_item_quantity(5); - $rss_items = $rss->get_items( 0, $max_items ); - } - - if ( $max_items == 0 ) { - echo __( '<li class="ajax-error">No feed items found to display.</li>', 'wptouch' ); - } else { - // Loop through each feed item and display each item as a hyperlink. - foreach ( $rss_items as $item ) { ?> - <li> - <a target="_blank" class="orange-link" href='<?php echo $item->get_permalink(); ?>' title='<?php echo 'Posted '.$item->get_date('j F Y | g:i a'); ?>'> - <?php echo $item->get_title(); ?> - </a> - </li> <?php - } - } - } else { - echo __(' <li class="ajax-error">No feed items found to display.</li>', 'wptouch' ); - } ?> -</ul> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/ajax/support.php b/wp-content/plugins/wptouch/ajax/support.php deleted file mode 100644 index c4f3b412920256703cf4f58966a4b83ae56b2519..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/ajax/support.php +++ /dev/null @@ -1,30 +0,0 @@ -<?php require_once( ABSPATH . WPINC . '/feed.php' ); ?> - -<ul> - <?php $max_items = 0; ?> - <?php if ( function_exists( 'fetch_feed' ) ) { - - // Get a SimplePie feed object from the specified feed source. - $rss = fetch_feed( 'http://www.bravenewcode.com/support/rss/forum/wptouch' ); - if ( !is_wp_error( $rss ) ) { // Checks that the object is created correctly - // Figure out how many total items there are, but limit it to 5. - $max_items = $rss->get_item_quantity(6); - $rss_items = $rss->get_items( 0, $max_items ); - } - - if ( $max_items == 0 ) { - echo __( '<li class="ajax-error">No feed items found to display.</li>', 'wptouch' ); - } else { - // Loop through each feed item and display each item as a hyperlink. - foreach ( $rss_items as $item ) { ?> - <li> - <a target="_blank" class="orange-link" href='<?php echo $item->get_permalink(); ?>' title='<?php echo 'Posted '.$item->get_date('j F Y | g:i a'); ?>'> - <?php echo $item->get_title(); ?> - </a> - </li> <?php - } - } - } else { - echo __( '<li class="ajax-error">No feed items found to display.</li>', 'wptouch' ); - } ?> -</ul> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/html/ads-stats-area.php b/wp-content/plugins/wptouch/html/ads-stats-area.php deleted file mode 100755 index f083a2fafc0e32e8295b188858ffafff3c21bce2..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/html/ads-stats-area.php +++ /dev/null @@ -1,34 +0,0 @@ -<?php global $wptouch_settings; ?> - -<div class="metabox-holder"> - <div class="postbox"> - <h3><span class="adsense-options"> </span><?php _e( "Adsense, Stats & Custom Code", "wptouch" ); ?></h3> - - <div class="left-content"> - <h4><?php _e( "Adsense", "wptouch" ); ?></h4> - <p><?php _e( "Enter your Google AdSense ID if you'd like to support mobile advertising in WPtouch posts.", "wptouch" ); ?></p> - <p><?php _e( "Make sure to include the 'pub-' part of your ID string.", "wptouch" ); ?></p> - <br /> - <h4><?php _e( "Stats & Custom Code", "wptouch" ); ?></h4> - <p><?php _e( "If you'd like to capture traffic statistics ", "wptouch" ); ?><br /><?php _e( "(Google Analytics, MINT, etc.)", "wptouch" ); ?></p> - <p><?php _e( "Enter the code snippet(s) for your statistics tracking.", "wptouch" ); ?> <?php _e( "You can also enter custom CSS & other HTML code.", "wptouch" ); ?> <a href="#css-info" class="fancylink">?</a></p> - <div id="css-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "You may enter a custom css file link easily. Simply add the full link to the css file like this:", "wptouch" ); ?></p> - <p><?php _e( "<code><style type="text/css">#mydiv { color: red; }</style></code>", "wptouch" ); ?></p> - </div> - - </div><!-- left content --> - - <div class="right-content"> - <ul class="wptouch-make-li-italic"> - <li><input name="adsense-id" type="text" value="<?php echo $wptouch_settings['adsense-id']; ?>" /><?php _e( "Google AdSense ID", "wptouch" ); ?></li> - <li><input name="adsense-channel" type="text" value="<?php echo $wptouch_settings['adsense-channel']; ?>" /><?php _e( "Google AdSense Channel", "wptouch" ); ?></li> - </ul> - - <textarea id="wptouch-stats" name="statistics"><?php echo stripslashes($wptouch_settings['statistics']); ?></textarea> - - </div><!-- right content --> - <div class="bnc-clearer"></div> - </div><!-- postbox --> -</div><!-- metabox --> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/html/advanced-area.php b/wp-content/plugins/wptouch/html/advanced-area.php deleted file mode 100755 index 1386fc4009af830be2143449bdec9901b026bfec..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/html/advanced-area.php +++ /dev/null @@ -1,136 +0,0 @@ -<?php global $wptouch_settings; ?> - -<div class="metabox-holder"> - <div class="postbox"> - <h3><span class="advanced-options"> </span><?php _e( "Advanced Options", "wptouch" ); ?></h3> - - <div class="left-content"> - <p><?php _e( "Choose to enable/disable advanced features & options available for WPtouch.", "wptouch"); ?></p> - <p><?php _e( "* WPtouch Restricted Mode attempts to fix issues where other plugins load scripts which interfere with WPtouch CSS and JavaScript.", "wptouch" ); ?></p> - <br /> - <h4><?php _e( "Custom User-Agents", "wptouch" ); ?></h4> - <p><?php _e( "Enter a comma-separated list of user-agents to enable WPtouch for a device that isn't currently officially supported.", "wptouch" ); ?></p> - <p><?php echo sprintf( __( "The currently enabled user-agents are: <em class='supported'>%s</em>", "wptouch" ), implode( ", ", bnc_wptouch_get_user_agents() ) ); ?></p> - </div><!-- left-content --> - - <div class="right-content"> - <ul> - <li> - <input class="checkbox" type="checkbox" name="enable-zoom" <?php if ( isset( $wptouch_settings['enable-zoom']) && $wptouch_settings['enable-zoom'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-zoom"><?php _e( "Allow zooming on content", "wptouch" ); ?> <a href="#zoom-info" class="fancylink">?</a></label> - <div id="zoom-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "This will allow users to zoom in and out on content.", "wptouch" ); ?></p> - </div> - </li> - <li> - <input class="checkbox" type="checkbox" name="enable-cats-button" <?php if ( isset( $wptouch_settings['enable-cats-button']) && $wptouch_settings['enable-cats-button'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-cats-button"><?php _e( "Enable Categories tab in the header", "wptouch" ); ?> <a href="#cats-info" class="fancylink">?</a></label> - <div id="cats-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "This will add a 'Categories' tab item in the WPtouch drop-down.", "wptouch" ); ?></p> - <p><?php _e( "It will display a list of your popular categories.", "wptouch" ); ?></p> - </div> - </li> - <li> - <input class="checkbox" type="checkbox" name="enable-tags-button" <?php if ( isset( $wptouch_settings['enable-tags-button']) && $wptouch_settings['enable-tags-button'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-tags-button"><?php _e( "Enable Tags tab in the header", "wptouch" ); ?> <a href="#tags-info" class="fancylink">?</a></label> - <div id="tags-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "This will add a 'Tags' tab item in the WPtouch drop-down.", "wptouch" ); ?></p> - <p><?php _e( "It will display a list of your popular tags.", "wptouch" ); ?></p> - </div> - </li> - <li> - <input class="checkbox" type="checkbox" name="enable-search-button" <?php if (isset($wptouch_settings['enable-search-button']) && $wptouch_settings['enable-search-button'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-search-button"><?php _e( "Enable Search link in the header", "wptouch" ); ?> <a href="#search-info" class="fancylink">?</a></label> - <div id="search-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "This will add a 'Search' item in the WPtouch sub header.", "wptouch" ); ?></p> - <p><?php _e( "It will display an overlay on the title area allowing users to search your website.", "wptouch" ); ?></p> - </div> - </li> - <li> - <input class="checkbox" type="checkbox" name="enable-login-button" <?php if (isset($wptouch_settings['enable-login-button']) && $wptouch_settings['enable-login-button'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-login-button"><?php _e( "Enable Login/My Account tab in the header", "wptouch" ); ?> <a href="#login-info" class="fancylink">?</a></label> - <div id="login-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "This will add a 'Login' tab in the WPtouch sub header beside the Tags and Categories tabs if they are also enabled.", "wptouch" ); ?></p> - <p><?php _e( "It will display a username/password drop-down, allowing users to login plus be automatically re-directed back to the page they logged in from without seeing the WP admin.", "wptouch" ); ?></p> - <p><?php _e( "Once logged in, a new 'My Account' button will appear. The 'My Account' button shows useful links depending on the type of account (subscriber, admin, etc.).", "wptouch" ); ?></p> - <p><?php _e( "NOTE: The Account tab/links will always appear if you have enabled registration on your site or require users to login for comments.", "wptouch" ); ?></p> - </div> - </li> - <li> - <input class="checkbox" type="checkbox" <?php if (!function_exists( 'gigpress_shows' )) : ?>disabled="true"<?php endif; ?> name="enable-gigpress-button" <?php if (isset($wptouch_settings['enable-gigpress-button']) && $wptouch_settings['enable-gigpress-button'] == 1 && function_exists( 'gigpress_shows' )) echo('checked'); ?> /> - <label class="label" for="enable-show-tweets"> <?php _e( "Display Upcoming Dates link in the header (requires <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> or higher)", "wptouch" ); ?> <a href="#gigpress-tweet-info" class="fancylink">?</a></label> - <div id="gigpress-tweet-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "When this option is checked and the GigPress plugin is installed, a list of your Upcoming Shows will be viewable from a drop-down in the WPtouch header.", "wptouch" ); ?></p> - </div> - </li> - <li> - <input class="checkbox" type="checkbox" <?php if (!function_exists( 'wordtwit_get_recent_tweets' )) : ?>disabled="true"<?php endif; ?> name="enable-show-tweets" <?php if (isset($wptouch_settings['enable-show-tweets']) && $wptouch_settings['enable-show-tweets'] == 1 && function_exists( 'wordtwit_get_recent_tweets' )) echo('checked'); ?> /> - <label class="label" for="enable-show-tweets"> <?php _e( "Display Twitter link in the header (requires <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> or higher)", "wptouch" ); ?> <a href="#ajax-tweet-info" class="fancylink">?</a></label> - <div id="ajax-tweet-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "When this option is checked and the WordTwit plugin is installed, a list of your Tweets will be viewable from a drop-down in the WPtouch header.", "wptouch" ); ?></p> - </div><br /><br /> - </li> - <li> - <input class="checkbox" type="checkbox" name="enable-show-comments" <?php if (isset($wptouch_settings['enable-show-comments']) && $wptouch_settings['enable-show-comments'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-show-comments"> <?php _e( "Enable comments on posts", "wptouch" ); ?> <a href="#page-coms-info" class="fancylink">?</a></label> - <div id="page-coms-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "If unchecked, this will hide all commenting features on posts and blog listings.", "wptouch" ); ?></p> - </div> - </li> - <?php //If we actually have pages, show this option - if ( count( $pages ) ) { ?> - <li> - <input class="checkbox" type="checkbox" name="enable-page-coms" <?php if ( isset($wptouch_settings['enable-page-coms']) && $wptouch_settings['enable-page-coms'] == 1 ) echo('checked'); ?> /> - <label class="label" for="enable-page-coms"> <?php _e( "Enable comments on pages", "wptouch" ); ?> <a href="#page-coms-info" class="fancylink">?</a></label> - <div id="page-coms-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "This will add the comment form to all pages with 'Allow Comments' checked in your WordPress admin.", "wptouch" ); ?></p> - </div> - </li> - <?php } ?> - <li> - <input class="checkbox" type="checkbox" <?php if ( isset($wptouch_settings['enable-show-comments']) && $wptouch_settings['enable-show-comments'] == 0 ) echo ('disabled="true"');?> name="enable-gravatars" <?php if (isset($wptouch_settings['enable-gravatars']) && $wptouch_settings['enable-gravatars'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-gravatars"> <?php _e( "Enable gravatars in comments", "wptouch" ); ?></label> - </li> - <li> - <br /> - <input class="checkbox" type="checkbox" name="enable-regular-default" <?php if (isset($wptouch_settings['enable-regular-default']) && $wptouch_settings['enable-regular-default'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-regular-default"><?php echo sprintf(__( "1%sst%s visit mobile users will see desktop theme", "wptouch" ), '<sup>','</sup>'); ?> <a href="#reg-info" class="fancylink">?</a></label> - <div id="reg-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "When this option is checked, users will see your regular site theme first, and have the option in your footer to switch to the WPtouch mobile view.", "wptouch" ); ?></p> - <p><?php _e( "They'll be able to change back and forth either way. Make sure you have the wp_footer(); function call in your regular theme's footer.php file for the switch link to work properly.", "wptouch" ); ?></p> - </div> - </li> - <li> - <input class="checkbox" type="checkbox" name="enable-exclusive" <?php if (isset($wptouch_settings['enable-exclusive']) && $wptouch_settings['enable-exclusive'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-exclusive"> <?php _e( "Enable WPtouch Restricted Mode", "wptouch" ); ?> <a href="#restricted-info" class="fancylink">?</a></label> - <div id="restricted-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "Disallow other plugins from loading scripts into WPtouch's header and footer.", "wptouch" ); ?></p> - <p><?php _e( "Sometimes fixes incompatibilities and speeds up WPtouch.", "wptouch" ); ?></p> - <p><?php _e( "Some plugins load conflicting javascript, extra CSS style sheets, and other functional code into your theme to accomplish what they add to your site. As WPtouch works complete on its own without any other plugin installed, in some cases (where you have several plugins or find something doesn't work right with WPtouch) you may want to enable Restricted Mode to ensure that WPtouch works properly, and loads quickly for mobile users.", "wptouch" ); ?></p> - </div> - - <ul class="wptouch-make-li-italic"> - <li> - <input type="text" name="custom-user-agents" value="<?php if ( isset( $wptouch_settings['custom-user-agents'] ) ) echo implode( ', ', $wptouch_settings['custom-user-agents'] ); ?>" /><?php _e( "Custom user-agents", "wptouch" ); ?> - <?php if ( function_exists( 'wpsc_update_htaccess' ) ) { ?> - <br /><br /><?php _e( "After changing the user-agents, please visit the WP Super Cache admin page and update your rewrite rules.", "wptouch" ); ?> - <?php } ?> - </li> - </ul> - </li> - </ul> - </div><!-- right content --> - <div class="bnc-clearer"></div> - </div><!-- postbox --> -</div><!-- metabox --> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/html/general-settings-area.php b/wp-content/plugins/wptouch/html/general-settings-area.php deleted file mode 100755 index 0b58b0c0e47e655d7af9b40de92a4294193b6efc..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/html/general-settings-area.php +++ /dev/null @@ -1,146 +0,0 @@ -<?php global $wptouch_settings; ?> - -<div class="metabox-holder"> - <div class="postbox"> - <h3><span class="global-settings"> </span><?php _e( "General Settings", "wptouch" ); ?></h3> - - <div class="left-content"> - <h4><?php _e( "Regionalization Settings", "wptouch" ); ?></h4> - <p><?php _e( "Select the language for WPtouch. Custom .mo files should be placed in wp-content/wptouch/lang.", "wptouch" ); ?></p> - <br /><br /> - - <h4><?php _e( "Home Page Re-Direction", "wptouch" ); ?></h4> - <p><?php echo sprintf( __( "WPtouch by default follows your %sWordPress » Reading Options%s.", "wptouch"), '<a href="options-reading.php">', '</a>' ); ?></p> - - <h4><?php _e( "Site Title", "wptouch" ); ?></h4> - <p><?php _e( "You can change your site title (if needed) in WPtouch.", "wptouch" ); ?></p> - - <br /><br /> - - <h4><?php _e( "Excluded Categories", "wptouch" ); ?></h4> - <p><?php _e( "Categories by ID you want excluded everywhere in WPtouch.", "wptouch" ); ?></p> - - <h4><?php _e( "Excluded Tags", "wptouch" ); ?></h4> - <p><?php _e( "Tags by ID you want excluded everywhere in WPtouch.", "wptouch" ); ?></p> - - <br /><br /> - - <h4><?php _e( "Text Justification Options", "wptouch" ); ?></h4> - <p><?php _e( "Set the alignment for text.", "wptouch" ); ?></p> - - <br /><br /> - - <h4><?php _e( "Post Listings Options", "wptouch" ); ?></h4> - <p><?php _e( "Choose between calendar Icons, post thumbnails (WP 2.9) or none for your post listings.", "wptouch" ); ?></p> - <p><?php _e( "Select which meta items are shown below titles on main, search, & archives pages.", "wptouch" ); ?></p> - - <br /><br /> - - <h4><?php _e( "Footer Message", "wptouch" ); ?></h4> - <p><?php _e( "Customize the default footer message shown in WPtouch here.", "wptouch" ); ?></p> - </div> - - <div class="right-content"> - <p><label for="home-page"><strong><?php _e( "WPtouch Language", "wptouch" ); ?></strong></label></p> - <ul class="wptouch-make-li-italic"> - <li> - <select name="wptouch-language"> - <option value="auto"<?php if ( $wptouch_settings['wptouch-language'] == "auto" ) echo " selected"; ?>><?php _e( "Automatically detected", "wptouch" ); ?></option> - <option value="fr_FR"<?php if ( $wptouch_settings['wptouch-language'] == "fr_FR" ) echo " selected"; ?>>Français</option> - <option value="es_ES"<?php if ( $wptouch_settings['wptouch-language'] == "es_ES" ) echo " selected"; ?>>Español</option> - <option value="eu_EU"<?php if ( $wptouch_settings['wptouch-language'] == "eu_EU" ) echo " selected"; ?>>Basque</option> - <!-- <option value="de_DE"<?php if ( $wptouch_settings['wptouch-language'] == "de_DE" ) echo " selected"; ?>>Deutsch</option> --> - <option value="ja_JP"<?php if ( $wptouch_settings['wptouch-language'] == "ja_JP" ) echo " selected"; ?>>Japanese</option> - - <?php $custom_lang_files = bnc_get_wptouch_custom_lang_files(); ?> - <?php if ( count( $custom_lang_files ) ) { ?> - <?php foreach( $custom_lang_files as $lang_file ) { ?> - <option value="<?php echo $lang_file->prefix; ?>"<?php if ( $wptouch_settings['wptouch-language'] == $lang_file->prefix ) echo " selected"; ?>><?php echo $lang_file->name; ?></option> - <?php } ?> - <?php } ?> - </select> - </li> - </ul> - <br /><br /> - - <p><label for="home-page"><strong><?php _e( "WPtouch Home Page", "wptouch" ); ?></strong></label></p> - <?php $pages = bnc_get_pages_for_icons(); ?> - <?php if ( count( $pages ) ) { ?> - <?php wp_dropdown_pages( 'show_option_none=WordPress Settings&name=home-page&selected=' . bnc_get_selected_home_page()); ?> - <?php } else {?> - <strong class="no-pages"><?php _e( "You have no pages yet. Create some first!", "wptouch" ); ?></strong> - <?php } ?> - - <br /><br /><br /> - - <ul class="wptouch-make-li-italic"> - <li><input type="text" class="no-right-margin" name="header-title" value="<?php $str = $wptouch_settings['header-title']; echo stripslashes($str); ?>" /><?php _e( "Site title text", "wptouch" ); ?></li> - </ul> - - <br /><br /> - - <ul class="wptouch-make-li-italic"> - <li><input name="excluded-cat-ids" class="no-right-margin" type="text" value="<?php $str = $wptouch_settings['excluded-cat-ids']; echo stripslashes($str); ?>" /><?php _e( "Comma list of Category IDs, eg: 1,2,3", "wptouch" ); ?></li> - <li><input name="excluded-tag-ids" class="no-right-margin" type="text" value="<?php $str = $wptouch_settings['excluded-tag-ids']; echo stripslashes($str); ?>" /><?php _e( "Comma list of Tag IDs, eg: 1,2,3", "wptouch" ); ?></li> - </ul> - - <br /><br /> - - <ul class="wptouch-make-li-italic"> - - <li><select name="style-text-justify"> - <option <?php if ($wptouch_settings['style-text-justify'] == "left-justified") echo " selected"; ?> value="left-justified"><?php _e( "Left", "wptouch" ); ?></option> - <option <?php if ($wptouch_settings['style-text-justify'] == "full-justified") echo " selected"; ?> value="full-justified"><?php _e( "Full", "wptouch" ); ?></option> - </select> - <?php _e( "Font justification", "wptouch" ); ?> - </li> - </ul> - <br /> - <ul> - <li><ul class="wptouch-make-li-italic"> - - <li><select name="post-cal-thumb"> - <option <?php if ($wptouch_settings['post-cal-thumb'] == "calendar-icons") echo " selected"; ?> value="calendar-icons"><?php _e( "Calendar Icons", "wptouch" ); ?></option> - <option <?php $version = bnc_get_wp_version(); if ($version <= 2.89) : ?>disabled="true"<?php endif; ?> <?php if ($wptouch_settings['post-cal-thumb'] == "post-thumbnails") echo " selected"; ?> value="post-thumbnails"><?php _e( "Post Thumbnails / Featured Images", "wptouch" ); ?></option> - <option <?php $version = bnc_get_wp_version(); if ($version <= 2.89) : ?>disabled="true"<?php endif; ?> <?php if ($wptouch_settings['post-cal-thumb'] == "post-thumbnails-random") echo " selected"; ?> value="post-thumbnails-random"><?php _e( "Post Thumbnails / Featured Images (Random)", "wptouch" ); ?></option> - <option <?php if ($wptouch_settings['post-cal-thumb'] == "nothing-shown") echo " selected"; ?> value="nothing-shown"><?php _e( "No Icon or Thumbnail", "wptouch" ); ?></option> - </select> - <?php _e( "Post Listings Display", "wptouch" ); ?> <small>(<?php _e( "Thumbnails Requires WordPress 2.9+", "wptouch" ); ?>)</small> <a href="#thumbs-info" class="fancylink">?</a> - <div id="thumbs-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "This will change the display of blog and post listings between Calendar Icons view and Post Thumbnails view.", "wptouch" ); ?></p> - <p><?php _e( "The <em>Post Thumbnails w/ Random</em> option will fill missing post thumbnails with random abstract images. (WP 2.9+)", "wptouch" ); ?></p> - </div> - </li> - </ul> - </li> - <li> - <input type="checkbox" class="checkbox" name="enable-truncated-titles" <?php if (isset($wptouch_settings['enable-truncated-titles']) && $wptouch_settings['enable-truncated-titles'] == 1) echo('checked'); ?> /> - <label for="enable-truncated-titles"><?php _e( "Enable Truncated Titles", "wptouch" ); ?> <small>(<?php _e( "Will use ellipses when titles are too long instead of wrapping them", "wptouch" ); ?>)</small></label> - </li> - <li> - <input type="checkbox" class="checkbox" name="enable-main-name" <?php if (isset($wptouch_settings['enable-main-name']) && $wptouch_settings['enable-main-name'] == 1) echo('checked'); ?> /> - <label for="enable-authorname"> <?php _e( "Show Author's Name", "wptouch" ); ?></label> - </li> - <li> - <input type="checkbox" class="checkbox" name="enable-main-categories" <?php if (isset($wptouch_settings['enable-main-categories']) && $wptouch_settings['enable-main-categories'] == 1) echo('checked'); ?> /> - <label for="enable-categories"> <?php _e( "Show Categories", "wptouch" ); ?></label> - </li> - <li> - <input type="checkbox" class="checkbox" name="enable-main-tags" <?php if (isset($wptouch_settings['enable-main-tags']) && $wptouch_settings['enable-main-tags'] == 1) echo('checked'); ?> /> - <label for="enable-tags"> <?php _e( "Show Tags", "wptouch" ); ?></label> - </li> - <li> - <input type="checkbox" class="checkbox" name="enable-post-excerpts" <?php if (isset($wptouch_settings['enable-post-excerpts']) && $wptouch_settings['enable-post-excerpts'] == 1) echo('checked'); ?> /> - <label for="enable-excerpts"><?php _e( "Hide Excerpts", "wptouch" ); ?></label> - </li> - </ul> - <br /><br /> - <ul class="wptouch-make-li-italic"> - <li><input type="text" class="no-right-margin footer-msg" name="custom-footer-msg" value="<?php $str = $wptouch_settings['custom-footer-msg']; echo stripslashes($str); ?>" /><?php _e( "Footer message", "wptouch" ); ?></li> - </ul> - </div> - - <div class="bnc-clearer"></div> - </div><!-- postbox --> -</div><!-- metabox --> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/html/head-area.php b/wp-content/plugins/wptouch/html/head-area.php deleted file mode 100755 index 0ab90a628b7817d8f348359da08682cafeaeddc5..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/html/head-area.php +++ /dev/null @@ -1,41 +0,0 @@ -<?php global $wptouch_settings; ?> -<?php global $bnc_wptouch_version; ?> - -<div class="metabox-holder" id="wptouch-head"> - <div class="postbox"> - <div id="wptouch-head-colour"> - <div id="wptouch-head-title"> - <?php WPtouch(); ?> - <img class="ajax-load" src="<?php echo compat_get_plugin_url('wptouch'); ?>/images/admin-ajax-loader.gif" alt="ajax"/> - </div> - <div id="wptouch-head-links"> - <ul> - <li><?php echo sprintf(__( "%sGet WPtouch Pro%s", "wptouch" ), '<a href="http://www.bravenewcode.com/store/plugins/wptouch-pro/?utm_source=wptouch&utm_medium=web&utm_campaign=top-' . str_replace( '.', '', $bnc_wptouch_version ) . '" target="_blank">','</a>'); ?> | </li> - <li><?php echo sprintf(__( "%sJoin our FREE Affiliate Program%s", "wptouch" ), '<a href="http://www.bravenewcode.com/affiliate-program/" target="_blank">','</a>'); ?></li> | - <li><?php echo sprintf(__( "%sFollow Us on Twitter%s", "wordtwit" ), '<a href="http://www.twitter.com/bravenewcode" target="_blank">','</a>'); ?></li> - </ul> - </div> - <div class="bnc-clearer"></div> - </div> - - <div id="wptouch-news-support"> - - <div id="wptouch-news-wrap"> - <h3><span class="rss-head"> </span><?php _e( "WPtouch Wire", "wptouch" ); ?></h3> - <div id="wptouch-news-content"> - - </div> - </div> - - <div id="wptouch-support-wrap"> - <h3> </h3> - <div id="wptouch-support-content"> - <p id="find-out-more"><a href="http://www.bravenewcode.com/products/wptouch-pro/?utm_source=wptouch&utm_medium=web&utm_campaign=find-out-more-<?php echo str_replace( '.', '', $bnc_wptouch_version ); ?>" target="_blank"><?php _e( "Find Out More ››", "wptouch" ); ?></a></p> - </div> - </div> - - </div><!-- wptouch-news-support --> - - <div class="bnc-clearer"></div> - </div><!-- postbox --> -</div><!-- wptouch-head --> diff --git a/wp-content/plugins/wptouch/html/icon-area.php b/wp-content/plugins/wptouch/html/icon-area.php deleted file mode 100755 index a61d7882ea8a47c0129fa0962146d07b1704ea44..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/html/icon-area.php +++ /dev/null @@ -1,55 +0,0 @@ -<?php require_once( dirname(__FILE__) . '/../include/icons.php' ); ?> -<?php global $wptouch_settings; ?> -<script type="text/javascript"> -jQuery(document).ready(function(jQuery) { -var button = jQuery('#upload-icon'), interval; - new AjaxUpload(button, { - action: '<?php bloginfo( 'wpurl' ); ?>/?wptouch=upload', - autoSubmit: true, - name: 'submitted_file', - onSubmit: function(file, extension) { jQuery("#upload_progress").show(); }, - onComplete: function(file, response) { - jQuery("#upload_progress").hide(); - jQuery('#upload_response').hide().html(response).fadeIn(); - jQuery('#icon-pool-area').load('<?php echo admin_url( 'options-general.php?page=wptouch/wptouch.php' ); ?> #wptouchicons'); - }, - data: { - _ajax_nonce: '<?php echo wp_create_nonce('wptouch-upload'); ?>' - } - }); -}); -</script> -<div class="metabox-holder" id="available_icons"> - <div class="postbox"> - <h3><span class="icon-options"> </span><?php _e( "Default & Custom Icon Pool", "wptouch" ); ?></h3> - - <div class="left-content"> - <h4><?php _e( "Adding Icons", "wptouch" ); ?></h4> - <p><?php _e( "To add icons to the pool, simply upload a .png, .jpeg or .gif image from your computer.", "wptouch" ); ?></p> - <p></p> - <p><?php echo sprintf( __( "Default icons generously provided by %sMarcelo Marfil%s.", "wptouch"), "<a href='http://marfil.me/' target='_blank'>", "</a>" ); ?></p> - - <h4><?php _e( "Logo/Bookmark Icons", "wptouch" ); ?></h4> - <p><?php _e( "If you're adding a logo icon, the best dimensions for it are 59x60px (png) when used as a bookmark icon.", "wptouch" ); ?></p> - <p><?php echo sprintf( __( "Need help? You can use %sthis easy online icon generator%s to make one.", "wptouch"), "<a href='http://www.flavorstudios.com/iphone-icon-generator' target='_blank'>", "</a>" ); ?></p> - <p><?php echo sprintf( __( "These files will be stored in this folder we create: .../wp-content/uploads/wptouch/custom-icons", "wptouch"), '' . compat_get_wp_content_dir( 'wptouch' ). ''); ?></p> - <p><?php echo sprintf( __( "If an upload fails (usually it's a permission problem) check your wp-content path settings in WordPress' Miscellaneous Settings, or create the folder yourself using FTP and try again.", "wptouch"), "<strong>", "</strong>" ); ?></p> - - <div id="upload-icon" class="button"><?php _e('Upload Icon', 'wptouch' ); ?></div> - - <div id="upload_response"></div> - <div id="upload_progress" style="display:none"> - <p><img src="<?php echo compat_get_plugin_url( 'wptouch' ) . '/images/progress.gif'; ?>" alt="" /> <?php _e( "Uploading..."); ?></p> - </div> - - </div><!-- left-content --> - - <div class="right-content" id="icon-pool-area"> - <div id="wptouchicons"> - <?php bnc_show_icons(); ?> - </div> - </div> - - <div class="bnc-clearer"></div> - </div><!-- postbox --> -</div><!-- metabox --> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/html/page-area.php b/wp-content/plugins/wptouch/html/page-area.php deleted file mode 100644 index f46fe1ecd719c0d3ea2fc8338f2be40cdb4b5344..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/html/page-area.php +++ /dev/null @@ -1,74 +0,0 @@ -<?php global $wptouch_settings; ?> - -<div class="metabox-holder"> - <div class="postbox"> - <h3><span class="page-options"> </span><?php _e( "Logo Icon // Menu Items & Pages Icons", "wptouch" ); ?></h3> - - <div class="left-content"> - <h4><?php _e( "Logo / Home Screen Icon <br />& Default Menu Items", "wptouch" ); ?></h4> - <p><?php echo sprintf( __( "If you do not want your logo to have the glossy effect added to it, make sure you select %sEnable Flat Bookmark Icon%s", "wptouch"), "<strong>", "</strong>" ); ?></p> - <p><?php _e( "Choose the logo displayed in the header (also your bookmark icon), and the pages you want included in the WPtouch drop-down menu.", "wptouch" ); ?> - <strong><?php _e( "Remember, only those checked will be shown.", "wptouch" ); ?></strong></p> - <p><?php _e( "Enable/Disable default items in the WPtouch site menu.", "wptouch"); ?></p> -<br /><br /> - <h4><?php _e( "Pages + Icons", "wptouch" ); ?></h4> - <p><?php _e( "Next, select the icons from the lists that you want to pair with each page menu item.", "wptouch" ); ?></p> - <p><?php _e( "You can also decide if pages are listed by the page order (ID) in WordPress, or by name (default).", "wptouch" ); ?></p> - </div><!-- left-content --> - - <div class="right-content wptouch-pages"> - <ul> - <li><select name="enable_main_title"> - <?php bnc_get_icon_drop_down_list( $wptouch_settings['main_title']); ?> - </select> - <?php _e( "Logo & Home Screen Bookmark Icon", "wptouch" ); ?> - <br /> - </li> - </ul> - <ul> - <li><input type="checkbox" class="checkbox" name="enable-flat-icon" <?php if (isset($wptouch_settings['enable-flat-icon']) && $wptouch_settings['enable-flat-icon'] == 1) echo('checked'); ?> /><label for="enable-flat-icon"><?php _e( "Enable Flat Bookmark Icon", "wptouch" ); ?> <a href="#logo-info" class="fancylink">?</a></label> - <div id="logo-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "The default applies for iPhone/iPod touch applies a glossy effect to the home-screen bookmark/logo icon you select.", "wptouch" ); ?></p> - <p><?php _e( "When checked your icon will not have the glossy effect automatically applied to it.", "wptouch" ); ?></p> - </div> - </li> - <li><input type="checkbox" class="checkbox" name="enable-main-home" <?php if (isset($wptouch_settings['enable-main-home']) && $wptouch_settings['enable-main-home'] == 1) echo('checked'); ?> /><label for="enable-main-home"><?php _e( "Enable Home Menu Item", "wptouch" ); ?></label></li> - <li><input type="checkbox" class="checkbox" name="enable-main-rss" <?php if (isset($wptouch_settings['enable-main-rss']) && $wptouch_settings['enable-main-rss'] == 1) echo('checked'); ?> /><label for="enable-main-rss"><?php _e( "Enable RSS Menu Item", "wptouch" ); ?></label></li> - <li><input type="checkbox" class="checkbox" name="enable-main-email" <?php if (isset($wptouch_settings['enable-main-email']) && $wptouch_settings['enable-main-email'] == 1) echo('checked'); ?> /><label for="enable-main-email"><?php _e( "Enable Email Menu Item", "wptouch" ); ?> <small>(<?php _e( "Uses default WordPress admin e-mail", "wptouch" ); ?>)</small></label><br /></li> - <?php if ( function_exists( 'twentyeleven_setup' ) || function_exists( 'twentyten_setup' ) ) { ?> - <li><input type="checkbox" class="checkbox" name="enable-twenty-eleven-footer" <?php if ( isset( $wptouch_settings['enable-twenty-eleven-footer']) && $wptouch_settings['enable-twenty-eleven-footer'] == 1) echo( 'checked' ); ?> /><label for="enable-twenty-eleven-footer"><?php _e( "Show powered by WPtouch in footer", "wptouch" ); ?> <small>(<?php _e( "Adds WPtouch to the 'Powered by WordPress' area in footer of desktop theme", "wptouch" ); ?>)</small></label> - <?php } ?> - - <br /><br /> - - <?php if ( count( $pages ) ) { ?> - <li><br /><br /> - <select name="sort-order"> - <option value="name"<?php if ( $wptouch_settings['sort-order'] == 'name') echo " selected"; ?>><?php _e( "By Name", "wptouch" ); ?></option> - <option value="page"<?php if ( $wptouch_settings['sort-order'] == 'page') echo " selected"; ?>><?php _e( "By Page ID", "wptouch" ); ?></option> - </select> - <?php _e( "Menu List Sort Order", "wptouch" ); ?> - </li> - <?php } ?> - <?php $pages = bnc_get_pages_for_icons(); ?> - <?php if ( count( $pages ) ) { ?> - <?php foreach ( $pages as $page ) { ?> - <li><span> - <input class="checkbox" type="checkbox" name="enable_<?php echo $page->ID; ?>"<?php if ( isset( $wptouch_settings[$page->ID] ) ) echo " checked"; ?> /> - <label class="wptouch-page-label" for="enable_<?php echo $page->ID; ?>"><?php echo $page->post_title; ?></label> - </span> - <select class="page-select" name="icon_<?php echo $page->ID; ?>"> - <?php bnc_get_icon_drop_down_list( ( isset( $wptouch_settings[ $page->ID ] ) ? $wptouch_settings[ $page->ID ] : false ) ); ?> - </select> - - </li> - <?php } ?> - <?php } else { ?> - <strong ><?php _e( "You have no pages yet. Create some first!", "wptouch" ); ?></strong> - <?php } ?> - </ul> - </div><!-- right-content --> - <div class="bnc-clearer"></div> - </div><!-- postbox --> -</div><!-- metabox --> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/html/plugin-compat-area.php b/wp-content/plugins/wptouch/html/plugin-compat-area.php deleted file mode 100755 index 991da9bbe4ee433c378220e32687531844927348..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/html/plugin-compat-area.php +++ /dev/null @@ -1,103 +0,0 @@ -<?php require_once( compat_get_plugin_dir( 'wptouch' ) . '/include/plugin.php' ); ?> -<?php global $wptouch_settings; global $bnc_wptouch_version; ?> -<?php $version = bnc_get_wp_version(); ?> - -<div class="metabox-holder"> - <div class="postbox"> - <h3><span class="plugin-options"> </span><?php _e( "Plugin Support & Compatibility", "wptouch" ); ?></h3> - - <div class="left-content"> - <div class="wptouch-version-support"> - <?php - echo '<p class="wpv">'; - _e( 'WordPress version: ', 'wptouch' ); - echo '' . get_bloginfo('version') . ''; - echo '</p><p class="wptv">'; - echo sprintf( __( 'WPtouch %s support: ', 'wptouch' ), $bnc_wptouch_version ); - if ($version > 3.2) { - echo sprintf(__( "%sUnverified%s", "wptouch" ), '<span class="caution">','</span>'); - } else if ($version >= 2.9) { - echo sprintf(__( "%sSupported.%s", "wptouch" ), '<span class="go">','</span>'); - } else { - echo sprintf(__( "%sUnsupported. Upgrade Required.%s", "wptouch" ), '<span class="red">','</span>'); - } - echo '</p>'; - ?> - </div> - <p><?php _e( "Here you'll find information on plugin compatibility.", "wptouch" ); ?></p> - </div> - - <div class="right-content"> - - <h4><?php _e( 'Known Plugin Support & Conflicts', 'wptouch' ); ?></h4> - <div id="wptouch-plugin-content"> - <!-- custom anti spam --> - <div class="all-good"> - <?php echo sprintf(__('%sPeter\'s Custom Anti-Spam%s is fully supported.', 'wptouch'), '<a href="http://wordpress.org/extend/plugins/peters-custom-anti-spam-image/" target="_blank">','</a>'); ?> - </div> - - <!-- wp spam free --> - <div class="all-good"> - <?php echo sprintf(__('%sWP Spam Free%s is fully supported.', 'wptouch'), '<a href="http://www.hybrid6.com/webgeek/plugins/wp-spamfree" target="_blank">','</a>'); ?> - </div> - - <!-- flickr rss --> - <div class="all-good"> - <?php echo sprintf(__('%sFlickrRSS%s: Your photos will automatically show on a page with the slug "photos" if you have it. Fully supported.', 'wptouch'), '<a href="http://eightface.com/wordpress/flickrrss/" target="_blank">','</a>'); ?> - </div> - - <!-- wp cache --> - <div class="sort-of"> - <?php echo sprintf(__('WP Cache is supported, but requires configuration. %sFollow this video tutorial%s for more information.', 'wptouch'), '<a href="http://www.bravenewcode.com/2009/12/video-tutorial-configuring-wptouch-with-wp-super-cache/" target="_blank">','</a>'); ?> - </div> - - <!-- wp super cache --> - <div class="sort-of"> - <?php echo sprintf(__('WP Super Cache is supported, but requires configuration. %sFollow this video tutorial%s for more information.', 'wptouch'), '<a href="http://www.bravenewcode.com/2009/12/video-tutorial-configuring-wptouch-with-wp-super-cache/" target="_blank">','</a>'); ?> - </div> - - <!-- w3 cache --> - <div class="sort-of"> - <?php echo sprintf(__('W3 Total Cache is supported, but requires configuration. %sFollow this video tutorial%s for more information.', 'wptouch'), '<a href="http://nimopress.com/pressed/blog-building-how-to-configure-w3-total-cache-to-work-with-wptouch-for-wordpress/" target="_blank">','</a>'); ?> - </div> - - <!-- wp css --> - <div class="sort-of"> - <?php echo sprintf(__('%sWP CSS%s is supported, but does not compress WPtouch\'s CSS. WPtouch files are pre-optimized for mobile devices already.', 'wptouch'), '<a href="http://wordpress.org/extend/plugins/wp-css/" target="_blank">','</a>'); ?> - </div> - - <!-- share this --> - <div class="sort-of"> - <?php echo sprintf(__('%sShare This%s is supported, but requires the WPtouch setting "Enable Restrictive Mode" turned on to work properly.', 'wptouch'), '<a href="http://wordpress.org/extend/plugins/share-this/" target="_blank">','</a>'); ?> - </div> - - <!-- wordpress admin bar --> - <div class="sort-of"> - <?php echo sprintf(__('WordPress Admin Bar requires additional configuration to work with WPtouch. %sFollow this comment%s on the developer\'s official site.', 'wptouch'), '<a href="http://www.viper007bond.com/wordpress-plugins/wordpress-admin-bar/#comment-227660" target="_blank">','</a>'); ?> - </div> - - <!-- simple captcha --> - <div class="too-bad"> - <?php echo sprintf(__('%sWP Simple Captcha%s is not currently supported.', 'wptouch'), '<a href="http://wordpress.org/extend/plugins/simple-captcha/" target="_blank">','</a>'); ?> - </div> - - <!-- next gen gallery --> - <div class="too-bad"> - <?php echo sprintf(__('%sNextGEN Gallery%s is not currently supported.', 'wptouch'), '<a href="http://wordpress.org/extend/plugins/nextgen-gallery/" target="_blank">','</a>'); ?> - </div> - - <!-- ajaxed pages comments--> - <div class="too-bad"> - <?php echo sprintf(__('%sYet another ajax paged comments%s (YAAPC) is not currently supported. WPtouch uses its own ajaxed comments. WPtouch Pro supports WP 2.7+ comments out-of-the-box.', 'wptouch'), '<a href="http://wordpress.org/extend/plugins/yaapc/" target="_blank">','</a>'); ?> - </div> - - <!-- Lightview Plus --> - <div class="too-bad"> - <?php echo sprintf(__('%sLightview Plus%s is not currently supported. Images may not open in a viewer or separate page.', 'wptouch'), '<a href="http://wordpress.org/extend/plugins/lightview-plus/" target="_blank">','</a>'); ?> - </div> - - </div> - </div><!-- right content --> - <div class="bnc-clearer"></div> - </div><!-- postbox --> -</div><!-- metabox --> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/html/push-area.php b/wp-content/plugins/wptouch/html/push-area.php deleted file mode 100644 index e4bd5b851fac443c96cd4fb07d534bb74045c4ca..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/html/push-area.php +++ /dev/null @@ -1,61 +0,0 @@ -<?php global $wptouch_settings; ?> -<div class="metabox-holder"> - <div class="postbox" id="push-area"> - <h3><span class="push-options"> </span><?php _e( "Push Notification Options", "wptouch" ); ?></h3> - - <div class="left-content"> - <p><?php echo sprintf(__( "Here you can configure WPtouch to push selected notifications through your %sProwl%s account to your iPhone, iPod touch and Growl-enabled Mac or PC.", "wptouch" ), '<a href="http://prowl.weks.net/" target="_blank">','</a>'); ?></p> - <p><?php echo sprintf(__( "%sMake sure you generate a Prowl API key to use here%s otherwise no notifications will be pushed to you.", "wptouch" ), '<strong>','</strong>'); ?></p> - </div><!-- left content --> - - <div class="right-content"> - <ul class="wptouch-make-li-italic"> - <?php if ( function_exists( 'curl_init' ) ) { ?> - <li> - <input name="prowl-api" type="text" value="<?php echo $wptouch_settings['prowl-api']; ?>" /><?php _e( "Prowl API Key", "wptouch" ); ?> (<?php echo sprintf(__( "%sCreate a key now%s", "wptouch" ), '<a href="https://prowl.weks.net/settings.php" target="_blank">','</a>'); ?> - <a href="#prowl-info" class="fancylink">?</a>) - <div id="prowl-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "In order to enable Prowl notifications you must create a Prowl account and download + configure the Prowl application for iPhone.", "wptouch" ); ?></p> - <p><?php _e( "Next, visit the Prowl website and generate your API key, which WPtouch will use to send your notifications.", "wptouch" ); ?></p> - - <p><?php echo sprintf(__( "%sVisit the Prowl Website%s", "wptouch" ), '<a href="http://prowl.weks.net/settings.php" target="_blank">','</a>'); ?> | <?php echo sprintf(__( "%sVisit iTunes to Download Prowl%s", "wptouch" ), '<a href="http://itunes.apple.com/WebObjects/MZStore.woa/wa/viewSoftware?id=320876271&mt=8" target="_blank">','</a>'); ?></p> - </div> - <?php if ( isset( $wptouch_settings['prowl-api'] ) && strlen( $wptouch_settings['prowl-api'] ) ) { ?> - <?php if ( bnc_wptouch_is_prowl_key_valid() ) { ?> - <p class="valid"><?php _e( "Your Prowl API key has been verified.", "wptouch" ); ?></p> - <?php } else { ?> - <p class="invalid"> - <?php _e( "Sorry, your Prowl API key is not verified.", "wptouch" ); ?><br /> - <?php _e( "Please check your key and make sure there are no spaces or extra characters.", "wptouch" ); ?> - </p> - <?php } ?> - <?php } ?> - </li> - </ul> - - <ul> - <li> - <input class="checkbox" type="checkbox" name="enable-prowl-comments-button" <?php if ( isset( $wptouch_settings['enable-prowl-comments-button']) && $wptouch_settings['enable-prowl-comments-button'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-prowl-comments-button"><?php _e( "Notify me of new comments & pingbacks/tracksbacks", "wptouch" ); ?></label> - </li> - <li> - <input class="checkbox" <?php if (!get_option('comment_registration')) : ?>disabled="true"<?php endif; ?> type="checkbox" name="enable-prowl-users-button" <?php if ( isset( $wptouch_settings['enable-prowl-users-button']) && $wptouch_settings['enable-prowl-users-button'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-prowl-users-button"><?php _e( "Notify me of new account registrations", "wptouch" ); ?></label> - </li> - <li> - <input class="checkbox" type="checkbox" name="enable-prowl-message-button" <?php if ( isset( $wptouch_settings['enable-prowl-message-button']) && $wptouch_settings['enable-prowl-message-button'] == 1) echo('checked'); ?> /> - <label class="label" for="enable-prowl-message-button"><?php _e( "Allow users to send me direct messages", "wptouch" ); ?> <a href="#dm-info" class="fancylink">?</a></label> - <div id="dm-info" style="display:none"> - <h2><?php _e( "More Info", "wptouch" ); ?></h2> - <p><?php _e( "This enables a new link to a drop-down in the submenu bar for WPtouch ('Message Me').", "wptouch" ); ?></p> - <p><?php _e( "When opened, a form is shown for users to fill in. The name, e-mail address, and message area is shown. Thier IP will also be sent to you, in case you want to ban it in the WordPress admin.", "wptouch" ); ?></p> - </div> - </li> - <?php } else { ?> - <li><strong class="no-pages"><?php echo sprintf(__( "%sCURL is required%s on your webserver to use Push capabilities in WPtouch.", "wptouch" ), '<a href="http://en.wikipedia.org/wiki/CURL" target="_blank">','</a>'); ?></strong></li> - <?php } ?> - </ul> - </div><!-- right content --> - <div class="bnc-clearer"></div> - </div><!-- postbox --> -</div><!-- metabox --> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/html/style-area.php b/wp-content/plugins/wptouch/html/style-area.php deleted file mode 100755 index 4990217db5e65b4cb5b2e3a931efa1c09a99f958..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/html/style-area.php +++ /dev/null @@ -1,76 +0,0 @@ -<?php global $wptouch_settings; ?> - -<div class="metabox-holder"> - <div class="postbox"> - <h3><span class="style-options"> </span><?php _e( "Style & Color Options", "wptouch" ); ?></h3> - - <div class="left-content skins-left-content"> - <p><?php _e( "Here you can customize some of the more visible features of WPtouch.", "wptouch" ); ?></p> - </div> - - <div class="right-content skins-fixed"> - - - <!-- Default skin --> - - <div class="skins-desc" id="default-skin"> - <p><?php _e( "The default WPtouch theme emulates a native iPhone application.", "wptouch" ); ?></p> - <ul class="wptouch-make-li-italic"> - <li><select name="style-background"> - <option <?php if ($wptouch_settings['style-background'] == "classic-wptouch-bg") echo " selected"; ?> value="classic-wptouch-bg"> - <?php _e( "Classic", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['style-background'] == "horizontal-wptouch-bg") echo " selected"; ?> value="horizontal-wptouch-bg"> - <?php _e( "Horizontal Grey", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['style-background'] == "diagonal-wptouch-bg") echo " selected"; ?> value="diagonal-wptouch-bg"> - <?php _e( "Diagonal Grey", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['style-background'] == "skated-wptouch-bg") echo " selected"; ?> value="skated-wptouch-bg"> - <?php _e( "Skated Concrete", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['style-background'] == "argyle-wptouch-bg") echo " selected"; ?> value="argyle-wptouch-bg"> - <?php _e( "Argyle Tie", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['style-background'] == "grid-wptouch-bg") echo " selected"; ?> value="grid-wptouch-bg"> - <?php _e( "Thatches", "wptouch" ); ?> - </option> - </select> - <?php _e( "Background", "wptouch" ); ?> - </li> - <li><select name="h2-font"> - <option <?php if ($wptouch_settings['h2-font'] == "Helvetica Neue") echo " selected"; ?> value="Helvetica Neue"> - <?php _e( "Helvetica Neue", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['h2-font'] == "Helvetica") echo " selected"; ?> value="Helvetica"> - <?php _e( "Helvetica", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['h2-font'] == "thonburi-font") echo " selected"; ?> value="thonburi-font"> - <?php _e( "Thonburi", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['h2-font'] == "Georgia") echo " selected"; ?> value="Georgia"> - <?php _e( "Georgia", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['h2-font'] == "Geeza Pro") echo " selected"; ?> value="Geeza Pro"> - <?php _e( "Geeza Pro", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['h2-font'] == "Verdana") echo " selected"; ?> value="Verdana"> - <?php _e( "Verdana", "wptouch" ); ?> - </option> - <option <?php if ($wptouch_settings['h2-font'] == "Arial Rounded MT Bold") echo " selected"; ?> value="Arial Rounded MT Bold"> - <?php _e( "Arial Rounded MT Bold", "wptouch" ); ?> - </option> - </select> - <?php _e( "Post Title H2 Font", "wptouch" ); ?> - </li> - <li>#<input type="text" id="header-text-color" name="header-text-color" value="<?php echo $wptouch_settings['header-text-color']; ?>" /><?php _e( "Title text color", "wptouch" ); ?></li> - <li>#<input type="text" id="header-background-color" name="header-background-color" value="<?php echo $wptouch_settings['header-background-color']; ?>" /><?php _e( "Header background color", "wptouch" ); ?></li> - <li>#<input type="text" id="header-border-color" name="header-border-color" value="<?php echo $wptouch_settings['header-border-color']; ?>" /><?php _e( "Sub-header background color", "wptouch" ); ?></li> - <li>#<input type="text" id="link-color" name="link-color" value="<?php echo $wptouch_settings['link-color']; ?>" /><?php _e( "Site-wide links color", "wptouch" ); ?></li> - </ul> - </div> - - </div><!-- right content --> - <div class="bnc-clearer"></div> - </div><!-- postbox --> -</div><!-- metabox --> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/images/admin-ajax-loader.gif b/wp-content/plugins/wptouch/images/admin-ajax-loader.gif deleted file mode 100644 index 871ee6d5cbeae07ae530c897434af89f48d6ce70..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/admin-ajax-loader.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/bad.png b/wp-content/plugins/wptouch/images/bad.png deleted file mode 100644 index faaa3c010d16ff0429fd4949957adfc3f253a370..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/bad.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/blank.gif b/wp-content/plugins/wptouch/images/colorpicker/blank.gif deleted file mode 100755 index 75b945d2553848b8b6f41fe5e24599c0687b8472..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/blank.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_background.png b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_background.png deleted file mode 100755 index 5cc789786d0b98396d395688a39f9a68903f6e9a..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_background.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hex.png b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hex.png deleted file mode 100755 index 76b81a17830734d43ddce6b38d32af705c9c4247..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hex.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hsb_b.png b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hsb_b.png deleted file mode 100755 index b705786da87d6605f9028c4ee6a3764078fd305a..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hsb_b.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hsb_h.png b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hsb_h.png deleted file mode 100755 index 75745e8197971a3985a6154dad27c920c20720de..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hsb_h.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hsb_s.png b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hsb_s.png deleted file mode 100755 index f7c2ba5658f5c4047d872be266892342c58bf0d7..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_hsb_s.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_indic.gif b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_indic.gif deleted file mode 100755 index f9fa95e2825eadd2d779ad270a71eddb94f94748..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_indic.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_overlay.png b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_overlay.png deleted file mode 100755 index b291ed870febc28472ceb588e11dbea8eb944a8e..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_overlay.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_rgb_b.png b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_rgb_b.png deleted file mode 100755 index 823981c30c785fbf4828c036673231feacd3f4a7..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_rgb_b.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_rgb_g.png b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_rgb_g.png deleted file mode 100755 index 884184ebdad6eda68b7714453cbbdc62c6139844..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_rgb_g.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_rgb_r.png b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_rgb_r.png deleted file mode 100755 index 8f7221a683207234d979c610f4e8eb9010b4960f..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_rgb_r.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_submit.png b/wp-content/plugins/wptouch/images/colorpicker/colorpicker_submit.png deleted file mode 100755 index ef977e45ec71ebbd95b908ad3f60584e973167d4..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/colorpicker_submit.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/select.png b/wp-content/plugins/wptouch/images/colorpicker/select.png deleted file mode 100755 index 6bf31fe5ef4b3b682f5a4789ef691c60cae794ee..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/select.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/colorpicker/slider.png b/wp-content/plugins/wptouch/images/colorpicker/slider.png deleted file mode 100755 index 2a750408e37165c3d702afe2755d6d4fd90f91aa..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/colorpicker/slider.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/default.jpg b/wp-content/plugins/wptouch/images/default.jpg deleted file mode 100644 index 6436e5ef259d327d0dec6a670f51f09d07301436..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/default.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/fancybox/fancy_closebox.png b/wp-content/plugins/wptouch/images/fancybox/fancy_closebox.png deleted file mode 100755 index aadcb721965ea5c7b4c23bf5a0ba15a3da89b396..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/fancybox/fancy_closebox.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/fancybox/fancy_progress.png b/wp-content/plugins/wptouch/images/fancybox/fancy_progress.png deleted file mode 100755 index 90abd336dd7e8d086fce6ea62b653c96adc0f508..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/fancybox/fancy_progress.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_e.png b/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_e.png deleted file mode 100644 index d224ff869b3e039c2e7796a43c750e1183446de9..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_e.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_n.png b/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_n.png deleted file mode 100644 index 926f789164908b732cc484c57c9f7792c9dfa4b2..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_n.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_ne.png b/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_ne.png deleted file mode 100644 index f2504b4d9b18ec5152ef435f2c887b01dc69e4fc..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_ne.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_nw.png b/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_nw.png deleted file mode 100644 index 814cc580a763c94cf9b40b8a7ce011f01fc621ed..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_nw.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_s.png b/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_s.png deleted file mode 100644 index 7336e0e34d9e4d26f737e06e75381949a0b9abd8..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_s.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_se.png b/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_se.png deleted file mode 100644 index 74caa0d925a2c8180afbea6bac42f5a1bd6d0010..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_se.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_sw.png b/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_sw.png deleted file mode 100644 index 85e002f663c1428787d4b07022f64b9999ab9fd7..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_sw.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_w.png b/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_w.png deleted file mode 100644 index b8724959fdd0a28a3af7ad673472783999078c66..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/fancybox/fancy_shadow_w.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/good.png b/wp-content/plugins/wptouch/images/good.png deleted file mode 100644 index 78d97db4ec71b6b7187e2ce7c574f4a58c79255d..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/good.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/h3_icons/adsense.png b/wp-content/plugins/wptouch/images/h3_icons/adsense.png deleted file mode 100644 index 1f1480aba456181783528ca44c1926ab46e637ab..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/h3_icons/adsense.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/h3_icons/advanced.png b/wp-content/plugins/wptouch/images/h3_icons/advanced.png deleted file mode 100644 index 41cd05129a92c2574bd6edccd768ef33bf39b0e6..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/h3_icons/advanced.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/h3_icons/general.png b/wp-content/plugins/wptouch/images/h3_icons/general.png deleted file mode 100644 index ae5b2c8076cf299cf4f8b3abd7fc9b4682d0b658..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/h3_icons/general.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/h3_icons/iconpool.png b/wp-content/plugins/wptouch/images/h3_icons/iconpool.png deleted file mode 100644 index fc961e61f251eaf98c06c55231a64711a8f4f197..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/h3_icons/iconpool.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/h3_icons/megaphone.png b/wp-content/plugins/wptouch/images/h3_icons/megaphone.png deleted file mode 100644 index a4489169e179ecdc7aba1a135038b26db96504d4..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/h3_icons/megaphone.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/h3_icons/page.png b/wp-content/plugins/wptouch/images/h3_icons/page.png deleted file mode 100644 index 0d8ec1f1f5a2c89647891d5b3de3ad89db4c6a33..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/h3_icons/page.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/h3_icons/plugin.png b/wp-content/plugins/wptouch/images/h3_icons/plugin.png deleted file mode 100644 index 178340c9c67bb360fbd448f22695b07019651f86..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/h3_icons/plugin.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/h3_icons/push.png b/wp-content/plugins/wptouch/images/h3_icons/push.png deleted file mode 100644 index 0569e2c66c2953fd06e9e75f2a473a3f6996cbbf..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/h3_icons/push.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/h3_icons/rss.png b/wp-content/plugins/wptouch/images/h3_icons/rss.png deleted file mode 100644 index bd87a5c8690d17e9e588ab471ebae44251409b31..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/h3_icons/rss.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/h3_icons/style.png b/wp-content/plugins/wptouch/images/h3_icons/style.png deleted file mode 100644 index 47e2513ac16caeb3d2803af7381fb8b9e8be757f..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/h3_icons/style.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Admin.png b/wp-content/plugins/wptouch/images/icon-pool/Admin.png deleted file mode 100644 index 6e1e41db56138d8eda42e02ddb826e453d8f5db3..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Admin.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Apps.png b/wp-content/plugins/wptouch/images/icon-pool/Apps.png deleted file mode 100644 index a94b62439e89eb9fb93f905bf4f95d8017bfe9b7..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Apps.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Archives.png b/wp-content/plugins/wptouch/images/icon-pool/Archives.png deleted file mode 100644 index 775a097ac5c8adff9576503fbd8f7691f0697e92..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Archives.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Books.png b/wp-content/plugins/wptouch/images/icon-pool/Books.png deleted file mode 100644 index 596366b91ab4979c2554a6f7c2c67c7b294e8985..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Books.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Calendar.png b/wp-content/plugins/wptouch/images/icon-pool/Calendar.png deleted file mode 100644 index 477ee66b9140e10d832f97fada1346b1f9bd6c1b..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Calendar.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Camera.png b/wp-content/plugins/wptouch/images/icon-pool/Camera.png deleted file mode 100644 index 4005aee6246543db9ff9c766c30534c79cb7c76f..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Camera.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Clock.png b/wp-content/plugins/wptouch/images/icon-pool/Clock.png deleted file mode 100755 index e2011cdee38e19071c714e7d9b671a78200bf100..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Clock.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Colors.png b/wp-content/plugins/wptouch/images/icon-pool/Colors.png deleted file mode 100644 index c6129df73e1ba1f11b7031abff072e76978810d2..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Colors.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Contacts.png b/wp-content/plugins/wptouch/images/icon-pool/Contacts.png deleted file mode 100644 index 6fe4112361125f8261c0b174cbcb6ce65e2d1e5d..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Contacts.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Default.png b/wp-content/plugins/wptouch/images/icon-pool/Default.png deleted file mode 100644 index 9806903fa604ae5a4563ced94c4183b4107bd368..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Default.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Delicious.png b/wp-content/plugins/wptouch/images/icon-pool/Delicious.png deleted file mode 100644 index 77b96c5047d5fad9d514578d3c3b4092eecc8521..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Delicious.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Digg.png b/wp-content/plugins/wptouch/images/icon-pool/Digg.png deleted file mode 100644 index d69e5aad3e9dcfea24979ca6d9eeaa5cb55f496f..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Digg.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Facebook.png b/wp-content/plugins/wptouch/images/icon-pool/Facebook.png deleted file mode 100644 index 14d5ee3b81e37a50ed15b5b26573b81123cc913c..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Facebook.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Finder.png b/wp-content/plugins/wptouch/images/icon-pool/Finder.png deleted file mode 100644 index db3251650e08322f807269e3c00fcea1024355db..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Finder.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Flickr.png b/wp-content/plugins/wptouch/images/icon-pool/Flickr.png deleted file mode 100644 index 5b948fdcc9167bb41672493f82891b04c87de654..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Flickr.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Google.png b/wp-content/plugins/wptouch/images/icon-pool/Google.png deleted file mode 100644 index 3b66ca1aeee8a081b5744cb2c4bec1178c113114..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Google.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Home.png b/wp-content/plugins/wptouch/images/icon-pool/Home.png deleted file mode 100644 index 0758bd7a20c0535741eaedc4fd47e0b01ad15181..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Home.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Mail.png b/wp-content/plugins/wptouch/images/icon-pool/Mail.png deleted file mode 100644 index 8d30ddd515ada0af12b5b7be5cb466c176f0ed94..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Mail.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Maps.png b/wp-content/plugins/wptouch/images/icon-pool/Maps.png deleted file mode 100644 index 520142850e5d0a8458bfb5ca1253c8a4a6fe40fe..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Maps.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Music.png b/wp-content/plugins/wptouch/images/icon-pool/Music.png deleted file mode 100644 index 24566dd859ed55502cc8592a751014b501e1e890..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Music.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/MySpace.png b/wp-content/plugins/wptouch/images/icon-pool/MySpace.png deleted file mode 100644 index 2d3bf0f3bdd3e4822a22ee1dc64b6d8336e9178a..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/MySpace.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Notes.png b/wp-content/plugins/wptouch/images/icon-pool/Notes.png deleted file mode 100644 index 376008e1dd4e81f92a3e62da11ad41c0a0d05bdb..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Notes.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Photos.png b/wp-content/plugins/wptouch/images/icon-pool/Photos.png deleted file mode 100644 index f965b39f6e75a329733094256299270867b1846f..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Photos.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Podcast.png b/wp-content/plugins/wptouch/images/icon-pool/Podcast.png deleted file mode 100644 index bdae39cc9112a28ebbe38bde0d47fd828079e6a7..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Podcast.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/RSS.png b/wp-content/plugins/wptouch/images/icon-pool/RSS.png deleted file mode 100644 index 6917a6056ab9f38a2457d9a74b5b63b242bae6ea..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/RSS.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Safari.png b/wp-content/plugins/wptouch/images/icon-pool/Safari.png deleted file mode 100644 index 6dcb9753e86c369e8e69d5cb766eef5fe1bd4e70..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Safari.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Squares.png b/wp-content/plugins/wptouch/images/icon-pool/Squares.png deleted file mode 100644 index d57a14d2726d627706afecbd1774bc38b997297c..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Squares.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Stocks.png b/wp-content/plugins/wptouch/images/icon-pool/Stocks.png deleted file mode 100644 index b81541c9de2b9bf42d5dad86df550089f417e493..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Stocks.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/ToDo.png b/wp-content/plugins/wptouch/images/icon-pool/ToDo.png deleted file mode 100644 index c60a99b1206a0113e72640c2ad153da9057f4db4..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/ToDo.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Twitter.png b/wp-content/plugins/wptouch/images/icon-pool/Twitter.png deleted file mode 100644 index 037c1a7552cd43db5d03d1869df485c9de64e4f8..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Twitter.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Videos.png b/wp-content/plugins/wptouch/images/icon-pool/Videos.png deleted file mode 100644 index af54d91bfa337cdffe88e26f845edfa2210ba1ea..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Videos.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/Wikipedia.png b/wp-content/plugins/wptouch/images/icon-pool/Wikipedia.png deleted file mode 100644 index b00e6c681eb3394af6ebe3960fbab33904e4ad9e..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/Wikipedia.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/WordPress.png b/wp-content/plugins/wptouch/images/icon-pool/WordPress.png deleted file mode 100644 index 7490c569b0fcf567cda71818a372865f62175c9a..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/WordPress.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/YouTube.png b/wp-content/plugins/wptouch/images/icon-pool/YouTube.png deleted file mode 100644 index c84564289da610138042506c70ff685d772f722e..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/YouTube.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/iPod.png b/wp-content/plugins/wptouch/images/icon-pool/iPod.png deleted file mode 100644 index c090606dcee1a48f0802e94398819cbee8ba291b..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/iPod.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/icon-pool/iTunes.png b/wp-content/plugins/wptouch/images/icon-pool/iTunes.png deleted file mode 100644 index 5e8735d342020ef408513856464a199be207d8e8..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/icon-pool/iTunes.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/progress.gif b/wp-content/plugins/wptouch/images/progress.gif deleted file mode 100644 index 594979a20c5ca193919e272e8caa86b8496eab48..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/progress.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/reset.png b/wp-content/plugins/wptouch/images/reset.png deleted file mode 100644 index d7de70fb187691305df9f6e475a5eee9463c25a1..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/reset.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/saved.png b/wp-content/plugins/wptouch/images/saved.png deleted file mode 100644 index 2528bf6cd1b68695f518db2ab05dc858c3023637..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/saved.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/settings_small.png b/wp-content/plugins/wptouch/images/settings_small.png deleted file mode 100644 index 2949c889f63d44b07c8482a6cd2ff549a0f37b4d..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/settings_small.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/sortof.png b/wp-content/plugins/wptouch/images/sortof.png deleted file mode 100644 index 66b5a67e0de9fde2001d49abd80c1659da831ce8..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/sortof.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/upload.png b/wp-content/plugins/wptouch/images/upload.png deleted file mode 100755 index 602c5697ad2957a3e422c4ca3bf1c9a7565dcc27..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/upload.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/wand_small.png b/wp-content/plugins/wptouch/images/wand_small.png deleted file mode 100644 index ddb3eb98526501c443a5228272b88e7e64cc04da..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/wand_small.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/images/wptouch-icon.jpg b/wp-content/plugins/wptouch/images/wptouch-icon.jpg deleted file mode 100644 index 9293b9b995101b6435be8d57e29a91518e6646eb..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/images/wptouch-icon.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/include/adsense-new.php b/wp-content/plugins/wptouch/include/adsense-new.php deleted file mode 100644 index d0cf683a6c4c972fdcaad7074b18ca39354a05a3..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/include/adsense-new.php +++ /dev/null @@ -1,22 +0,0 @@ -<?php global $wptouch_settings; global $wpdb; ?> -<?php echo '<div id="adsense-area">'; ?> -<script type="text/javascript"><!-- -window.googleAfmcRequest = { - client: 'ca-mb-<?php echo $wptouch_settings['adsense-id']; ?>', - ad_type: 'text_image', - output: 'html', -<?php if ( !isset( $wptouch_settings['adsense-channel'] ) ) { ?> - channel: '', -<?php } else { ?> - channel: '<?php echo $wptouch_settings['adsense-channel']; ?>', -<?php } ?> - format: '320x50_mb', -<?php if ( $wpdb->charset ) { ?> - oe: '<?php echo $wpdb->charset; ?>', -<?php } else { ?> - oe: 'utf8', -<?php } ?> -}; -//--></script> -<script type="text/javascript" src="http://pagead2.googlesyndication.com/pagead/show_afmc_ads.js"></script> -<?php echo '</div>'; ?> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/include/adsense.php b/wp-content/plugins/wptouch/include/adsense.php deleted file mode 100755 index 990191999314fd05fcd7a96bd1827db266b4a6ed..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/include/adsense.php +++ /dev/null @@ -1,132 +0,0 @@ -<?php - -/* - Code taken from Google's website - Modified to use Snoopy class for HTTP request -*/ - -if (!function_exists('google_append_url')) { - - function read_global($var) { - return isset($_SERVER[$var]) ? $_SERVER[$var]: ''; - } - - function google_set_screen_res() { - $screen_res = read_global('HTTP_UA_PIXELS'); - if ($screen_res == '') { - $screen_res = read_global('HTTP_X_UP_DEVCAP_SCREENPIXELS'); - } - if ($screen_res == '') { - $screen_res = read_global('HTTP_X_JPHONE_DISPLAY'); - } - $res_array = split('[x,*]', $screen_res); - if (sizeof($res_array) == 2) { - $GLOBALS['google']['u_w'] = $res_array[0]; - $GLOBALS['google']['u_h'] = $res_array[1]; - } - } - - function google_set_muid() { - $muid = read_global('HTTP_X_DCMGUID'); - if ($muid != '') { - $GLOBALS['google']['muid'] = $muid; - } - $muid = read_global('HTTP_X_UP_SUBNO'); - if ($muid != '') { - $GLOBALS['google']['muid'] = $muid; - } - $muid = read_global('HTTP_X_EM_UID'); - if ($muid != '') { - $GLOBALS['google']['muid'] = $muid; - } - } - - - require_once( WP_CONTENT_DIR . '/../wp-includes/class-snoopy.php'); - - $GLOBALS['google']['ad_type']='text'; - $GLOBALS['google']['channel']=''; - $GLOBALS['google']['format']='mobile_single'; - $GLOBALS['google']['https']=read_global('HTTPS'); - $GLOBALS['google']['ip']=read_global('REMOTE_ADDR'); - $GLOBALS['google']['markup']='xhtml'; - $GLOBALS['google']['oe']='utf8'; - $GLOBALS['google']['output']='xhtml'; - $GLOBALS['google']['ref']=read_global('HTTP_REFERER'); - $GLOBALS['google']['url']=read_global('HTTP_HOST') . read_global('REQUEST_URI'); - $GLOBALS['google']['useragent']=read_global('HTTP_USER_AGENT'); - $google_dt = time(); - -// $GLOBALS['google']['color_border']='FFFFFF'; -// $GLOBALS['google']['color_bg']='FFFFFF'; -// $GLOBALS['google']['color_link']='0000CC'; -// $GLOBALS['google']['color_text']='333333'; -// $GLOBALS['google']['color_url']='008000'; - - function google_append_url(&$url, $param, $value) { - $url .= '&' . $param . '=' . urlencode($value); - } - - function google_append_globals(&$url, $param) { - google_append_url($url, $param, $GLOBALS['google'][$param]); - } - - function google_append_color(&$url, $param) { - global $google_dt; - $color_array = split(',', $GLOBALS['google'][$param]); - google_append_url($url, $param, - $color_array[$google_dt % sizeof($color_array)]); - } - - - - - function google_get_ad_url() { - $google_ad_url = 'http://pagead2.googlesyndication.com/pagead/ads?'; - $google_scheme = ($GLOBALS['google']['https'] == 'on') - ? 'https://' : 'http://'; - foreach ($GLOBALS['google'] as $param => $value) { - if ($param == 'client') { - google_append_url($google_ad_url, $param, - 'ca-mb-' . $GLOBALS['google'][$param]); - } else if (strpos($param, 'color_') === 0) { - google_append_color($google_ad_url, $param); - } else if (strpos($param, 'url') === 0) { - $google_scheme = ($GLOBALS['google']['https'] == 'on') - ? 'https://' : 'http://'; - google_append_url($google_ad_url, $param, - $google_scheme . $GLOBALS['google'][$param]); - } else { - google_append_globals($google_ad_url, $param); - } - } - - google_append_url($google_ad_url, 'dt', - round(1000 * array_sum(explode(' ', microtime())))); - - return $google_ad_url; - } - - function google_show_ad( $id, $channel = '' ) { - global $bnc_wptouch_version; - - $ad = ''; - $GLOBALS['google']['client']= $id; - $GLOBALS['google']['channel']= $channel; - - $google_dt = time(); - google_set_screen_res(); - google_set_muid(); - - $snoopy = new Snoopy; - $snoopy->agent = 'WPtouch ' . $bnc_wptouch_version; - - $ad = ''; - $result = $snoopy->fetch( google_get_ad_url() ); - if ( $result ) { - $ad = $snoopy->results; - } - - return $ad; - } -} \ No newline at end of file diff --git a/wp-content/plugins/wptouch/include/class.prowl.php b/wp-content/plugins/wptouch/include/class.prowl.php deleted file mode 100644 index adb27ff0c1d70be8e492779d790b49907bcd67da..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/include/class.prowl.php +++ /dev/null @@ -1,67 +0,0 @@ -<?php - -class Prowl -{ - var $apikey; - var $application; - - function Prowl($apikey, $application) - { - $this->apikey = $apikey; - $this->application = $application; - // $this->verify(); - } - - function add($priority, $event, $description) - { - $options = array( - 'apikey' => $this->apikey, - 'priority' => $priority, - 'application' => urlencode($this->application), - 'event' => urlencode($event), - 'description' => urlencode($description) - ); - - $response = $this->request('https://prowl.weks.net/publicapi/add', $options); - return $this->getresult($response); - } - - function getresult($response) { - $response = str_replace("\n", " ", $response); - - if(preg_match("/code=\"200\"/i", $response)) - return true; - else - { - preg_match("/<error.*?>(.*?)<\/error>/i", $response, $out); - return $out[1]; - } - } - - function verify() - { - $options = array('apikey' => $this->apikey); - return $this->getresult( $this->request('https://prowl.weks.net/publicapi/verify', $options) ); - } - - function request($file, $options) - { - $url = $file; - - $first = true; - foreach ($options as $key => $value) { - $url .= ($first ? '?' : '&') . $key . '=' . $value; - $first = false; - } - - $ch = curl_init($url); - curl_setopt($ch, CURLOPT_HEADER, false); - curl_setopt($ch, CURLOPT_RETURNTRANSFER, true); - curl_setopt($ch, CURLOPT_SSL_VERIFYPEER, false); - curl_setopt($ch, CURLOPT_TIMEOUT, 10); - $response = curl_exec($ch); - curl_close($ch); - - return $response; - } -} \ No newline at end of file diff --git a/wp-content/plugins/wptouch/include/compat.php b/wp-content/plugins/wptouch/include/compat.php deleted file mode 100644 index a364d508b841a1948fb047d3ba7fef69ce95020f..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/include/compat.php +++ /dev/null @@ -1,92 +0,0 @@ -<?php -// Plugin compatability file -// to help with older versions of WordPress and WordPress MU -// some concepts taken from compatibility.php from the OpenID plugin at http://code.google.com/p/diso/ - -// this will also be the base include for AJAX routines -// so we need to check if WordPress is loaded, if not, load it -// we'll use ABSPATH, since that's defined when WordPress loads -// should be included in the init function of normal plugins - -if ( !function_exists( 'compat_get_wp_content_dir' ) ) { - function compat_get_wp_content_dir() { - if ( defined( 'WP_CONTENT_DIR' ) ) { - return WP_CONTENT_DIR; - } else { - return bloginfo( 'wpurl' ) . '/wp-content'; - } - } -} - -if ( !function_exists( 'compat_get_wp_content_url' ) ) { - function compat_get_wp_content_url() { - if ( defined( 'WP_CONTENT_URL') ) { - return WP_CONTENT_URL; - } else { - return ABSPATH . 'wp-content'; - } - } -} - -if ( !function_exists( 'compat_is_wordpress_mu' ) ) { - function compat_is_wordpress_mu() { - return file_exists( compat_get_wp_content_dir() . '/mu-plugins' ); - } -} - - -if ( !function_exists( 'compat_get_base_plugin_dir' ) ) { - function compat_get_base_plugin_dir() { - if ( compat_is_wordpress_mu() && strpos( dirname( __FILE__ ), 'mu-plugins') !== false ) { - return compat_get_wp_content_dir() . '/mu-plugins'; - } else { - return compat_get_wp_content_dir() . '/plugins'; - } - } -} - -if ( !function_exists( 'compat_get_base_plugin_url' ) ) { - function compat_get_base_plugin_url() { - if ( compat_is_wordpress_mu() && strpos( dirname( __FILE__ ), 'mu-plugins') !== false ) { - return compat_get_wp_content_url() . '/mu-plugins'; - } else { - return compat_get_wp_content_url() . '/plugins'; - } - } -} - -if ( !function_exists( 'compat_get_plugin_dir') ) { - function compat_get_plugin_dir( $plugin_name ) { - return compat_get_base_plugin_dir() . '/' . $plugin_name; - } -} - -if ( !function_exists( 'compat_get_plugin_url' ) ) { - function compat_get_plugin_url( $plugin_name ) { - return compat_get_base_plugin_url() . '/' . $plugin_name; - } -} - -if ( !function_exists( 'compat_get_upload_dir' ) ) { - function compat_get_upload_dir() { - if ( compat_is_wordpress_mu() ) { - global $blog_id; - return compat_get_wp_content_dir() . '/blogs.dir/' . $blog_id . '/uploads'; - } else { - $upload_info = wp_upload_dir(); - return $upload_info['basedir']; - } - } -} - -if ( !function_exists( 'compat_get_upload_url' ) ) { - function compat_get_upload_url() { - if ( compat_is_wordpress_mu() ) { - global $blog_id; - return compat_get_wp_content_url() . '/blogs.dir/' . $blog_id . '/uploads'; - } else { - $upload_info = wp_upload_dir(); - return $upload_info['baseurl']; - } - } -} \ No newline at end of file diff --git a/wp-content/plugins/wptouch/include/icons.php b/wp-content/plugins/wptouch/include/icons.php deleted file mode 100755 index 9b60200ef2fff8c42b0e62bc83f6b52143a434fb..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/include/icons.php +++ /dev/null @@ -1,97 +0,0 @@ -<?php - - function bnc_get_icon_locations() { - $locations = array( - 'default' => array( compat_get_plugin_dir( 'wptouch' ) . '/images/icon-pool', compat_get_plugin_url( 'wptouch' ) . '/images/icon-pool' ), - 'custom' => array( compat_get_upload_dir() . '/wptouch/custom-icons', compat_get_upload_url() . '/wptouch/custom-icons' ) - ); - - return $locations; - } - - function bnc_get_icon_list() { - $locations = bnc_get_icon_locations(); - $files = array(); - - foreach ( $locations as $key => $value ) { - $current_path = $value[0]; - $dir = @opendir( $current_path ); - $files[ $key ] = array(); - - if ( $dir ) { - while ( false !== ( $file = readdir( $dir ) ) ) { - if ($file == '.' || $file == '..' || $file == '.svn' || $file == 'template.psd' || $file == '.DS_Store' || $file == 'more') { - continue; - } - - $icon = array(); - $names = explode('.', $file); - $icon['friendly'] = ucfirst($names[0]); - $icon['name'] = $file; - $icon['wpurl'] = $value[1] . "/" . $file; - $files[ $key ][ $icon['name'] ] = $icon; - } - } - } - - ksort($files); - return $files; - } - - function bnc_show_icons() { - $icons = bnc_get_icon_list(); - $locations = bnc_get_icon_locations(); - - foreach ( $locations as $key => $value ) { - echo '<div class="new-icon-block ' . $key . '">'; - foreach ( $icons[ $key ] as $icon ) { - echo '<ul class="wptouch-iconblock">'; - if ( $key == 'custom' ) { - echo '<a title="Click to Delete" href="' . $_SERVER['REQUEST_URI'] . '&delete_icon=' . urlencode($icon['wpurl']) . '&nonce=' . wp_create_nonce( 'wptouch_delete_nonce' ) . '">'; - } - echo '<li><img src="' . $icon['wpurl'] . '" title="' . $icon['name'] . '" /><br /><span>' . $icon['friendly'] . '</span>'; - echo '</li>'; - if ( $key == 'custom' ) { - echo '</a>'; - } - echo '</ul>'; - } - echo '</div>'; - } - } - - function bnc_get_icon_drop_down_list( $selected_item ) { - $icons = bnc_get_icon_list(); - $locations = bnc_get_icon_locations(); - $files = array(); - - foreach ( $locations as $key => $value ) { - foreach ( $icons[ $key ] as $icon ) { - $files[ $icon['name'] ] = $icon; - } - } - - ksort( $files ); - - foreach ( $files as $key => $file ) { - $is_selected = ''; - if ( $selected_item == $file['name'] ) { - $is_selected = ' selected'; - } - echo '<option' . $is_selected . ' value="' . $file['name'] . '">'. $file['friendly'] . '</option>'; - } - } - - function bnc_get_pages_for_icons() { - global $table_prefix; - global $wpdb; - - $query = "select * from {$table_prefix}posts where post_type = 'page' and post_status = 'publish' order by post_title asc"; - $results = $wpdb->get_results( $query ); - if ( $results ) { - return $results; - } - } - - function bnc_get_master_icon_list() { - } diff --git a/wp-content/plugins/wptouch/include/plugin.php b/wp-content/plugins/wptouch/include/plugin.php deleted file mode 100755 index c43755bbe64849e4e3e93f4d43082db257fb9546..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/include/plugin.php +++ /dev/null @@ -1,7 +0,0 @@ -<?php - function bnc_get_wp_version() { - $version = (float)str_replace('.','',get_bloginfo('version')); - if ($version < 100) { $version = $version * 10; } - $version = $version / 100; - return $version; - } \ No newline at end of file diff --git a/wp-content/plugins/wptouch/include/submit.php b/wp-content/plugins/wptouch/include/submit.php deleted file mode 100755 index 0553687cbf24ef7d7f6dcc7f16c045cc04de677e..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/include/submit.php +++ /dev/null @@ -1,288 +0,0 @@ -<?php - -if ( isset( $_POST['submit'] ) ) { - // let's rock and roll - $nonce = $_POST['wptouch-nonce']; - if ( !wp_verify_nonce( $nonce, 'wptouch-nonce' ) ) { - _e( "Nonce Failure", "wptouch" ); - die; - } - - if ( !current_user_can( 'manage_options' ) ) { - _e( "Security failure. Please log in again.", "wptouch" ); - die; - } - - unset( $_POST['submit'] ); - $a = array(); - - if ( isset( $_POST['enable-post-excerpts'] ) ) { - $a['enable-post-excerpts'] = 1; - } else { - $a['enable-post-excerpts'] = 0; - } - - if ( isset( $_POST['enable-twenty-eleven-footer'] ) ) { - $a['enable-twenty-eleven-footer'] = 1; - } else { - $a['enable-twenty-eleven-footer'] = 0; - } - - if ( isset( $_POST['enable-page-coms'] ) ) { - $a['enable-page-coms'] = 1; - } else { - $a['enable-page-coms'] = 0; - } - - if ( isset( $_POST['enable-zoom'] ) ) { - $a['enable-zoom'] = 1; - } else { - $a['enable-zoom'] = 0; - } - - if ( isset( $_POST['enable-cats-button'] ) ) { - $a['enable-cats-button'] = 1; - } else { - $a['enable-cats-button'] = 0; - } - - if ( isset( $_POST['enable-tags-button'] ) ) { - $a['enable-tags-button'] = 1; - } else { - $a['enable-tags-button'] = 0; - } - - if ( isset( $_POST['enable-search-button'] ) ) { - $a['enable-search-button'] = 1; - } else { - $a['enable-search-button'] = 0; - } - - if ( isset( $_POST['enable-login-button'] ) ) { - $a['enable-login-button'] = 1; - } else { - $a['enable-login-button'] = 0; - } - - if ( isset( $_POST['enable-gigpress-button'] ) ) { - $a['enable-gigpress-button'] = 1; - } else { - $a['enable-gigpress-button'] = 0; - } - - if ( isset( $_POST['enable-flat-icon'] ) ) { - $a['enable-flat-icon'] = 1; - } else { - $a['enable-flat-icon'] = 0; - } - - if ( isset( $_POST['enable-gravatars'] ) ) { - $a['enable-gravatars'] = 1; - } else { - $a['enable-gravatars'] = 0; - } - - if ( isset( $_POST['enable-main-home'] ) ) { - $a['enable-main-home'] = 1; - } else { - $a['enable-main-home'] = 0; - } - - if ( isset( $_POST['enable-main-rss'] ) ) { - $a['enable-main-rss'] = 1; - } else { - $a['enable-main-rss'] = 0; - } - - if ( isset( $_POST['enable-main-email'] ) ) { - $a['enable-main-email'] = 1; - } else { - $a['enable-main-email'] = 0; - } - - if ( isset( $_POST['enable-truncated-titles'] ) ) { - $a['enable-truncated-titles'] = 1; - } else { - $a['enable-truncated-titles'] = 0; - } - - if ( isset( $_POST['enable-main-name'] ) ) { - $a['enable-main-name'] = 1; - } else { - $a['enable-main-name'] = 0; - } - - if ( isset( $_POST['enable-main-tags'] ) ) { - $a['enable-main-tags'] = 1; - } else { - $a['enable-main-tags'] = 0; - } - - if ( isset( $_POST['enable-main-categories'] ) ) { - $a['enable-main-categories'] = 1; - } else { - $a['enable-main-categories'] = 0; - } - -//Prowl - if ( isset($_POST['prowl-api']) ) { - $a['prowl-api'] = $_POST['prowl-api']; - } - - if ( isset( $_POST['enable-prowl-comments-button'] ) ) { - $a['enable-prowl-comments-button'] = 1; - } else { - $a['enable-prowl-comments-button'] = 0; - } - - if ( isset( $_POST['enable-prowl-users-button'] ) ) { - $a['enable-prowl-users-button'] = 1; - } else { - $a['enable-prowl-users-button'] = 0; - } - - if ( isset( $_POST['enable-prowl-message-button'] ) ) { - $a['enable-prowl-message-button'] = 1; - } else { - $a['enable-prowl-message-button'] = 0; - } -// - - if ( isset( $_POST['home-page'] ) ) { - $a['home-page'] = $_POST['home-page']; - if (strlen($a['home-page']) == 0) { - $a['home-page'] = 'Default'; - } - } else { - $a['home-page'] = 'Default'; - } - - if ( isset($_POST['statistics']) ) { - $a['statistics'] = $_POST['statistics']; - } - - if ( isset($_POST['sort-order']) ) { - $a['sort-order'] = $_POST['sort-order']; - } - - if ( isset($_POST['enable-regular-default']) ) { - $a['enable-regular-default'] = 1; - } else { - $a['enable-regular-default'] = 0; - } - - if ( isset($_POST['enable-show-comments']) ) { - $a['enable-show-comments'] = 1; - } else { - $a['enable-show-comments'] = 0; - } - - if ( isset($_POST['enable-show-tweets']) ) { - $a['enable-show-tweets'] = 1; - } else { - $a['enable-show-tweets'] = 0; - } - - if ( isset( $_POST['custom-user-agents'] ) ) { - $new_array = array(); - if ( !strlen( trim( $_POST['custom-user-agents'] ) ) ) { - $a['custom-user-agents'] = array(); - } else { - $a['custom-user-agents'] = explode( ",", $_POST['custom-user-agents'] ); - foreach( $a['custom-user-agents'] as $agent ) { - $new_array[] = trim( $agent ); - } - $a['custom-user-agents'] = $new_array; - } - } else { - $a['custom-user-agents'] = array(); - } - - if ( isset($_POST['excluded-cat-ids']) ) { - $a['excluded-cat-ids'] = $_POST['excluded-cat-ids']; - } - - if ( isset($_POST['excluded-tag-ids']) ) { - $a['excluded-tag-ids'] = $_POST['excluded-tag-ids']; - } - - if ( isset($_POST['adsense-id']) ) { - $a['adsense-id'] = trim( $_POST['adsense-id'] ); - } - - if ( isset($_POST['adsense-channel']) ) { - $a['adsense-channel'] = $_POST['adsense-channel']; - } - - if ( isset($_POST['post-cal-thumb']) ) { - $a['post-cal-thumb'] = $_POST['post-cal-thumb']; - } - - if ( isset($_POST['h2-font']) ) { - $a['h2-font'] = $_POST['h2-font']; - } - - if ( isset($_POST['style-text-justify']) ) { - $a['style-text-justify'] = $_POST['style-text-justify']; - } - - if ( isset($_POST['style-background']) ) { - $a['style-background'] = $_POST['style-background']; - } - - if ( isset($_POST['style-icon']) ) { - $a['style-icon'] = $_POST['style-icon']; - } - - if ( isset( $_POST['enable-exclusive'] ) ) { - $a['enable-exclusive'] = 1; - } else { - $a['enable-exclusive'] = 0; - } - - if ( isset( $_POST['wptouch-language'] ) ) { - $a['wptouch-language'] = $_POST['wptouch-language']; - } else { - $a['wptouch-language'] = "auto"; - } - - foreach ($_POST as $k => $v) { - if ($k == 'enable_main_title') { - $a['main_title'] = $v; - } else { - if (preg_match('#enable_(.*)#', $k, $matches)) { - $id = $matches[1]; - if (!isset($a[$id])) - $a[$id] = $_POST['icon_' . $id]; - } - } - } - - $a['header-title'] = $_POST['header-title']; - if (!isset($a['header-title']) || (isset($a['header-title']) && strlen($a['header-title']) == 0)) { - $a['header-title'] = get_bloginfo('title'); - } - - $a['custom-footer-msg'] = $_POST['custom-footer-msg']; - if (!isset($a['custom-footer-msg']) || (isset($a['custom-footer-msg']) && strlen($a['custom-footer-msg']) == 0)) { - $a['custom-footer-msg'] = 'All content Copyright '. get_bloginfo('name') . ''; - } - - - $a['header-background-color'] = $_POST['header-background-color']; - $a['header-border-color'] = $_POST['header-border-color']; - $a['header-text-color'] = $_POST['header-text-color']; - $a['link-color'] = $_POST['link-color']; - //Prowl - $a['prowl-api'] = $_POST['prowl-api']; - - $values = serialize($a); - update_option('bnc_iphone_pages', $values); -} elseif ( isset( $_POST['reset'] ) ) { - update_option( 'bnc_iphone_pages', false ); -} - -do_action( 'wptouch_load_locale' ); - -global $wptouch_settings; -$wptouch_settings = bnc_wptouch_get_settings(); \ No newline at end of file diff --git a/wp-content/plugins/wptouch/js/admin_1.9.js b/wp-content/plugins/wptouch/js/admin_1.9.js deleted file mode 100644 index 38a9af12d30b9121d1498dbd40f5d7b9f304b823..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/js/admin_1.9.js +++ /dev/null @@ -1,57 +0,0 @@ -/* - * WPtouch 1.9.x -The WPtouch Admin Javascript File - * Last Updated: August 7th, 2010 - */ -var wptouchSpinnerCount = 1; - -function wptouchSpinnerDone() { - wptouchSpinnerCount = wptouchSpinnerCount - 1; - if ( wptouchSpinnerCount == 0 ) { - jQuery('img.ajax-load').fadeOut( 1000 ); - } -} - -jQuery( document ).ready( function() { - - setTimeout(function() { jQuery('#wptouchupdated').fadeIn(250); }, 750); - setTimeout(function() { jQuery( '#wptouchupdated' ).fadeOut(200); }, 2750); - - jQuery('#header-text-color, #header-background-color, #header-border-color, #link-color').ColorPicker({ - onSubmit: function(hsb, hex, rgb, el) { jQuery(el).val(hex); jQuery(el).ColorPickerHide(); }, - onBeforeShow: function () { jQuery(this).ColorPickerSetColor( jQuery(this).attr('value') ); } - }); - - jQuery("a.fancylink").fancybox({ - 'padding': 10, 'zoomSpeedIn': 250, 'zoomSpeedOut': 250, 'zoomOpacity': true, 'overlayShow': false, 'frameHeight': 320, 'frameWidth': 450, 'hideOnContentClick': true - }); - - wptouchAjaxTimeout = 5000; - - // uncomment below to simulate a failure - // wptouchBlogUrl = 'http://somefakeurlasdf.com'; - jQuery.ajax( { - 'url': wptouchBlogUrl + '?wptouch-ajax=news', - 'success': function(data) { - jQuery( '#wptouch-news-content' ).hide().html( data ).fadeIn(); - wptouchSpinnerDone(); - }, - 'timeout': wptouchAjaxTimeout, - 'error': function() { - jQuery( '#wptouch-news-content' ).hide().html( '<ul><li class="ajax-error">Unable to load the news feed</li></ul>' ).fadeIn(); - wptouchSpinnerDone(); - }, - 'dataType': 'html' - }); - -jQuery(function(){ - var tabindex = 1; - jQuery('input,select').each(function() { - if (this.type != "hidden") { - var $input = jQuery(this); - $input.attr("tabindex", tabindex); - tabindex++; - } - }); -}); - -}); \ No newline at end of file diff --git a/wp-content/plugins/wptouch/js/ajax_upload.js b/wp-content/plugins/wptouch/js/ajax_upload.js deleted file mode 100755 index 55df6130e58d3071d138f7e53b07eb05f7405ec7..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/js/ajax_upload.js +++ /dev/null @@ -1,374 +0,0 @@ -/** - * AJAX Upload ( http://valums.com/ajax-upload/ ) - * Copyright (c) Andris Valums - * Licensed under the MIT license ( http://valums.com/mit-license/ ) - * Thanks to Gary Haran, David Mark, Corey Burns and others for contributions - */ -(function () { -function log(){ -if (typeof(console) != 'undefined' && typeof(console.log) == 'function'){ -Array.prototype.unshift.call(arguments, '[Ajax Upload]'); -console.log( Array.prototype.join.call(arguments, ' ')); -} -} -function addEvent(el, type, fn){ -if (el.addEventListener) { -el.addEventListener(type, fn, false); -} else if (el.attachEvent) { -el.attachEvent('on' + type, function(){ -fn.call(el); -}); -} else { -throw new Error('not supported or DOM not loaded'); -} -} -function addResizeEvent(fn){ -var timeout; -addEvent(window, 'resize', function(){ -if (timeout){ -clearTimeout(timeout); -} -timeout = setTimeout(fn, 100); -}); -} -if (document.documentElement.getBoundingClientRect){ -var getOffset = function(el){ -var box = el.getBoundingClientRect(); -var doc = el.ownerDocument; -var body = doc.body; -var docElem = doc.documentElement; -var clientTop = docElem.clientTop || body.clientTop || 0; -var clientLeft = docElem.clientLeft || body.clientLeft || 0; -var zoom = 1; -if (body.getBoundingClientRect) { -var bound = body.getBoundingClientRect(); -zoom = (bound.right - bound.left) / body.clientWidth; -} -if (zoom > 1) { -clientTop = 0; -clientLeft = 0; -} -var top = box.top / zoom + (window.pageYOffset || docElem && docElem.scrollTop / zoom || body.scrollTop / zoom) - clientTop, left = box.left / zoom + (window.pageXOffset || docElem && docElem.scrollLeft / zoom || body.scrollLeft / zoom) - clientLeft; -return { -top: top, -left: left -}; -}; -} else { -var getOffset = function(el){ -var top = 0, left = 0; -do { -top += el.offsetTop || 0; -left += el.offsetLeft || 0; -el = el.offsetParent; -} while (el); -return { -left: left, -top: top -}; -}; -} -function getBox(el){ -var left, right, top, bottom; -var offset = getOffset(el); -left = offset.left; -top = offset.top; -right = left + el.offsetWidth; -bottom = top + el.offsetHeight; -return { -left: left, -right: right, -top: top, -bottom: bottom -}; -} -function addStyles(el, styles){ -for (var name in styles) { -if (styles.hasOwnProperty(name)) { -el.style[name] = styles[name]; -} -} -} -function copyLayout(from, to){ -var box = getBox(from); -addStyles(to, { -position: 'absolute', -left : box.left + 'px', -top : box.top + 'px', -width : from.offsetWidth + 'px', -height : from.offsetHeight + 'px' -}); -} -var toElement = (function(){ -var div = document.createElement('div'); -return function(html){ -div.innerHTML = html; -var el = div.firstChild; -return div.removeChild(el); -}; -})(); -var getUID = (function(){ -var id = 0; -return function(){ -return 'ValumsAjaxUpload' + id++; -}; -})(); -function fileFromPath(file){ -return file.replace(/.*(\/|\\)/, ""); -} -function getExt(file){ -return (-1 !== file.indexOf('.')) ? file.replace(/.*[.]/, '') : ''; -} -function hasClass(el, name){ -var re = new RegExp('\\b' + name + '\\b'); -return re.test(el.className); -} -function addClass(el, name){ -if ( ! hasClass(el, name)){ -el.className += ' ' + name; -} -} -function removeClass(el, name){ -var re = new RegExp('\\b' + name + '\\b'); -el.className = el.className.replace(re, ''); -} -function removeNode(el){ -el.parentNode.removeChild(el); -} -window.AjaxUpload = function(button, options){ -this._settings = { -action: 'upload.php', -name: 'userfile', -data: {}, -autoSubmit: true, -responseType: false, -hoverClass: 'hover', -disabledClass: 'disabled', -onChange: function(file, extension){ -}, -onSubmit: function(file, extension){ -}, -onComplete: function(file, response){ -} -}; -for (var i in options) { -if (options.hasOwnProperty(i)){ -this._settings[i] = options[i]; -} -} -if (button.jquery){ -button = button[0]; -} else if (typeof button == "string") { -if (/^#.*/.test(button)){ -button = button.slice(1); -} -button = document.getElementById(button); -} -if ( ! button || button.nodeType !== 1){ -throw new Error("Please make sure that you're passing a valid element"); -} -if ( button.nodeName.toUpperCase() == 'A'){ -addEvent(button, 'click', function(e){ -if (e && e.preventDefault){ -e.preventDefault(); -} else if (window.event){ -window.event.returnValue = false; -} -}); -} -this._button = button; -this._input = null; -this._disabled = false; -this.enable(); -this._rerouteClicks(); -}; -AjaxUpload.prototype = { -setData: function(data){ -this._settings.data = data; -}, -disable: function(){ -addClass(this._button, this._settings.disabledClass); -this._disabled = true; -var nodeName = this._button.nodeName.toUpperCase(); -if (nodeName == 'INPUT' || nodeName == 'BUTTON'){ -this._button.setAttribute('disabled', 'disabled'); -} -if (this._input){ -this._input.parentNode.style.visibility = 'hidden'; -} -}, -enable: function(){ -removeClass(this._button, this._settings.disabledClass); -this._button.removeAttribute('disabled'); -this._disabled = false; -}, -_createInput: function(){ -var self = this; -var input = document.createElement("input"); -input.setAttribute('type', 'file'); -input.setAttribute('name', this._settings.name); -addStyles(input, { -'position' : 'absolute', -'right' : 0, -'margin' : 0, -'padding' : 0, -'fontSize' : '480px', -'cursor' : 'pointer' -}); -var div = document.createElement("div"); -addStyles(div, { -'display' : 'block', -'position' : 'absolute', -'overflow' : 'hidden', -'margin' : 0, -'padding' : 0, -'opacity' : 0, -'direction' : 'ltr', -'zIndex': 2147483583 -}); -if ( div.style.opacity !== "0") { -if (typeof(div.filters) == 'undefined'){ -throw new Error('Opacity not supported by the browser'); -} -div.style.filter = "alpha(opacity=0)"; -} -addEvent(input, 'change', function(){ -if ( ! input || input.value === ''){ -return; -} -var file = fileFromPath(input.value); -if (false === self._settings.onChange.call(self, file, getExt(file))){ -self._clearInput(); -return; -} -if (self._settings.autoSubmit) { -self.submit(); -} -}); -addEvent(input, 'mouseover', function(){ -addClass(self._button, self._settings.hoverClass); -}); -addEvent(input, 'mouseout', function(){ -removeClass(self._button, self._settings.hoverClass); -input.parentNode.style.visibility = 'hidden'; -}); -div.appendChild(input); -document.body.appendChild(div); -this._input = input; -}, -_clearInput : function(){ -if (!this._input){ -return; -} -removeNode(this._input.parentNode); -this._input = null; -this._createInput(); -removeClass(this._button, this._settings.hoverClass); -}, -_rerouteClicks: function(){ -var self = this; -addEvent(self._button, 'mouseover', function(){ -if (self._disabled){ -return; -} -if ( ! self._input){ -self._createInput(); -} -var div = self._input.parentNode; -copyLayout(self._button, div); -div.style.visibility = 'visible'; -}); -}, -_createIframe: function(){ -var id = getUID(); -var iframe = toElement('<iframe src="javascript:false;" name="' + id + '" />'); -iframe.setAttribute('id', id); -iframe.style.display = 'none'; -document.body.appendChild(iframe); -return iframe; -}, -_createForm: function(iframe){ -var settings = this._settings; -var form = toElement('<form method="post" enctype="multipart/form-data"></form>'); -form.setAttribute('action', settings.action); -form.setAttribute('target', iframe.name); -form.style.display = 'none'; -document.body.appendChild(form); -for (var prop in settings.data) { -if (settings.data.hasOwnProperty(prop)){ -var el = document.createElement("input"); -el.setAttribute('type', 'hidden'); -el.setAttribute('name', prop); -el.setAttribute('value', settings.data[prop]); -form.appendChild(el); -} -} -return form; -}, -_getResponse : function(iframe, file){ -var toDeleteFlag = false, self = this, settings = this._settings; -addEvent(iframe, 'load', function(){ -if (// For Safari -iframe.src == "javascript:'%3Chtml%3E%3C/html%3E';" || -iframe.src == "javascript:'<html></html>';"){ -if (toDeleteFlag) { -setTimeout(function(){ -removeNode(iframe); -}, 0); -} -return; -} -var doc = iframe.contentDocument ? iframe.contentDocument : window.frames[iframe.id].document; -if (doc.readyState && doc.readyState != 'complete') { -return; -} -if (doc.body && doc.body.innerHTML == "false") { -return; -} -var response; -if (doc.XMLDocument) { -response = doc.XMLDocument; -} else if (doc.body){ -response = doc.body.innerHTML; -if (settings.responseType && settings.responseType.toLowerCase() == 'json') { -if (doc.body.firstChild && doc.body.firstChild.nodeName.toUpperCase() == 'PRE') { -doc.normalize(); -response = doc.body.firstChild.firstChild.nodeValue; -} -if (response) { -response = eval("(" + response + ")"); -} else { -response = {}; -} -} -} else { -response = doc; -} -settings.onComplete.call(self, file, response); -toDeleteFlag = true; -iframe.src = "javascript:'<html></html>';"; -}); -}, -submit: function(){ -var self = this, settings = this._settings; -if ( ! this._input || this._input.value === ''){ -return; -} -var file = fileFromPath(this._input.value); -if (false === settings.onSubmit.call(this, file, getExt(file))){ -this._clearInput(); -return; -} -var iframe = this._createIframe(); -var form = this._createForm(iframe); -removeNode(this._input.parentNode); -removeClass(self._button, self._settings.hoverClass); -form.appendChild(this._input); -form.submit(); -removeNode(form); form = null; -removeNode(this._input); this._input = null; -this._getResponse(iframe, file); -this._createInput(); -} -}; -})(); \ No newline at end of file diff --git a/wp-content/plugins/wptouch/js/colorpicker_1.4.js b/wp-content/plugins/wptouch/js/colorpicker_1.4.js deleted file mode 100755 index 53f20f25f2b1b62a149afabe925d73f9f2f85cc5..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/js/colorpicker_1.4.js +++ /dev/null @@ -1,38 +0,0 @@ -/** - * - * Color picker 1.4 - * Author: Stefan Petre www.eyecon.ro - * - * Dual licensed under the MIT and GPL licenses - * - */ -(function($){var ColorPicker=function(){var -ids={},inAction,charMin=65,visible,tpl='<div class="colorpicker"><div class="colorpicker_color"><div><div></div></div></div><div class="colorpicker_hue"><div></div></div><div class="colorpicker_new_color"></div><div class="colorpicker_current_color"></div><div class="colorpicker_hex"><input type="text" maxlength="6" size="6" /></div><div class="colorpicker_rgb_r colorpicker_field"><input type="text" maxlength="3" size="3" /><span></span></div><div class="colorpicker_rgb_g colorpicker_field"><input type="text" maxlength="3" size="3" /><span></span></div><div class="colorpicker_rgb_b colorpicker_field"><input type="text" maxlength="3" size="3" /><span></span></div><div class="colorpicker_hsb_h colorpicker_field"><input type="text" maxlength="3" size="3" /><span></span></div><div class="colorpicker_hsb_s colorpicker_field"><input type="text" maxlength="3" size="3" /><span></span></div><div class="colorpicker_hsb_b colorpicker_field"><input type="text" maxlength="3" size="3" /><span></span></div><div class="colorpicker_submit"></div></div>',defaults={eventName:'click',onShow:function(){},onBeforeShow:function(){},onHide:function(){},onChange:function(){},onSubmit:function(){},color:'ff0000',livePreview:true,flat:false},fillRGBFields=function(hsb,cal){var rgb=HSBToRGB(hsb);$(cal).data('colorpicker').fields.eq(1).val(rgb.r).end().eq(2).val(rgb.g).end().eq(3).val(rgb.b).end();},fillHSBFields=function(hsb,cal){$(cal).data('colorpicker').fields.eq(4).val(hsb.h).end().eq(5).val(hsb.s).end().eq(6).val(hsb.b).end();},fillHexFields=function(hsb,cal){$(cal).data('colorpicker').fields.eq(0).val(HSBToHex(hsb)).end();},setSelector=function(hsb,cal){$(cal).data('colorpicker').selector.css('backgroundColor','#'+HSBToHex({h:hsb.h,s:100,b:100}));$(cal).data('colorpicker').selectorIndic.css({left:parseInt(150*hsb.s/100,10),top:parseInt(150*(100-hsb.b)/100,10)});},setHue=function(hsb,cal){$(cal).data('colorpicker').hue.css('top',parseInt(150-150*hsb.h/360,10));},setCurrentColor=function(hsb,cal){$(cal).data('colorpicker').currentColor.css('backgroundColor','#'+HSBToHex(hsb));},setNewColor=function(hsb,cal){$(cal).data('colorpicker').newColor.css('backgroundColor','#'+HSBToHex(hsb));},keyDown=function(ev){var pressedKey=ev.charCode||ev.keyCode||-1;if((pressedKey>charMin&&pressedKey<=90)||pressedKey==32){return false;} -var cal=$(this).parent().parent();if(cal.data('colorpicker').livePreview===true){change.apply(this);}},change=function(ev){var cal=$(this).parent().parent(),col;if(this.parentNode.className.indexOf('_hex')>0){cal.data('colorpicker').color=col=HexToHSB(fixHex(this.value));}else if(this.parentNode.className.indexOf('_hsb')>0){cal.data('colorpicker').color=col=fixHSB({h:parseInt(cal.data('colorpicker').fields.eq(4).val(),10),s:parseInt(cal.data('colorpicker').fields.eq(5).val(),10),b:parseInt(cal.data('colorpicker').fields.eq(6).val(),10)});}else{cal.data('colorpicker').color=col=RGBToHSB(fixRGB({r:parseInt(cal.data('colorpicker').fields.eq(1).val(),10),g:parseInt(cal.data('colorpicker').fields.eq(2).val(),10),b:parseInt(cal.data('colorpicker').fields.eq(3).val(),10)}));} -if(ev){fillRGBFields(col,cal.get(0));fillHexFields(col,cal.get(0));fillHSBFields(col,cal.get(0));} -setSelector(col,cal.get(0));setHue(col,cal.get(0));setNewColor(col,cal.get(0));cal.data('colorpicker').onChange.apply(cal,[col,HSBToHex(col),HSBToRGB(col)]);},blur=function(ev){var cal=$(this).parent().parent();cal.data('colorpicker').fields.parent().removeClass('colorpicker_focus');},focus=function(){charMin=this.parentNode.className.indexOf('_hex')>0?70:65;$(this).parent().parent().data('colorpicker').fields.parent().removeClass('colorpicker_focus');$(this).parent().addClass('colorpicker_focus');},downIncrement=function(ev){var field=$(this).parent().find('input').focus();var current={el:$(this).parent().addClass('colorpicker_slider'),max:this.parentNode.className.indexOf('_hsb_h')>0?360:(this.parentNode.className.indexOf('_hsb')>0?100:255),y:ev.pageY,field:field,val:parseInt(field.val(),10),preview:$(this).parent().parent().data('colorpicker').livePreview};$(document).bind('mouseup',current,upIncrement);$(document).bind('mousemove',current,moveIncrement);},moveIncrement=function(ev){ev.data.field.val(Math.max(0,Math.min(ev.data.max,parseInt(ev.data.val+ev.pageY-ev.data.y,10))));if(ev.data.preview){change.apply(ev.data.field.get(0),[true]);} -return false;},upIncrement=function(ev){change.apply(ev.data.field.get(0),[true]);ev.data.el.removeClass('colorpicker_slider').find('input').focus();$(document).unbind('mouseup',upIncrement);$(document).unbind('mousemove',moveIncrement);return false;},downHue=function(ev){var current={cal:$(this).parent(),y:$(this).offset().top};current.preview=current.cal.data('colorpicker').livePreview;$(document).bind('mouseup',current,upHue);$(document).bind('mousemove',current,moveHue);},moveHue=function(ev){change.apply(ev.data.cal.data('colorpicker').fields.eq(4).val(parseInt(360*(150-Math.max(0,Math.min(150,(ev.pageY-ev.data.y))))/150,10)).get(0),[ev.data.preview]);return false;},upHue=function(ev){fillRGBFields(ev.data.cal.data('colorpicker').color,ev.data.cal.get(0));fillHexFields(ev.data.cal.data('colorpicker').color,ev.data.cal.get(0));$(document).unbind('mouseup',upHue);$(document).unbind('mousemove',moveHue);return false;},downSelector=function(ev){var current={cal:$(this).parent(),pos:$(this).offset()};current.preview=current.cal.data('colorpicker').livePreview;$(document).bind('mouseup',current,upSelector);$(document).bind('mousemove',current,moveSelector);},moveSelector=function(ev){change.apply(ev.data.cal.data('colorpicker').fields.eq(6).val(parseInt(100*(150-Math.max(0,Math.min(150,(ev.pageY-ev.data.pos.top))))/150,10)).end().eq(5).val(parseInt(100*(Math.max(0,Math.min(150,(ev.pageX-ev.data.pos.left))))/150,10)).get(0),[ev.data.preview]);return false;},upSelector=function(ev){fillRGBFields(ev.data.cal.data('colorpicker').color,ev.data.cal.get(0));fillHexFields(ev.data.cal.data('colorpicker').color,ev.data.cal.get(0));$(document).unbind('mouseup',upSelector);$(document).unbind('mousemove',moveSelector);return false;},enterSubmit=function(ev){$(this).addClass('colorpicker_focus');},leaveSubmit=function(ev){$(this).removeClass('colorpicker_focus');},clickSubmit=function(ev){var cal=$(this).parent();var col=cal.data('colorpicker').color;cal.data('colorpicker').origColor=col;setCurrentColor(col,cal.get(0));cal.data('colorpicker').onSubmit(col,HSBToHex(col),HSBToRGB(col),cal.data('colorpicker').el);},show=function(ev){var cal=$('#'+$(this).data('colorpickerId'));cal.data('colorpicker').onBeforeShow.apply(this,[cal.get(0)]);var pos=$(this).offset();var viewPort=getViewport();var top=pos.top+this.offsetHeight;var left=pos.left;if(top+176>viewPort.t+viewPort.h){top-=this.offsetHeight+176;} -if(left+356>viewPort.l+viewPort.w){left-=356;} -cal.css({left:left+'px',top:top+'px'});if(cal.data('colorpicker').onShow.apply(this,[cal.get(0)])!=false){cal.show();} -$(document).bind('mousedown',{cal:cal},hide);return false;},hide=function(ev){if(!isChildOf(ev.data.cal.get(0),ev.target,ev.data.cal.get(0))){if(ev.data.cal.data('colorpicker').onHide.apply(this,[ev.data.cal.get(0)])!=false){ev.data.cal.hide();} -$(document).unbind('mousedown',hide);}},isChildOf=function(parentEl,el,container){if(parentEl==el){return true;} -if(parentEl.contains){return parentEl.contains(el);} -if(parentEl.compareDocumentPosition){return!!(parentEl.compareDocumentPosition(el)&16);} -var prEl=el.parentNode;while(prEl&&prEl!=container){if(prEl==parentEl) -return true;prEl=prEl.parentNode;} -return false;},getViewport=function(){var m=document.compatMode=='CSS1Compat';return{l:window.pageXOffset||(m?document.documentElement.scrollLeft:document.body.scrollLeft),t:window.pageYOffset||(m?document.documentElement.scrollTop:document.body.scrollTop),w:window.innerWidth||(m?document.documentElement.clientWidth:document.body.clientWidth),h:window.innerHeight||(m?document.documentElement.clientHeight:document.body.clientHeight)};},fixHSB=function(hsb){return{h:Math.min(360,Math.max(0,hsb.h)),s:Math.min(100,Math.max(0,hsb.s)),b:Math.min(100,Math.max(0,hsb.b))};},fixRGB=function(rgb){return{r:Math.min(255,Math.max(0,rgb.r)),g:Math.min(255,Math.max(0,rgb.g)),b:Math.min(255,Math.max(0,rgb.b))};},fixHex=function(hex){var len=6-hex.length;if(len>0){var o=[];for(var i=0;i<len;i++){o.push('0');} -o.push(hex);hex=o.join('');} -return hex;},HexToRGB=function(hex){var hex=parseInt(((hex.indexOf('#')>-1)?hex.substring(1):hex),16);return{r:hex>>16,g:(hex&0x00FF00)>>8,b:(hex&0x0000FF)};},HexToHSB=function(hex){return RGBToHSB(HexToRGB(hex));},RGBToHSB=function(rgb){var hsb={h:0,s:0,b:0};var min=Math.min(rgb.r,rgb.g,rgb.b);var max=Math.max(rgb.r,rgb.g,rgb.b);var delta=max-min;hsb.b=max;if(max!=0){} -hsb.s=max!=0?255*delta/max:0;if(hsb.s!=0){if(rgb.r==max){hsb.h=(rgb.g-rgb.b)/delta;}else if(rgb.g==max){hsb.h=2+(rgb.b-rgb.r)/delta;}else{hsb.h=4+(rgb.r-rgb.g)/delta;}}else{hsb.h=-1;} -hsb.h*=60;if(hsb.h<0){hsb.h+=360;} -hsb.s*=100/255;hsb.b*=100/255;return hsb;},HSBToRGB=function(hsb){var rgb={};var h=Math.round(hsb.h);var s=Math.round(hsb.s*255/100);var v=Math.round(hsb.b*255/100);if(s==0){rgb.r=rgb.g=rgb.b=v;}else{var t1=v;var t2=(255-s)*v/255;var t3=(t1-t2)*(h%60)/60;if(h==360)h=0;if(h<60){rgb.r=t1;rgb.b=t2;rgb.g=t2+t3} -else if(h<120){rgb.g=t1;rgb.b=t2;rgb.r=t1-t3} -else if(h<180){rgb.g=t1;rgb.r=t2;rgb.b=t2+t3} -else if(h<240){rgb.b=t1;rgb.r=t2;rgb.g=t1-t3} -else if(h<300){rgb.b=t1;rgb.g=t2;rgb.r=t2+t3} -else if(h<360){rgb.r=t1;rgb.g=t2;rgb.b=t1-t3} -else{rgb.r=0;rgb.g=0;rgb.b=0}} -return{r:Math.round(rgb.r),g:Math.round(rgb.g),b:Math.round(rgb.b)};},RGBToHex=function(rgb){var hex=[rgb.r.toString(16),rgb.g.toString(16),rgb.b.toString(16)];$.each(hex,function(nr,val){if(val.length==1){hex[nr]='0'+val;}});return hex.join('');},HSBToHex=function(hsb){return RGBToHex(HSBToRGB(hsb));},restoreOriginal=function(){var cal=$(this).parent();var col=cal.data('colorpicker').origColor;cal.data('colorpicker').color=col;fillRGBFields(col,cal.get(0));fillHexFields(col,cal.get(0));fillHSBFields(col,cal.get(0));setSelector(col,cal.get(0));setHue(col,cal.get(0));setNewColor(col,cal.get(0));};return{init:function(opt){opt=$.extend({},defaults,opt||{});if(typeof opt.color=='string'){opt.color=HexToHSB(opt.color);}else if(opt.color.r!=undefined&&opt.color.g!=undefined&&opt.color.b!=undefined){opt.color=RGBToHSB(opt.color);}else if(opt.color.h!=undefined&&opt.color.s!=undefined&&opt.color.b!=undefined){opt.color=fixHSB(opt.color);}else{return this;} -return this.each(function(){if(!$(this).data('colorpickerId')){var options=$.extend({},opt);options.origColor=opt.color;var id='collorpicker_'+parseInt(Math.random()*1000);$(this).data('colorpickerId',id);var cal=$(tpl).attr('id',id);if(options.flat){cal.appendTo(this).show();}else{cal.appendTo(document.body);} -options.fields=cal.find('input').bind('keyup',keyDown).bind('change',change).bind('blur',blur).bind('focus',focus);cal.find('span').bind('mousedown',downIncrement).end().find('>div.colorpicker_current_color').bind('click',restoreOriginal);options.selector=cal.find('div.colorpicker_color').bind('mousedown',downSelector);options.selectorIndic=options.selector.find('div div');options.el=this;options.hue=cal.find('div.colorpicker_hue div');cal.find('div.colorpicker_hue').bind('mousedown',downHue);options.newColor=cal.find('div.colorpicker_new_color');options.currentColor=cal.find('div.colorpicker_current_color');cal.data('colorpicker',options);cal.find('div.colorpicker_submit').bind('mouseenter',enterSubmit).bind('mouseleave',leaveSubmit).bind('click',clickSubmit);fillRGBFields(options.color,cal.get(0));fillHSBFields(options.color,cal.get(0));fillHexFields(options.color,cal.get(0));setHue(options.color,cal.get(0));setSelector(options.color,cal.get(0));setCurrentColor(options.color,cal.get(0));setNewColor(options.color,cal.get(0));if(options.flat){cal.css({position:'relative',display:'block'});}else{$(this).bind(options.eventName,show);}}});},showPicker:function(){return this.each(function(){if($(this).data('colorpickerId')){show.apply(this);}});},hidePicker:function(){return this.each(function(){if($(this).data('colorpickerId')){$('#'+$(this).data('colorpickerId')).hide();}});},setColor:function(col){if(typeof col=='string'){col=HexToHSB(col);}else if(col.r!=undefined&&col.g!=undefined&&col.b!=undefined){col=RGBToHSB(col);}else if(col.h!=undefined&&col.s!=undefined&&col.b!=undefined){col=fixHSB(col);}else{return this;} -return this.each(function(){if($(this).data('colorpickerId')){var cal=$('#'+$(this).data('colorpickerId'));cal.data('colorpicker').color=col;cal.data('colorpicker').origColor=col;fillRGBFields(col,cal.get(0));fillHSBFields(col,cal.get(0));fillHexFields(col,cal.get(0));setHue(col,cal.get(0));setSelector(col,cal.get(0));setCurrentColor(col,cal.get(0));setNewColor(col,cal.get(0));}});}};}();$.fn.extend({ColorPicker:ColorPicker.init,ColorPickerHide:ColorPicker.hidePicker,ColorPickerShow:ColorPicker.showPicker,ColorPickerSetColor:ColorPicker.setColor});})(jQuery) \ No newline at end of file diff --git a/wp-content/plugins/wptouch/js/fancybox_1.2.5.js b/wp-content/plugins/wptouch/js/fancybox_1.2.5.js deleted file mode 100755 index 3b164b043f46a618124f568d74ea2106a48a52d3..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/js/fancybox_1.2.5.js +++ /dev/null @@ -1,12 +0,0 @@ -/* - * FancyBox - jQuery Plugin - * simple and fancy lightbox alternative - * Copyright (c) 2009 Janis Skarnelis - * Examples and documentation at: http://fancybox.net - * Version: 1.2.5 (03/11/2009) - * Requires: jQuery v1.3+ - * Dual licensed under the MIT and GPL licenses: - * http://www.opensource.org/licenses/mit-license.php - * http://www.gnu.org/licenses/gpl.html - */ -;eval(function(p,a,c,k,e,r){e=function(c){return(c<a?'':e(parseInt(c/a)))+((c=c%a)>35?String.fromCharCode(c+29):c.toString(36))};if(!''.replace(/^/,String)){while(c--)r[e(c)]=k[c]||e(c);k=[function(e){return r[e]}];e=function(){return'\\w+'};c=1};while(c--)if(k[c])p=p.replace(new RegExp('\\b'+e(c)+'\\b','g'),k[c]);return p}(';(p($){$.q.1S=p(){J N.2o(p(){n b=$(N).u(\'2p\');8(b.1d(/^3i\\(["\']?(.*\\.2q)["\']?\\)$/i)){b=3j.$1;$(N).u({\'2p\':\'3k\',\'1e\':"3l:3m.3n.3o(3p=D, 3q="+($(N).u(\'3r\')==\'2r-3s\'?\'3t\':\'3u\')+", 13=\'"+b+"\')"}).2o(p(){n a=$(N).u(\'1u\');8(a!=\'2s\'&&a!=\'2t\')$(N).u(\'1u\',\'2t\')})}})};n l,4,1f=O,Y=1v 1w,1x,1y=1,1z=/\\.(3v|3w|2q|3x|3y)(.*)?$/i;n m=1A,19=$.14.1g&&$.14.2u.1T(0,1)==6&&!15.3z,1U=19||($.14.1g&&$.14.2u.1T(0,1)==7);$.q.r=p(o){n j=$.2v({},$.q.r.2w,o);n k=N;p 2x(){l=N;4=$.2v({},j);2y();J O};p 2y(){8(1f)J;8($.1V(4.1W)){4.1W()}4.v=[];4.t=0;8(j.v.Z>0){4.v=j.v}C{n a={};8(!l.1B||l.1B==\'\'){n a={K:l.K,G:l.G};8($(l).1C("1l:1D").Z){a.S=$(l).1C("1l:1D")}C{a.S=$(l)}8(a.G==\'\'||1X a.G==\'1m\'){a.G=a.S.2z(\'1Y\')}4.v.2A(a)}C{n b=$(k).1e("a[1B="+l.1B+"]");n a={};3A(n i=0;i<b.Z;i++){a={K:b[i].K,G:b[i].G};8($(b[i]).1C("1l:1D").Z){a.S=$(b[i]).1C("1l:1D")}C{a.S=$(b[i])}8(a.G==\'\'||1X a.G==\'1m\'){a.G=a.S.2z(\'1Y\')}4.v.2A(a)}}}3B(4.v[4.t].K!=l.K){4.t++}8(4.1E){8(19){$(\'1Z, 21, 22\').u(\'23\',\'3C\');$("#T").u(\'A\',$(U).A())}$("#T").u({\'3D-3E\':4.2B,\'24\':4.2C}).11()}$(15).V("1F.E 1G.E",$.q.r.25);1h()};p 1h(){$("#1n, #1o, #1i, #H").1a();n b=4.v[4.t].K;8(b.1d("1j")||l.3F.2D("1j")>=0){$.q.r.1H();1p(\'<1j s="2E" 3G="2F.q.r.2G()" 3H="3I\'+P.1b(P.3J()*3K)+\'" 2H="0" 3L="0" 13="\'+b+\'"></1j>\',4.1I,4.1J)}C 8(b.1d(/#/)){n c=15.3M.K.3N(\'#\')[0];c=b.3O(c,\'\');c=c.1T(c.2D(\'#\'));1p(\'<9 s="3P">\'+$(c).2I()+\'</9>\',4.1I,4.1J)}C 8(b.1d(1z)){Y=1v 1w;Y.13=b;8(Y.3Q){26()}C{$.q.r.1H();$(Y).Q().V(\'3R\',p(){$("#L").1a();26()})}}C{$.q.r.1H();$.3S(b,p(a){$("#L").1a();1p(\'<9 s="3T">\'+a+\'</9>\',4.1I,4.1J)})}};p 26(){n a=Y.F;n b=Y.A;n c=(4.M*2)+40;n d=(4.M*2)+28;n w=$.q.r.1q();8(4.2J&&(a>(w[0]-c)||b>(w[1]-d))){n e=P.29(P.29(w[0]-c,a)/a,P.29(w[1]-d,b)/b);a=P.1b(e*a);b=P.1b(e*b)}1p(\'<1l 1Y="" s="3U" 13="\'+Y.13+\'" />\',a,b)};p 2K(){8((4.v.Z-1)>4.t){n a=4.v[4.t+1].K;8(a.1d(1z)){1K=1v 1w();1K.13=a}}8(4.t>0){n a=4.v[4.t-1].K;8(a.1d(1z)){1K=1v 1w();1K.13=a}}};p 1p(a,b,c){1f=D;n d=4.M;8(1U||m){$("#y")[0].16.2L("A");$("#y")[0].16.2L("F")}8(d>0){b+=d*2;c+=d*2;$("#y").u({\'z\':d+\'R\',\'2M\':d+\'R\',\'2N\':d+\'R\',\'B\':d+\'R\',\'F\':\'2O\',\'A\':\'2O\'});8(1U||m){$("#y")[0].16.2P(\'A\',\'(N.2Q.3V - \'+d*2+\')\');$("#y")[0].16.2P(\'F\',\'(N.2Q.3W - \'+d*2+\')\')}}C{$("#y").u({\'z\':0,\'2M\':0,\'2N\':0,\'B\':0,\'F\':\'2R%\',\'A\':\'2R%\'})}8($("#x").17(":W")&&b==$("#x").F()&&c==$("#x").A()){$("#y").1L(\'2a\',p(){$("#y").1r().1M($(a)).2b("1N",p(){1s()})});J}n w=$.q.r.1q();n e=(c+28)>w[1]?w[3]:(w[3]+P.1b((w[1]-c-28)*0.5));n f=(b+40)>w[0]?w[2]:(w[2]+P.1b((w[0]-b-40)*0.5));n g={\'B\':f,\'z\':e,\'F\':b+\'R\',\'A\':c+\'R\'};8($("#x").17(":W")){$("#y").1L("1N",p(){$("#y").1r();$("#x").2c(g,4.2S,4.2T,p(){$("#y").1M($(a)).2b("1N",p(){1s()})})})}C{8(4.2d>0&&4.v[4.t].S!==1m){$("#y").1r().1M($(a));n h=4.v[4.t].S;n i=$.q.r.2e(h);$("#x").u({\'B\':(i.B-20-4.M)+\'R\',\'z\':(i.z-20-4.M)+\'R\',\'F\':$(h).F()+(4.M*2),\'A\':$(h).A()+(4.M*2)});8(4.2f){g.24=\'11\'}$("#x").2c(g,4.2d,4.2U,p(){1s()})}C{$("#y").1a().1r().1M($(a)).11();$("#x").u(g).2b("1N",p(){1s()})}}};p 2V(){8(4.t!=0){$("#1o, #2W").Q().V("18",p(e){e.2X();4.t--;1h();J O});$("#1o").11()}8(4.t!=(4.v.Z-1)){$("#1n, #2Y").Q().V("18",p(e){e.2X();4.t++;1h();J O});$("#1n").11()}};p 1s(){8($.14.1g){$("#y")[0].16.1O(\'1e\');$("#x")[0].16.1O(\'1e\')}2V();2K();$(U).V("1P.E",p(e){8(e.2g==27&&4.2Z){$.q.r.1c()}C 8(e.2g==37&&4.t!=0){$(U).Q("1P.E");4.t--;1h()}C 8(e.2g==39&&4.t!=(4.v.Z-1)){$(U).Q("1P.E");4.t++;1h()}});8(4.2h){$(15).V("1F.E 1G.E",$.q.r.25)}8(4.30){$("#y").18($.q.r.1c)}8(4.1E&&4.31){$("#T").V("18",$.q.r.1c)}8(4.33){$("#1i").V("18",$.q.r.1c).11()}8(1X 4.v[4.t].G!==\'1m\'&&4.v[4.t].G.Z>0){n a=$("#x").1u();$(\'#H 9\').3X(4.v[4.t].G).2I();$(\'#H\').u({\'z\':a.z+$("#x").34()-32,\'B\':a.B+(($("#x").35()*0.5)-($(\'#H\').F()*0.5))}).11()}8(4.1E&&19){$(\'1Z, 21, 22\',$(\'#y\')).u(\'23\',\'W\')}8($.1V(4.2i)){4.2i(4.v[4.t])}8($.14.1g){$("#x")[0].16.1O(\'1e\');$("#y")[0].16.1O(\'1e\')}1f=O};J N.Q(\'18.E\').V(\'18.E\',2x)};$.q.r.25=p(){n w=$.q.r.1q();8($("#x").17(\':W\')){n a=$("#x").35();n b=$("#x").34();n c={\'z\':(b>w[1]?w[3]:w[3]+P.1b((w[1]-b)*0.5)),\'B\':(a>w[0]?w[2]:w[2]+P.1b((w[0]-a)*0.5))};$("#x").u(c);$(\'#H\').u({\'z\':c.z+b-32,\'B\':c.B+((a*0.5)-($(\'#H\').F()*0.5))})}8(19&&$("#T").17(\':W\')){$("#T").u({\'A\':$(U).A()})}8($("#L").17(\':W\')){$("#L").u({\'B\':((w[0]-40)*0.5+w[2]),\'z\':((w[1]-40)*0.5+w[3])})}};$.q.r.1t=p(a,b){J 3Y($.3Z(a.41?a[0]:a,b,D))||0};$.q.r.2e=p(a){n b=a.42();b.z+=$.q.r.1t(a,\'43\');b.z+=$.q.r.1t(a,\'44\');b.B+=$.q.r.1t(a,\'45\');b.B+=$.q.r.1t(a,\'46\');J b};$.q.r.2G=p(){$("#L").1a();$("#2E").11()};$.q.r.1q=p(){J[$(15).F(),$(15).A(),$(U).47(),$(U).48()]};$.q.r.36=p(){8(!$("#L").17(\':W\')){38(1x);J}$("#L > 9").u(\'z\',(1y*-40)+\'R\');1y=(1y+1)%12};$.q.r.1H=p(){38(1x);n w=$.q.r.1q();$("#L").u({\'B\':((w[0]-40)*0.5+w[2]),\'z\':((w[1]-40)*0.5+w[3])}).11();$("#L").V(\'18\',$.q.r.1c);1x=49($.q.r.36,4a)};$.q.r.1c=p(){1f=D;$(Y).Q();$(U).Q("1P.E");$(15).Q("1F.E 1G.E");$("#T, #y, #1i").Q();$("#1i, #L, #1o, #1n, #H").1a();1Q=p(){8($("#T").17(\':W\')){$("#T").1L("2a")}$("#y").1r();8(4.2h){$(15).Q("1F.E 1G.E")}8(19){$(\'1Z, 21, 22\').u(\'23\',\'W\')}8($.1V(4.2j)){4.2j()}1f=O};8($("#x").17(":W")!==O){8(4.2k>0&&4.v[4.t].S!==1m){n a=4.v[4.t].S;n b=$.q.r.2e(a);n c={\'B\':(b.B-20-4.M)+\'R\',\'z\':(b.z-20-4.M)+\'R\',\'F\':$(a).F()+(4.M*2),\'A\':$(a).A()+(4.M*2)};8(4.2f){c.24=\'1a\'}$("#x").3a(O,D).2c(c,4.2k,4.3b,1Q)}C{$("#x").3a(O,D).1L(\'2a\',1Q)}}C{1Q()}J O};$.q.r.3c=p(){n a=\'\';a+=\'<9 s="T"></9>\';a+=\'<9 s="L"><9></9></9>\';a+=\'<9 s="x">\';a+=\'<9 s="3d">\';a+=\'<9 s="1i"></9>\';a+=\'<9 s="X"><9 I="X" s="4b"></9><9 I="X" s="4c"></9><9 I="X" s="4d"></9><9 I="X" s="4e"></9><9 I="X" s="4f"></9><9 I="X" s="4g"></9><9 I="X" s="4h"></9><9 I="X" s="4i"></9></9>\';a+=\'<a K="2l:;" s="1o"><1R I="2m" s="2W"></1R></a><a K="2l:;" s="1n"><1R I="2m" s="2Y"></1R></a>\';a+=\'<9 s="y"></9>\';a+=\'</9>\';a+=\'</9>\';a+=\'<9 s="H"></9>\';$(a).3e("4j");$(\'<3f 4k="0" 4l="0" 4m="0"><3g><1k I="H" s="4n"></1k><1k I="H" s="4o"><9></9></1k><1k I="H" s="4p"></1k></3g></3f>\').3e(\'#H\');8($.14.1g){$(".X").1S()}8(19){$("9#T").u("1u","2s");$("#L 9, #1i, .H, .2m").1S();$("#3d").4q(\'<1j s="3h" 13="2l:O;" 4r="2r" 2H="0"></1j>\');n b=$(\'#3h\')[0].4s.U;b.4t();b.1c()}};$.q.r.2w={M:10,2J:D,2f:D,2d:0,2k:0,2S:4u,2U:\'2n\',3b:\'2n\',2T:\'2n\',1I:4v,1J:4w,1E:D,2C:0.3,2B:\'#4x\',2Z:D,33:D,31:D,30:D,2h:D,v:[],1W:1A,2i:1A,2j:1A};$(U).4y(p(){m=$.14.1g&&!$.4z;8($("#x").Z<1){$.q.r.3c()}})})(2F);',62,284,'||||opts||||if|div||||||||||||||var||function|fn|fancybox|id|itemCurrent|css|itemArray||fancy_outer|fancy_content|top|height|left|else|true|fb|width|title|fancy_title|class|return|href|fancy_loading|padding|this|false|Math|unbind|px|orig|fancy_overlay|document|bind|visible|fancy_bg|imagePreloader|length||show||src|browser|window|style|is|click|IE6|hide|round|close|match|filter|busy|msie|_change_item|fancy_close|iframe|td|img|undefined|fancy_right|fancy_left|_set_content|getViewport|empty|_finish|getNumeric|position|new|Image|loadingTimer|loadingFrame|imageRegExp|null|rel|children|first|overlayShow|resize|scroll|showLoading|frameWidth|frameHeight|objNext|fadeOut|append|normal|removeAttribute|keydown|__cleanup|span|fixPNG|substr|oldIE|isFunction|callbackOnStart|typeof|alt|embed||object|select|visibility|opacity|scrollBox|_proceed_image||60|min|fast|fadeIn|animate|zoomSpeedIn|getPosition|zoomOpacity|keyCode|centerOnScroll|callbackOnShow|callbackOnClose|zoomSpeedOut|javascript|fancy_ico|swing|each|backgroundImage|png|no|absolute|relative|version|extend|defaults|_initialize|_start|attr|push|overlayColor|overlayOpacity|indexOf|fancy_frame|jQuery|showIframe|frameborder|html|imageScale|_preload_neighbor_images|removeExpression|right|bottom|auto|setExpression|parentNode|100|zoomSpeedChange|easingChange|easingIn|_set_navigation|fancy_left_ico|stopPropagation|fancy_right_ico|enableEscapeButton|hideOnContentClick|hideOnOverlayClick||showCloseButton|outerHeight|outerWidth|animateLoading||clearInterval||stop|easingOut|build|fancy_inner|appendTo|table|tr|fancy_bigIframe|url|RegExp|none|progid|DXImageTransform|Microsoft|AlphaImageLoader|enabled|sizingMethod|backgroundRepeat|repeat|crop|scale|jpg|gif|bmp|jpeg|XMLHttpRequest|for|while|hidden|background|color|className|onload|name|fancy_iframe|random|1000|hspace|location|split|replace|fancy_div|complete|load|get|fancy_ajax|fancy_img|clientHeight|clientWidth|text|parseInt|curCSS||jquery|offset|paddingTop|borderTopWidth|paddingLeft|borderLeftWidth|scrollLeft|scrollTop|setInterval|66|fancy_bg_n|fancy_bg_ne|fancy_bg_e|fancy_bg_se|fancy_bg_s|fancy_bg_sw|fancy_bg_w|fancy_bg_nw|body|cellspacing|cellpadding|border|fancy_title_left|fancy_title_main|fancy_title_right|prepend|scrolling|contentWindow|open|300|560|340|666|ready|boxModel'.split('|'),0,{})); \ No newline at end of file diff --git a/wp-content/plugins/wptouch/lang/de_DE.mo b/wp-content/plugins/wptouch/lang/de_DE.mo deleted file mode 100644 index 8fdb11adf5935a1bc5e8126ed66531ef98fe15c6..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/lang/de_DE.mo and /dev/null differ diff --git a/wp-content/plugins/wptouch/lang/es_ES.mo b/wp-content/plugins/wptouch/lang/es_ES.mo deleted file mode 100644 index 56897f4374527ee6023ed38fe5de16fc6a0a55f5..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/lang/es_ES.mo and /dev/null differ diff --git a/wp-content/plugins/wptouch/lang/eu_EU.mo b/wp-content/plugins/wptouch/lang/eu_EU.mo deleted file mode 100644 index 472fb88648a4cf60bdb58a54905ecb78df09b2e6..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/lang/eu_EU.mo and /dev/null differ diff --git a/wp-content/plugins/wptouch/lang/fr_FR.mo b/wp-content/plugins/wptouch/lang/fr_FR.mo deleted file mode 100644 index 3a388c40c845f8e8ef1037a76f3a3e0f87c04bf5..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/lang/fr_FR.mo and /dev/null differ diff --git a/wp-content/plugins/wptouch/lang/ja_JP.mo b/wp-content/plugins/wptouch/lang/ja_JP.mo deleted file mode 100644 index 79de4d7220ce6efc1fd4caaee2ce66438ab762ef..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/lang/ja_JP.mo and /dev/null differ diff --git a/wp-content/plugins/wptouch/lang/src/de_DE.po b/wp-content/plugins/wptouch/lang/src/de_DE.po deleted file mode 100644 index 25c724c65388eb49892d8c1d0ca5dfc6699f55f8..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/lang/src/de_DE.po +++ /dev/null @@ -1,1260 +0,0 @@ -# Translation of the WordPress plugin WPtouch 1.9.19 by Dale Mugford & Duane Storey (BraveNewCode Inc.). -# Copyright (C) 2010 Dale Mugford & Duane Storey (BraveNewCode Inc.) -# This file is distributed under the same license as the WPtouch package. -# FIRST AUTHOR <EMAIL@ADDRESS>, 2010. -# -msgid "" -msgstr "" -"Project-Id-Version: WPtouch 1.9.19\n" -"Report-Msgid-Bugs-To: http://wordpress.org/tag/wptouch\n" -"POT-Creation-Date: 2011-01-26 14:44-0300\n" -"PO-Revision-Date: 2011-01-26 14:44-0300\n" -"Last-Translator: Christian Forjahn <chris@kletterfieber.net>\n" -"Language-Team: Christian Forjahn <chris@kletterfieber.net>\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Poedit-Language: Deutsch\n" -"X-Poedit-Country: DEUTSCHLAND\n" - -#: ajax/file_upload.php:23 -msgid "<p style=\"color:red; padding-top:10px\">There seems to have been an error.<p>Please try your upload again.</p>" -msgstr "<p style=\"color:red; padding-top:10px\">Ein Fehler ist aufgetreten.<p>Bitte versuch es noch einmal.</p>" - -#: ajax/file_upload.php:25 -msgid "<p style=\"color:green; padding-top:10px\">File has been saved and added to the pool.</p>" -msgstr "<p style=\"color:green; padding-top:10px\">Die Datei wurde gespeichert und zum Pool hinzugefügt.</p>" - -#: ajax/file_upload.php:28 -msgid "<p style=\"color:orange; padding-top:10px\">Sorry, only PNG, GIF and JPG images are supported.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Entschuldige, es werden nur PNG, GIF oder JPG Bidler unterstützt.</p>" - -#: ajax/file_upload.php:30 -msgid "<p style=\"color:orange; padding-top:10px\">Image too large. try something like 59x60.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Das Bild ist zu gross. Versuche es mit einem Bild in der Grösse 59x60.</p>" - -#: ajax/file_upload.php:32 -msgid "<p style=\"color:orange; padding-top:10px\">Insufficient privileges.</p><p>You need to either be an admin or have more control over your server.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Nicht genügend Berechtigungen.</p><p>Du musst entweder admin sein, oder mehr Kontrolle über den Server haben.</p>" - -#: ajax/news.php:16 -#: ajax/support.php:16 -#: ajax/support.php:28 -msgid "<li class=\"ajax-error\">No feed items found to display.</li>" -msgstr "<li class=\"ajax-error\">Es wurden keine Feed Inhalte zum Anzeigen gefunden.</li>" - -#: ajax/news.php:28 -msgid " <li class=\"ajax-error\">No feed items found to display.</li>" -msgstr " <li class=\"ajax-error\">Es wurden keine Feed Inhalte zum Anzeigen gefunden.</li>" - -#: html/ads-stats-area.php:5 -msgid "Adsense, Stats & Custom Code" -msgstr "Adsense, Statistics & Eigener Code" - -#: html/ads-stats-area.php:8 -msgid "Adsense" -msgstr "Adsense" - -#: html/ads-stats-area.php:9 -msgid "Enter your Google AdSense ID if you'd like to support mobile advertising in WPtouch posts." -msgstr "Trage deine Google Adsense ID ein, wenn du ADs auf der mobilen Seite nutzen willst." - -#: html/ads-stats-area.php:10 -msgid "Make sure to include the 'pub-' part of your ID string." -msgstr "Trage den \"pub-\" Teil deiner ID ein." - -#: html/ads-stats-area.php:12 -msgid "Stats & Custom Code" -msgstr "Estadísticas & Eigener Code" - -#: html/ads-stats-area.php:13 -msgid "If you'd like to capture traffic statistics " -msgstr "Wenn du Traffic Statistiken loggen willst." - -#: html/ads-stats-area.php:13 -msgid "(Google Analytics, MINT, etc.)" -msgstr "(Google Analytics, MINT, etc.)" - -#: html/ads-stats-area.php:14 -msgid "Enter the code snippet(s) for your statistics tracking." -msgstr "Trage den Code für deine Statistik Tracking hier ein." - -#: html/ads-stats-area.php:14 -msgid "You can also enter custom CSS & other HTML code." -msgstr "PDu kannst auch eigenen CSS oder HTML Code einfügen." - -#: html/ads-stats-area.php:16 -#: html/advanced-area.php:22 -#: html/advanced-area.php:31 -#: html/advanced-area.php:40 -#: html/advanced-area.php:49 -#: html/advanced-area.php:60 -#: html/advanced-area.php:68 -#: html/advanced-area.php:83 -#: html/advanced-area.php:92 -#: html/advanced-area.php:101 -#: html/general-settings-area.php:75 -#: html/page-area.php:31 -#: html/push-area.php:17 -#: html/push-area.php:49 -msgid "More Info" -msgstr "Mehr Infos" - -#: html/ads-stats-area.php:17 -msgid "You may enter a custom css file link easily. Simply add the full link to the css file like this:" -msgstr "Du kannst ein eigenes CSS-File verwenden. Trage einfach den ganzen Pfad zum CSS-File ein:" - -#: html/ads-stats-area.php:18 -msgid "<code><link rel="stylesheet" src="http://path-to-my-css-file" type="text/css" media="screen" /></code>" -msgstr "<code><link rel="stylesheet" src="http://path-to-my-css-file" type="text/css" media="screen" /></code>" - -#: html/ads-stats-area.php:25 -msgid "Google AdSense ID" -msgstr "Google AdSense ID" - -#: html/ads-stats-area.php:26 -msgid "Google AdSense Channel" -msgstr "Google AdSense Channel" - -#: html/advanced-area.php:5 -msgid "Advanced Options" -msgstr "Erweiterte Optionen" - -#: html/advanced-area.php:8 -msgid "Choose to enable/disable advanced features & options available for WPtouch." -msgstr "Choose to enable/disable advanced features & options available for WPtouch." - -#: html/advanced-area.php:9 -msgid "* WPtouch Restricted Mode attempts to fix issues where other plugins load scripts which interfere with WPtouch CSS and JavaScript." -msgstr "* WPtouch Restricted Mode attempts to fix issues where other plugins load scripts which interfere with WPtouch CSS and JavaScript." - -#: html/advanced-area.php:11 -msgid "Custom User-Agents" -msgstr "Custom User-Agents" - -#: html/advanced-area.php:12 -msgid "Enter a comma-separated list of user-agents to enable WPtouch for a device that isn't currently officially supported." -msgstr "Enter a comma-separated list of user-agents to enable WPtouch for a device that isn't currently officially supported." - -#: html/advanced-area.php:13 -#, php-format -msgid "The currently enabled user-agents are: <em class='supported'>%s</em>" -msgstr "The currently enabled user-agents are: <em class='supported'>%s</em>" - -#: html/advanced-area.php:20 -msgid "Enable Categories tab in the header" -msgstr "Enable Categories tab in the header" - -#: html/advanced-area.php:23 -msgid "This will add a 'Categories' tab item in the WPtouch drop-down." -msgstr "This will add a 'Categories' tab item in the WPtouch drop-down." - -#: html/advanced-area.php:24 -msgid "It will display a list of your popular categories." -msgstr "It will display a list of your popular categories." - -#: html/advanced-area.php:29 -msgid "Enable Tags tab in the header" -msgstr "Enable Tags tab in the header" - -#: html/advanced-area.php:32 -msgid "This will add a 'Tags' tab item in the WPtouch drop-down." -msgstr "This will add a 'Tags' tab item in the WPtouch drop-down." - -#: html/advanced-area.php:33 -msgid "It will display a list of your popular tags." -msgstr "It will display a list of your popular tags." - -#: html/advanced-area.php:38 -msgid "Enable Search link in the header" -msgstr "Enable Search link in the header" - -#: html/advanced-area.php:41 -msgid "This will add a 'Search' item in the WPtouch sub header." -msgstr "This will add a 'Search' item in the WPtouch sub header." - -#: html/advanced-area.php:42 -msgid "It will display an overlay on the title area allowing users to search your website." -msgstr "It will display an overlay on the title area allowing users to search your website." - -#: html/advanced-area.php:47 -msgid "Enable Login/My Account tab in the header" -msgstr "Enable Login/My Account tab in the header" - -#: html/advanced-area.php:50 -msgid "This will add a 'Login' tab in the WPtouch sub header beside the Tags and Categories tabs if they are also enabled." -msgstr "This will add a 'Login' tab in the WPtouch sub header beside the Tags and Categories tabs if they are also enabled." - -#: html/advanced-area.php:51 -msgid "It will display a username/password drop-down, allowing users to login plus be automatically re-directed back to the page they logged in from without seeing the WP admin." -msgstr "It will display a username/password drop-down, allowing users to login plus be automatically re-directed back to the page they logged in from without seeing the WP admin." - -#: html/advanced-area.php:52 -msgid "Once logged in, a new 'My Account' button will appear. The 'My Account' button shows useful links depending on the type of account (subscriber, admin, etc.)." -msgstr "Once logged in, a new 'My Account' button will appear. The 'My Account' button shows useful links depending on the type of account (subscriber, admin, etc.)." - -#: html/advanced-area.php:53 -msgid "NOTE: The Account tab/links will always appear if you have enabled registration on your site or require users to login for comments." -msgstr "NOTE: The Account tab/links will always appear if you have enabled registration on your site or require users to login for comments." - -#: html/advanced-area.php:58 -msgid "Display Upcoming Dates link in the header (requires <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> or higher)" -msgstr "Display Upcoming Dates link in the header (requires <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> or higher)" - -#: html/advanced-area.php:61 -msgid "When this option is checked and the GigPress plugin is installed, a list of your Upcoming Shows will be viewable from a drop-down in the WPtouch header." -msgstr "When this option is checked and the GigPress plugin is installed, a list of your Upcoming Shows will be viewable from a drop-down in the WPtouch header." - -#: html/advanced-area.php:66 -msgid "Display Twitter link in the header (requires <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> or higher)" -msgstr "Display Twitter link in the header (requires <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> or higher)" - -#: html/advanced-area.php:69 -msgid "When this option is checked and the WordTwit plugin is installed, a list of your Tweets will be viewable from a drop-down in the WPtouch header." -msgstr "When this option is checked and the WordTwit plugin is installed, a list of your Tweets will be viewable from a drop-down in the WPtouch header." - -#: html/advanced-area.php:74 -msgid "Enable gravatars in comments" -msgstr "Enable gravatars in comments" - -#: html/advanced-area.php:81 -msgid "Enable comments on pages" -msgstr "Enable comments on pages" - -#: html/advanced-area.php:84 -msgid "This will add the comment form to all pages with 'Allow Comments' checked in your WordPress admin." -msgstr "This will add the comment form to all pages with 'Allow Comments' checked in your WordPress admin." - -#: html/advanced-area.php:90 -#, php-format -msgid "1%sst%s visit mobile users will see desktop theme" -msgstr "1%sst%s visit mobile users will see desktop theme" - -#: html/advanced-area.php:93 -msgid "When this option is checked, users will see your regular site theme first, and have the option in your footer to switch to the WPtouch mobile view." -msgstr "When this option is checked, users will see your regular site theme first, and have the option in your footer to switch to the WPtouch mobile view." - -#: html/advanced-area.php:94 -msgid "They'll be able to change back and forth either way. Make sure you have the wp_footer(); function call in your regular theme's footer.php file for the switch link to work properly." -msgstr "They'll be able to change back and forth either way. Make sure you have the wp_footer(); function call in your regular theme's footer.php file for the switch link to work properly." - -#: html/advanced-area.php:99 -msgid "Enable WPtouch Restricted Mode" -msgstr "Enable WPtouch Restricted Mode" - -#: html/advanced-area.php:102 -msgid "Disallow other plugins from loading into scripts into WPtouch's header and footer." -msgstr "Disallow other plugins from loading into scripts into WPtouch's header and footer." - -#: html/advanced-area.php:103 -msgid "Sometimes fixes incompatibilities and speeds up WPtouch." -msgstr "Sometimes fixes incompatibilities and speeds up WPtouch." - -#: html/advanced-area.php:104 -msgid "Some plugins load conflicting javascript, extra CSS style sheets, and other functional code into your theme to accomplish what they add to your site. As WPtouch works complete on its own without any other plugin installed, in some cases (where you have several plugins or find something doesn't work right with WPtouch) you may want to enable Restricted Mode to ensure that WPtouch works properly, and loads quickly for mobile users." -msgstr "Some plugins load conflicting javascript, extra CSS style sheets, and other functional code into your theme to accomplish what they add to your site. As WPtouch works complete on its own without any other plugin installed, in some cases (where you have several plugins or find something doesn't work right with WPtouch) you may want to enable Restricted Mode to ensure that WPtouch works properly, and loads quickly for mobile users." - -#: html/advanced-area.php:109 -msgid "Custom user-agents" -msgstr "Custom user-agents" - -#: html/advanced-area.php:111 -msgid "After changing the user-agents, please visit the WP Super Cache admin page and update your rewrite rules." -msgstr "After changing the user-agents, please visit the WP Super Cache admin page and update your rewrite rules." - -#: html/general-settings-area.php:5 -msgid "General Settings" -msgstr "Allgemeine Einstellungen" - -#: html/general-settings-area.php:8 -msgid "Home Page Re-Direction" -msgstr "Home Page Umleitung" - -#: html/general-settings-area.php:9 -#, php-format -msgid "WPtouch by default follows your %sWordPress » Reading Options%s. You can also set a different one for WPtouch." -msgstr "WPtouch by default follows your %sWordPress » Reading Options%s. You can also set a different one for WPtouch." - -#: html/general-settings-area.php:11 -msgid "Site Title" -msgstr "Seiten Titel" - -#: html/general-settings-area.php:12 -msgid "You can shorten your site title here so it won't be truncated by WPtouch." -msgstr "You can shorten your site title here so it won't be truncated by WPtouch." - -#: html/general-settings-area.php:15 -msgid "Excluded Categories" -msgstr "Kategorien Ausschliessen" - -#: html/general-settings-area.php:16 -msgid "Choose categories you want excluded from the main post listings in WPtouch." -msgstr "Choose categories you want excluded from the main post listings in WPtouch." - -#: html/general-settings-area.php:18 -msgid "Text Justification Options" -msgstr "Text Justification Options" - -#: html/general-settings-area.php:19 -msgid "Set the alignment for text." -msgstr "Set the alignment for text." - -#: html/general-settings-area.php:22 -msgid "Post Listings Options" -msgstr "Post Listings Options" - -#: html/general-settings-area.php:23 -msgid "Choose between calendar Icons, post thumbnails (WP 2.9) or none for your post listings." -msgstr "Choose between calendar Icons, post thumbnails (WP 2.9) or none for your post listings." - -#: html/general-settings-area.php:24 -msgid "Select which meta items are shown below titles on main, search, & archives pages." -msgstr "Select which meta items are shown below titles on main, search, & archives pages." - -#: html/general-settings-area.php:25 -msgid "Also, choose if excerpts are shown/hidden (default is hidden)." -msgstr "Also, choose if excerpts are shown/hidden (default is hidden)." - -#: html/general-settings-area.php:27 -msgid "Footer Message" -msgstr "Footer Message" - -#: html/general-settings-area.php:28 -msgid "Customize the default footer message shown in WPtouch here." -msgstr "Customize the default footer message shown in WPtouch here." - -#: html/general-settings-area.php:32 -msgid "WPtouch Home Page" -msgstr "WPtouch Home Page" - -#: html/general-settings-area.php:37 -#: html/page-area.php:63 -msgid "You have no pages yet. Create some first!" -msgstr "You have no pages yet. Create some first!" - -#: html/general-settings-area.php:43 -msgid "Site title text" -msgstr "Site title text" - -#: html/general-settings-area.php:49 -msgid "Comma list of Category IDs, eg: 1,2,3" -msgstr "Comma list of Category IDs, eg: 1,2,3" - -#: html/general-settings-area.php:57 -msgid "Left" -msgstr "Links" - -#: html/general-settings-area.php:58 -msgid "Full" -msgstr "Komplett" - -#: html/general-settings-area.php:60 -msgid "Font justification" -msgstr "Font Einstellungen" - -#: html/general-settings-area.php:68 -msgid "Calendar Icons" -msgstr "Kalender Icons" - -#: html/general-settings-area.php:69 -msgid "Post Thumbnails / Featured Images" -msgstr "Post Thumbnails / Featured Images" - -#: html/general-settings-area.php:70 -msgid "Post Thumbnails / Featured Images (Random)" -msgstr "Post Thumbnails / Featured Images (Random)" - -#: html/general-settings-area.php:71 -msgid "No Icon or Thumbnail" -msgstr "No Icon or Thumbnail" - -#: html/general-settings-area.php:73 -msgid "Post Listings Display" -msgstr "Apariencia del Listado de Artículos" - -#: html/general-settings-area.php:73 -msgid "Thumbnails Requires WordPress 2.9+" -msgstr "Thumbnails Requires WordPress 2.9+" - -#: html/general-settings-area.php:76 -msgid "This will change the display of blog and post listings between Calendar Icons view and Post Thumbnails view." -msgstr "This will change the display of blog and post listings between Calendar Icons view and Post Thumbnails view." - -#: html/general-settings-area.php:77 -msgid "The <em>Post Thumbnails w/ Random</em> option will fill missing post thumbnails with random abstract images. (WP 2.9+)" -msgstr "The <em>Post Thumbnails w/ Random</em> option will fill missing post thumbnails with random abstract images. (WP 2.9+)" - -#: html/general-settings-area.php:84 -msgid "Enable Truncated Titles" -msgstr "Enable Truncated Titles" - -#: html/general-settings-area.php:84 -msgid "Will use ellipses when titles are too long instead of wrapping them" -msgstr "Will use ellipses when titles are too long instead of wrapping them" - -#: html/general-settings-area.php:88 -msgid "Show Author's Name" -msgstr "Show Author's Name" - -#: html/general-settings-area.php:92 -msgid "Show Categories" -msgstr "Show Categories" - -#: html/general-settings-area.php:96 -msgid "Show Tags" -msgstr "Show Tags" - -#: html/general-settings-area.php:100 -msgid "Hide Excerpts" -msgstr "Hide Excerpts" - -#: html/general-settings-area.php:104 -msgid "Footer message" -msgstr "Footer message" - -#: html/head-area.php:13 -#, php-format -msgid "%sGet WPtouch Pro%s" -msgstr "%sGet WPtouch Pro%s" - -#: html/head-area.php:14 -#, php-format -msgid "%sBNC on Twitter%s" -msgstr "%sBNC on Twitter%s" - -#: html/head-area.php:15 -#, php-format -msgid "%sBraveNewCode.com%s" -msgstr "%sBraveNewCode.com%s" - -#: html/head-area.php:24 -msgid "WPtouch Wire" -msgstr "WPtouch Wire" - -#: html/head-area.php:33 -msgid "Find Out More ›" -msgstr "Find Out More ›" - -#: html/icon-area.php:21 -msgid "Default & Custom Icon Pool" -msgstr "Default & Custom Icon Pool" - -#: html/icon-area.php:24 -msgid "Adding Icons" -msgstr "Adding Icons" - -#: html/icon-area.php:25 -msgid "To add icons to the pool, simply upload a .png, .jpeg or .gif image from your computer." -msgstr "To add icons to the pool, simply upload a .png, .jpeg or .gif image from your computer." - -#: html/icon-area.php:27 -#, php-format -msgid "Default icons generously provided by %sMarcelo Marfil%s." -msgstr "Default icons generously provided by %sMarcelo Marfil%s." - -#: html/icon-area.php:29 -msgid "Logo/Bookmark Icons" -msgstr "Logo/Bookmark Icons" - -#: html/icon-area.php:30 -msgid "If you're adding a logo icon, the best dimensions for it are 59x60px (png) when used as a bookmark icon." -msgstr "If you're adding a logo icon, the best dimensions for it are 59x60px (png) when used as a bookmark icon." - -#: html/icon-area.php:31 -#, php-format -msgid "Need help? You can use %sthis easy online icon generator%s to make one." -msgstr "Need help? You can use %sthis easy online icon generator%s to make one." - -#: html/icon-area.php:32 -#, php-format -msgid "These files will be stored in this folder we create: %s/uploads/wptouch/custom-icons" -msgstr "These files will be stored in this folder we create: %s/uploads/wptouch/custom-icons" - -#: html/icon-area.php:33 -msgid "If an upload fails (usually it's a permission problem) check your wp-content path settings in WordPress' Miscellaneous Settings, or create the folder yourself using FTP and try again." -msgstr "If an upload fails (usually it's a permission problem) check your wp-content path settings in WordPress' Miscellaneous Settings, or create the folder yourself using FTP and try again." - -#: html/icon-area.php:35 -msgid "Upload Icon" -msgstr "Upload Icon" - -#: html/icon-area.php:39 -msgid "Uploading..." -msgstr "Uploading..." - -#: html/page-area.php:5 -msgid "Logo Icon // Menu Items & Pages Icons" -msgstr "Logo Icon // Menu Items & Pages Icons" - -#: html/page-area.php:8 -msgid "Logo / Home Screen Icon <br />& Default Menu Items" -msgstr "Logo / Home Screen Icon <br />& Default Menu Items" - -#: html/page-area.php:9 -#, php-format -msgid "If you do not want your logo to have the glossy effect added to it, make sure you select %sEnable Flat Bookmark Icon%s" -msgstr "If you do not want your logo to have the glossy effect added to it, make sure you select %sEnable Flat Bookmark Icon%s" - -#: html/page-area.php:10 -msgid "Choose the logo displayed in the header (also your bookmark icon), and the pages you want included in the WPtouch drop-down menu." -msgstr "Choose the logo displayed in the header (also your bookmark icon), and the pages you want included in the WPtouch drop-down menu." - -#: html/page-area.php:11 -msgid "Remember, only those checked will be shown." -msgstr "Remember, only those checked will be shown." - -#: html/page-area.php:12 -msgid "Enable/Disable default items in the WPtouch site menu." -msgstr "Enable/Disable default items in the WPtouch site menu." - -#: html/page-area.php:14 -msgid "Pages + Icons" -msgstr "Pages + Icons" - -#: html/page-area.php:15 -msgid "Next, select the icons from the lists that you want to pair with each page menu item." -msgstr "Next, select the icons from the lists that you want to pair with each page menu item." - -#: html/page-area.php:16 -msgid "You can also decide if pages are listed by the page order (ID) in WordPress, or by name (default)." -msgstr "You can also decide if pages are listed by the page order (ID) in WordPress, or by name (default)." - -#: html/page-area.php:24 -msgid "Logo & Home Screen Bookmark Icon" -msgstr "Logo & Home Screen Bookmark Icon" - -#: html/page-area.php:29 -msgid "Enable Flat Bookmark Icon" -msgstr "Enable Flat Bookmark Icon" - -#: html/page-area.php:32 -msgid "The default applies for iPhone/iPod touch applies a glossy effect to the home-screen bookmark/logo icon you select." -msgstr "The default applies for iPhone/iPod touch applies a glossy effect to the home-screen bookmark/logo icon you select." - -#: html/page-area.php:33 -msgid "When checked your icon will not have the glossy effect automatically applied to it." -msgstr "When checked your icon will not have the glossy effect automatically applied to it." - -#: html/page-area.php:36 -msgid "Enable Home Menu Item" -msgstr "Enable Home Menu Item" - -#: html/page-area.php:37 -msgid "Enable RSS Menu Item" -msgstr "Enable RSS Menu Item" - -#: html/page-area.php:38 -msgid "Enable Email Menu Item" -msgstr "Enable Email Menu Item" - -#: html/page-area.php:38 -msgid "Uses default WordPress admin e-mail" -msgstr "Uses default WordPress admin e-mail" - -#: html/page-area.php:43 -msgid "By Name" -msgstr "By Name" - -#: html/page-area.php:44 -msgid "By Page ID" -msgstr "By Page ID" - -#: html/page-area.php:46 -msgid "Menu List Sort Order" -msgstr "Menu List Sort Order" - -#: html/plugin-compat-area.php:7 -msgid "Plugin Support & Compatibility" -msgstr "Plugin Support & Compatibility" - -#: html/plugin-compat-area.php:13 -msgid "WordPress version: " -msgstr "WordPress version: " - -#: html/plugin-compat-area.php:16 -#, php-format -msgid "WPtouch %s support: " -msgstr "WPtouch %s support: " - -#: html/plugin-compat-area.php:18 -#, php-format -msgid "%sUnverified%s" -msgstr "%sUnverified%s" - -#: html/plugin-compat-area.php:20 -#, php-format -msgid "%sSupported%s" -msgstr "%sSupported%s" - -#: html/plugin-compat-area.php:22 -#, php-format -msgid "%sUnsupported. Upgrade Required.%s" -msgstr "%sUnsupported. Upgrade Required.%s" - -#: html/plugin-compat-area.php:27 -msgid "Here you'll find information on additional WPtouch features and their requirements, including those activated with companion plugins." -msgstr "Here you'll find information on additional WPtouch features and their requirements, including those activated with companion plugins." - -#: html/plugin-compat-area.php:32 -msgid "WordPress Pages & Feature Support" -msgstr "WordPress Pages & Feature Support" - -#: html/plugin-compat-area.php:39 -msgid "All of your WP links will automatically show on your page called 'Links'." -msgstr "All of your WP links will automatically show on your page called 'Links'." - -#: html/plugin-compat-area.php:41 -msgid "If you create a page called 'Links', all your WP links would display in <em>WPtouch</em> style." -msgstr "If you create a page called 'Links', all your WP links would display in <em>WPtouch</em> style." - -#: html/plugin-compat-area.php:47 -msgid "All your <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> images will automatically show on your page called 'Photos'." -msgstr "All your <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> images will automatically show on your page called 'Photos'." - -#: html/plugin-compat-area.php:49 -msgid "You have a page called 'Photos', but don't have <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> installed." -msgstr "You have a page called 'Photos', but don't have <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> installed." - -#: html/plugin-compat-area.php:51 -msgid "If you create a page called 'Photos', all your <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> photos would display in <em>WPtouch</em> style." -msgstr "If you create a page called 'Photos', all your <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> photos would display in <em>WPtouch</em> style." - -#: html/plugin-compat-area.php:54 -msgid "If you create a page called 'Photos', and install the <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> plugin, your photos would display in <em>WPtouch</em> style." -msgstr "If you create a page called 'Photos', and install the <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> plugin, your photos would display in <em>WPtouch</em> style." - -#: html/plugin-compat-area.php:62 -msgid "Your tags and your monthly listings will automatically show on your page called 'Archives'." -msgstr "Your tags and your monthly listings will automatically show on your page called 'Archives'." - -#: html/plugin-compat-area.php:64 -msgid "If you had a page called 'Archives', your tags and monthly listings would display in <em>WPtouch</em> style." -msgstr "If you had a page called 'Archives', your tags and monthly listings would display in <em>WPtouch</em> style." - -#: html/plugin-compat-area.php:68 -msgid "Known Plugin Support & Conflicts" -msgstr "Known Plugin Support & Conflicts" - -#: html/push-area.php:4 -msgid "Push Notification Options" -msgstr "Push Notification Options" - -#: html/push-area.php:7 -#, php-format -msgid "Here you can configure WPtouch to push selected notifications through your %sProwl%s account to your iPhone, iPod touch and Growl-enabled Mac or PC." -msgstr "Here you can configure WPtouch to push selected notifications through your %sProwl%s account to your iPhone, iPod touch and Growl-enabled Mac or PC." - -#: html/push-area.php:8 -#, php-format -msgid "%sMake sure you generate a Prowl API key to use here%s otherwise no notifications will be pushed to you." -msgstr "%sMake sure you generate a Prowl API key to use here%s otherwise no notifications will be pushed to you." - -#: html/push-area.php:15 -msgid "Prowl API Key" -msgstr "Prowl API Key" - -#: html/push-area.php:15 -#, php-format -msgid "%sCreate a key now%s" -msgstr "%sCreate a key now%s" - -#: html/push-area.php:18 -msgid "In order to enable Prowl notifications, you must create a Prowl account, and download/configure the Prowl application for iPhone." -msgstr "In order to enable Prowl notifications, you must create a Prowl account, and download/configure the Prowl application for iPhone." - -#: html/push-area.php:19 -msgid "Next, visit the Prowl website and generate your API key, which we use to connect securely and send your notifications." -msgstr "Next, visit the Prowl website and generate your API key, which we use to connect securely and send your notifications." - -#: html/push-area.php:21 -#, php-format -msgid "%sVisit the Prowl Website%s" -msgstr "%sVisit the Prowl Website%s" - -#: html/push-area.php:21 -#, php-format -msgid "%sVisit iTunes to Download Prowl%s" -msgstr "%sVisit iTunes to Download Prowl%s" - -#: html/push-area.php:25 -msgid "Your Prowl API key has been verified." -msgstr "Your Prowl API key has been verified." - -#: html/push-area.php:28 -msgid "Sorry, your Prowl API key is not verified." -msgstr "Sorry, your Prowl API key is not verified." - -#: html/push-area.php:29 -msgid "Please check your key and make sure there are no spaces or extra characters." -msgstr "Please check your key and make sure there are no spaces or extra characters." - -#: html/push-area.php:39 -msgid "Notify me of new comments & pingbacks/tracksbacks" -msgstr "Notify me of new comments & pingbacks/tracksbacks" - -#: html/push-area.php:43 -msgid "Notify me of new account registrations" -msgstr "Notify me of new account registrations" - -#: html/push-area.php:47 -msgid "Allow users to send me direct messages" -msgstr "Allow users to send me direct messages" - -#: html/push-area.php:50 -msgid "This enables a new link to a drop-down in the submenu bar for WPtouch ('Message Me')." -msgstr "This enables a new link to a drop-down in the submenu bar for WPtouch ('Message Me')." - -#: html/push-area.php:51 -msgid "When opened, a form is shown for users to fill in. The name, e-mail address, and message area is shown. Thier IP will also be sent to you, in case you want to ban it in the WordPress admin." -msgstr "When opened, a form is shown for users to fill in. The name, e-mail address, and message area is shown. Thier IP will also be sent to you, in case you want to ban it in the WordPress admin." - -#: html/push-area.php:55 -#, php-format -msgid "%sCURL is required%s on your webserver to use Push capabilities in WPtouch." -msgstr "%sCURL is required%s on your webserver to use Push capabilities in WPtouch." - -#: html/style-area.php:5 -msgid "Style & Color Options" -msgstr "Style & Color Options" - -#: html/style-area.php:8 -msgid "Here you can customize some of the more visible features of WPtouch." -msgstr "Here you can customize some of the more visible features of WPtouch." - -#: html/style-area.php:17 -msgid "The default WPtouch theme emulates a native iPhone application." -msgstr "The default WPtouch theme emulates a native iPhone application." - -#: html/style-area.php:21 -msgid "Classic" -msgstr "Classic" - -#: html/style-area.php:24 -msgid "Horizontal Grey" -msgstr "Horizontal Grey" - -#: html/style-area.php:27 -msgid "Diagonal Grey" -msgstr "Diagonal Grey" - -#: html/style-area.php:30 -msgid "Skated Concrete" -msgstr "Skated Concrete" - -#: html/style-area.php:33 -msgid "Argyle Tie" -msgstr "Argyle Tie" - -#: html/style-area.php:36 -msgid "Thatches" -msgstr "Thatches" - -#: html/style-area.php:39 -msgid "Background" -msgstr "Background" - -#: html/style-area.php:43 -msgid "Helvetica Neue" -msgstr "Helvetica Neue" - -#: html/style-area.php:46 -msgid "Helvetica" -msgstr "Helvetica" - -#: html/style-area.php:49 -msgid "Thonburi" -msgstr "Thonburi" - -#: html/style-area.php:52 -msgid "Georgia" -msgstr "Georgia" - -#: html/style-area.php:55 -msgid "Geeza Pro" -msgstr "Geeza Pro" - -#: html/style-area.php:58 -msgid "Verdana" -msgstr "Verdana" - -#: html/style-area.php:61 -msgid "Arial Rounded MT Bold" -msgstr "Arial Rounded MT Bold" - -#: html/style-area.php:64 -msgid "Post Title H2 Font" -msgstr "Post Title H2 Font" - -#: html/style-area.php:66 -msgid "Title text color" -msgstr "Title text color" - -#: html/style-area.php:67 -msgid "Header background color" -msgstr "Header background color" - -#: html/style-area.php:68 -msgid "Sub-header background color" -msgstr "Sub-header background color" - -#: html/style-area.php:69 -msgid "Site-wide links color" -msgstr "Site-wide links color" - -#: themes/core/core-functions.php:22 -#, php-format -msgid "%sHome%s" -msgstr "%sHome%s" - -#: themes/core/core-functions.php:35 -msgid "post_title" -msgstr "post_title" - -#: themes/core/core-functions.php:41 -#, php-format -msgid "%sRSS Feed%s" -msgstr "%sRSS Feed%s" - -#: themes/core/core-functions.php:47 -#, php-format -msgid "%sE-Mail%s" -msgstr "%sE-Mail%s" - -#: themes/core/core-functions.php:54 -#, php-format -msgid "%sWarning%s" -msgstr "%sWarnung%s" - -#: themes/core/core-functions.php:56 -msgid "Sorry, this theme is only meant for use with WordPress on certain smartphones." -msgstr "Sorry, dieses Theme ist nur für bestimmte Smartphones gedacht" - -#: themes/core/core-functions.php:85 -#: themes/default/index.php:130 -#: themes/default/single.php:38 -msgid "Tags" -msgstr "Schlagworte" - -#: themes/core/core-functions.php:89 -#: themes/default/index.php:129 -#: themes/default/single.php:37 -msgid "Categories" -msgstr "Kategorien" - -#: themes/core/core-functions.php:124 -#, php-format -msgid "Search results › %s" -msgstr "Suchergebnisse › %s" - -#: themes/core/core-functions.php:126 -#, php-format -msgid "Categories › %s" -msgstr "Kategorien › %s" - -#: themes/core/core-functions.php:128 -#, php-format -msgid "Tags › %s" -msgstr "Schlagwörter › %s" - -#: themes/core/core-functions.php:130 -#: themes/core/core-functions.php:132 -#: themes/core/core-functions.php:134 -#, php-format -msgid "Archives › %s" -msgstr "Archive › %s" - -#: themes/core/core-functions.php:146 -msgid "No more entries to display." -msgstr "Keine weiteren Ergebnisse gefunden." - -#: themes/core/core-functions.php:148 -msgid "No more search results to display." -msgstr "Keine weiteren Suchergebnisse gefunden." - -#: themes/core/core-functions.php:150 -msgid "No search results results found." -msgstr "Keine Suchergebnisse gefunden." - -#: themes/core/core-functions.php:150 -msgid "Try another query." -msgstr "Probiere eine andere Suche." - -#: themes/core/core-functions.php:153 -msgid "404 Not Found" -msgstr "Nichts gefunden - Fehler 404" - -#: themes/core/core-functions.php:154 -msgid "The page or post you were looking for is missing or has been removed." -msgstr "Die Seite kann nicht gefunden werden, oder wurde entfernt." - -#: themes/core/core-functions.php:163 -#: wptouch.php:589 -msgid "Mobile Theme" -msgstr "Mobiles Theme" - -#: themes/core/core-functions.php:209 -msgid "edit" -msgstr "bearbeiten" - -#: themes/core/core-functions.php:210 -msgid "del" -msgstr "löschen" - -#: themes/core/core-functions.php:211 -msgid "spam" -msgstr "spam" - -#: themes/default/comments.php:7 -msgid "This post is password protected. Enter the password to view comments." -msgstr "Dieser Beitrag ist passwortgeschützt. Gib das Passwort ein um den Inhalt zu sehen." - -#: themes/default/comments.php:16 -msgid "<h3 onclick=\"bnc_showhide_coms_toggle();\" id=\"com-head\"><img id=\"com-arrow\" src=\"" -msgstr "<h3 onclick=\"bnc_showhide_coms_toggle();\" id=\"com-head\"><img id=\"com-arrow\" src=\"" - -#: themes/default/comments.php:16 -msgid "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />1 Comment</h3>" -msgstr "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />1 Kommentar</h3>" - -#: themes/default/comments.php:16 -msgid "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />% Comments</h3>" -msgstr "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />% Kommentare</h3>" - -#: themes/default/comments.php:63 -msgid "Comments are closed." -msgstr "Kommentare sind nicht mehr möglich." - -#: themes/default/comments.php:73 -#, php-format -msgid "You must %slogin</a> or %sregister</a> to comment" -msgstr "Du musst dich %seinloggen</a> oder %sregistrieren</a> um einen Kommentar schreiben zu können" - -#: themes/default/comments.php:81 -msgid "Success! Comment added." -msgstr "Kommentar hinzugefügt" - -#: themes/default/comments.php:82 -msgid "Refresh the page to see your comment." -msgstr "Lade die Seite neu um deinen Kommentar zu sehen." - -#: themes/default/comments.php:83 -msgid "(If your comment requires moderation it will be added soon.)" -msgstr "(Wenn dein Kommentar freigeschaltet werden muss, erscheint er bald.)" - -#: themes/default/comments.php:90 -msgid "Logged in as" -msgstr "Eingeloggt als" - -#: themes/default/comments.php:94 -msgid "Leave A Comment" -msgstr "Hinterlasse einen Kommentar" - -#: themes/default/comments.php:97 -#: themes/default/header.php:153 -msgid "Name" -msgstr "Name" - -#: themes/default/comments.php:102 -msgid "Mail (unpublished)" -msgstr "E-Mail (wird nicht veröffentlicht)" - -#: themes/default/comments.php:107 -msgid "Website" -msgstr "Webseite" - -#: themes/default/comments.php:111 -msgid "There was an error posting your comment. Maybe it was too short?" -msgstr "Ein Fehler ist aufgetreten. Vielleicht war dein Kommentar zu kurz." - -#: themes/default/comments.php:120 -msgid "Publishing..." -msgstr "Veröffentlichen..." - -#: themes/default/footer.php:10 -msgid "Powered by" -msgstr "Powered by" - -#: themes/default/footer.php:10 -msgid "WordPress" -msgstr "WordPress" - -#: themes/default/footer.php:10 -msgid "+" -msgstr "+" - -#: themes/default/header.php:10 -msgid "Notice" -msgstr "Notiz" - -#: themes/default/header.php:11 -msgid "JavaScript for Mobile Safari is currently turned off." -msgstr "JavaScript ist für den Mobile Safari ausgeschaltet." - -#: themes/default/header.php:12 -msgid "Turn it on in " -msgstr "Einschalten" - -#: themes/default/header.php:12 -msgid "Settings › Safari" -msgstr "Einstellungen › Safari" - -#: themes/default/header.php:12 -msgid " to view this website." -msgstr " um diese Webseite zu sehen." - -#: themes/default/header.php:18 -msgid "Your Push Notification was sent." -msgstr "Deine Push Benachrichtigung wurde versendet." - -#: themes/default/header.php:20 -msgid "Your Push Notification cannot be delivered at this time." -msgstr "Deine Push Benachrichtigung konnte nicht versendet werden." - -#: themes/default/header.php:31 -#: themes/default/header.php:58 -msgid "Login" -msgstr "Einloggen" - -#: themes/default/header.php:42 -#: themes/default/header.php:128 -msgid "Search" -msgstr "Suchen" - -#: themes/default/header.php:43 -msgid "Search..." -msgstr "Suche..." - -#: themes/default/header.php:53 -msgid "Menu" -msgstr "Menü" - -#: themes/default/header.php:60 -msgid "My Account" -msgstr "Mein Account" - -#: themes/default/header.php:88 -msgid "Enter your username and password<br />in the boxes above." -msgstr "Gib deinen Benutzernamen und das Passwort<br />in die Felder oben ein." - -#: themes/default/header.php:93 -#, php-format -msgid "You can %ssign-up here%s." -msgstr "Du kannst dich %shier registrieren%s." - -#: themes/default/header.php:98 -msgid "Admin" -msgstr "Admin" - -#: themes/default/header.php:101 -msgid "Register for this site" -msgstr "Registriere dich für diese Seite" - -#: themes/default/header.php:104 -msgid "Account Profile" -msgstr "Dein Profil" - -#: themes/default/header.php:105 -msgid "Logout" -msgstr "Ausloggen" - -#: themes/default/header.php:132 -msgid "Message" -msgstr "Nachricht" - -#: themes/default/header.php:136 -msgid "Twitter" -msgstr "Twitter" - -#: themes/default/header.php:140 -msgid "Tour Dates" -msgstr "Tour Daten" - -#: themes/default/header.php:147 -msgid "Send a Message" -msgstr "Sende eine Nachricht" - -#: themes/default/header.php:148 -msgid "This message will be pushed to the admin's iPhone instantly." -msgstr "Diese Nachricht wird dem Admin aufs iPhone geschickt." - -#: themes/default/header.php:158 -msgid "E-Mail" -msgstr "E-Mail" - -#: themes/default/header.php:164 -msgid "Send Now" -msgstr "Jetzt absenden" - -#: themes/default/header.php:179 -msgid "Follow me on Twitter" -msgstr "Folge uns auf Twitter" - -#: themes/default/header.php:192 -msgid "No recent Tweets." -msgstr "Keine Tweets gefunden." - -#: themes/default/header.php:204 -msgid "Upcoming Tour Dates" -msgstr "Bevorstehende Tour Daten" - -#: themes/default/index.php:127 -msgid "Written on" -msgstr "Geschrieben am" - -#: themes/default/index.php:127 -msgid "at" -msgstr "um" - -#: themes/default/index.php:127 -msgid "F jS, Y" -msgstr "d.m.Y" - -msgid "G:ia" -msgstr "G:i" - -#: themes/default/index.php:128 -msgid "By" -msgstr "Von" - -#: themes/default/index.php:135 -msgid "Read This Post" -msgstr "Weiterlesen" - -#: themes/default/index.php:146 -msgid "Load more entries..." -msgstr "Weitersuchen..." - -#: themes/default/index.php:154 -msgid "Newer Entries" -msgstr "Neuere Einträge" - -#: themes/default/index.php:157 -msgid "Older Entries" -msgstr "Ältere Einträge" - -#: themes/default/page.php:38 -msgid "Tag Cloud" -msgstr "Tag Wolke" - -#: themes/default/page.php:45 -msgid "Monthly Archives" -msgstr "Monats-Archiv" - -#: themes/default/page.php:76 -msgid "Pages in this article: " -msgstr "Seiten dieses Artikels:" - -#: themes/default/single.php:7 -msgid "Permanent Link to " -msgstr "Permantenter Link " - -#: themes/default/single.php:13 -#: themes/default/single.php:15 -#: themes/default/single.php:19 -msgid "Skip to comments" -msgstr "Zu den Kommentaren" - -#: themes/default/single.php:17 -msgid "Leave a comment" -msgstr "Schreibe einen Kommentar" - -#: themes/default/single.php:36 -msgid "Article Pages" -msgstr "Artikel Seiten" - -#: themes/default/single.php:46 -msgid "Check out this post:" -msgstr "Schau diesen Beitrag an:" - -#: themes/default/single.php:46 -msgid "Mail a link to this post?" -msgstr "Link mailen?" - -#: themes/default/single.php:58 -msgid "Del.icio.us" -msgstr "Del.icio.us" - -#: themes/default/single.php:60 -msgid "Digg" -msgstr "Digg" - -#: themes/default/single.php:61 -msgid "Technorati" -msgstr "Technorati" - -#: themes/default/single.php:62 -msgid "Magnolia" -msgstr "Magnolia" - -#: themes/default/single.php:63 -msgid "Newsvine" -msgstr "Newsvine" - -#: themes/default/single.php:64 -msgid "Reddit" -msgstr "Reddit" - -#: wptouch.php:204 -msgid "Settings" -msgstr "Einstellungen" - -#: wptouch.php:376 -msgid "New Ping/Trackback" -msgstr "Neuer Ping/Trackback" - -#: wptouch.php:382 -msgid "New Comment" -msgstr "Neuer Kommentar" - -#: wptouch.php:410 -msgid "User Registration" -msgstr "Benutzer Registrierung" - -#: wptouch.php:454 -msgid "Direct Message" -msgstr "Direkte Nachricht" - -#: wptouch.php:596 -msgid "WPtouch iPhone Theme" -msgstr "WPtouch iPhone Theme" - -#: wptouch.php:864 -msgid "Settings saved" -msgstr "Einstellungen gespeichert" - -#: wptouch.php:869 -msgid "Defaults restored" -msgstr "Defaults wiederhergestellt" - -#: wptouch.php:889 -msgid "Save Options" -msgstr "Optionen speichern" - -#: wptouch.php:893 -msgid "Restore default WPtouch settings?" -msgstr "Standardeinstellungen wiederherstellen?" - -#: wptouch.php:893 -msgid "Restore Defaults" -msgstr "Defaults wiederherstellen" - -#. Plugin Name of a plugin/theme -msgid "WPtouch" -msgstr "WPtouch" - -#. Plugin URI of a plugin/theme -msgid "http://bravenewcode.com/products/wptouch" -msgstr "http://bravenewcode.com/products/wptouch" - -#. Description of a plugin/theme -msgid "A plugin which formats your site with a mobile theme for visitors on Apple <a href=\"http://www.apple.com/iphone/\">iPhone</a> / <a href=\"http://www.apple.com/ipodtouch/\">iPod touch</a>, <a href=\"http://www.android.com/\">Google Android</a>, <a href=\"http://www.blackberry.com/\">Blackberry Storm and Torch</a>, <a href=\"http://www.palm.com/us/products/phones/pre/\">Palm Pre</a> and other touch-based smartphones." -msgstr "A plugin which formats your site with a mobile theme for visitors on Apple <a href=\"http://www.apple.com/iphone/\">iPhone</a> / <a href=\"http://www.apple.com/ipodtouch/\">iPod touch</a>, <a href=\"http://www.android.com/\">Google Android</a>, <a href=\"http://www.blackberry.com/\">Blackberry Storm and Torch</a>, <a href=\"http://www.palm.com/us/products/phones/pre/\">Palm Pre</a> and other touch-based smartphones." - -#. Author of a plugin/theme -msgid "Dale Mugford & Duane Storey (BraveNewCode Inc.)" -msgstr "Dale Mugford & Duane Storey (BraveNewCode Inc.)" - -#. Author URI of a plugin/theme -msgid "http://www.bravenewcode.com" -msgstr "http://www.bravenewcode.com" - diff --git a/wp-content/plugins/wptouch/lang/src/es_ES.po b/wp-content/plugins/wptouch/lang/src/es_ES.po deleted file mode 100644 index 6a82dd323210354423b4af0a4a549815a3251cfc..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/lang/src/es_ES.po +++ /dev/null @@ -1,1249 +0,0 @@ -# Translation of the WordPress plugin WPtouch 1.9.19 by Dale Mugford & Duane Storey (BraveNewCode Inc.). -# Copyright (C) 2010 Dale Mugford & Duane Storey (BraveNewCode Inc.) -# This file is distributed under the same license as the WPtouch package. -# FIRST AUTHOR <EMAIL@ADDRESS>, 2010. -# -msgid "" -msgstr "" -"Project-Id-Version: WPtouch 1.9.19\n" -"Report-Msgid-Bugs-To: http://wordpress.org/tag/wptouch\n" -"POT-Creation-Date: 2010-09-09 09:31-0700\n" -"PO-Revision-Date: 2010-09-10 16:23-0300\n" -"Last-Translator: Sebastián Asegurado <seba_2003@hotmail.com>\n" -"Language-Team: Sebastián Asegurado <seba_2003@hotmail.com>\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Poedit-Language: Spanish\n" -"X-Poedit-Country: SPAIN\n" - -#: ajax/file_upload.php:23 -msgid "<p style=\"color:red; padding-top:10px\">There seems to have been an error.<p>Please try your upload again.</p>" -msgstr "<p style=\"color:red; padding-top:10px\">Parece haber un error.<p>Trate de subir nuevamente.</p>" - -#: ajax/file_upload.php:25 -msgid "<p style=\"color:green; padding-top:10px\">File has been saved and added to the pool.</p>" -msgstr "<p style=\"color:green; padding-top:10px\">El archivo ha sido guardado y agregado al pool.</p>" - -#: ajax/file_upload.php:28 -msgid "<p style=\"color:orange; padding-top:10px\">Sorry, only PNG, GIF and JPG images are supported.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Sólo las imágenes PNG, GIF y JPG están soportadas.</p>" - -#: ajax/file_upload.php:30 -msgid "<p style=\"color:orange; padding-top:10px\">Image too large. try something like 59x60.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">La imágen es muy grande. Pruebe algo como 59x60.</p>" - -#: ajax/file_upload.php:32 -msgid "<p style=\"color:orange; padding-top:10px\">Insufficient privileges.</p><p>You need to either be an admin or have more control over your server.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Insufficient privileges.</p><p>Necesita ser un administrador o tener más control sobre el servidor.</p>" - -#: ajax/news.php:16 -#: ajax/support.php:16 -#: ajax/support.php:28 -msgid "<li class=\"ajax-error\">No feed items found to display.</li>" -msgstr "<li class=\"ajax-error\">No se encuentran elementos del feed para mostrar.</li>" - -#: ajax/news.php:28 -msgid " <li class=\"ajax-error\">No feed items found to display.</li>" -msgstr " <li class=\"ajax-error\">No se encuentran elementos para mostrar.</li>" - -#: html/ads-stats-area.php:5 -msgid "Adsense, Stats & Custom Code" -msgstr "Adsense, Estadísticas & Código A Medida" - -#: html/ads-stats-area.php:8 -msgid "Adsense" -msgstr "Adsense" - -#: html/ads-stats-area.php:9 -msgid "Enter your Google AdSense ID if you'd like to support mobile advertising in WPtouch posts." -msgstr "Ingrese su Identidad de Google AdSense si desea soportar publicidad móvil en artículos de WPtouch." - -#: html/ads-stats-area.php:10 -msgid "Make sure to include the 'pub-' part of your ID string." -msgstr "Asegurese de incluír la parte \"pub-\" de su cadena de Identidad." - -#: html/ads-stats-area.php:12 -msgid "Stats & Custom Code" -msgstr "Estadísticas & Código A Medida" - -#: html/ads-stats-area.php:13 -msgid "If you'd like to capture traffic statistics " -msgstr "Si desea capturar estadísticas de tráfico." - -#: html/ads-stats-area.php:13 -msgid "(Google Analytics, MINT, etc.)" -msgstr "(Google Analytics, MINT, etc.)" - -#: html/ads-stats-area.php:14 -msgid "Enter the code snippet(s) for your statistics tracking." -msgstr "Ingrese el/los snippet/s de código para su seguimiento de estadísticas." - -#: html/ads-stats-area.php:14 -msgid "You can also enter custom CSS & other HTML code." -msgstr "Puede también ingresar CSS y cógido HTML." - -#: html/ads-stats-area.php:16 -#: html/advanced-area.php:22 -#: html/advanced-area.php:31 -#: html/advanced-area.php:40 -#: html/advanced-area.php:49 -#: html/advanced-area.php:60 -#: html/advanced-area.php:68 -#: html/advanced-area.php:83 -#: html/advanced-area.php:92 -#: html/advanced-area.php:101 -#: html/general-settings-area.php:75 -#: html/page-area.php:31 -#: html/push-area.php:17 -#: html/push-area.php:49 -msgid "More Info" -msgstr "Más información" - -#: html/ads-stats-area.php:17 -msgid "You may enter a custom css file link easily. Simply add the full link to the css file like this:" -msgstr "Puede ingresar un enlace al código CSS fácilmente de esta manera:" - -#: html/ads-stats-area.php:18 -msgid "<code><link rel="stylesheet" src="http://path-to-my-css-file" type="text/css" media="screen" /></code>" -msgstr "<code><link rel="stylesheet" src="http://path-to-my-css-file" type="text/css" media="screen" /></code>" - -#: html/ads-stats-area.php:25 -msgid "Google AdSense ID" -msgstr "Identidad de Google AdSense" - -#: html/ads-stats-area.php:26 -msgid "Google AdSense Channel" -msgstr "Canal de Google AdSense" - -#: html/advanced-area.php:5 -msgid "Advanced Options" -msgstr "Opciones Avanzadas" - -#: html/advanced-area.php:8 -msgid "Choose to enable/disable advanced features & options available for WPtouch." -msgstr "Elija habilitar/desabilitar características avanzadas y opciones disponibles para WPtouch." - -#: html/advanced-area.php:9 -msgid "* WPtouch Restricted Mode attempts to fix issues where other plugins load scripts which interfere with WPtouch CSS and JavaScript." -msgstr "* El Modo Restringido de WPtouch intenta arreglar problemas donde otros plugins cargan códigos que interfieren con el CSS y JavaScript de WPtouch." - -#: html/advanced-area.php:11 -msgid "Custom User-Agents" -msgstr "User-Agents A Medida" - -#: html/advanced-area.php:12 -msgid "Enter a comma-separated list of user-agents to enable WPtouch for a device that isn't currently officially supported." -msgstr "Ingrese una lista de los User-Agents separados por coma para activar WPtouch para dispositivos que no sean oficialmente soportados." - -#: html/advanced-area.php:13 -#, php-format -msgid "The currently enabled user-agents are: <em class='supported'>%s</em>" -msgstr "Los User-Agents atualmente soportados son: <em class='supported'>%s</em>" - -#: html/advanced-area.php:20 -msgid "Enable Categories tab in the header" -msgstr "Activar pestaña de Categorías en el cabezal" - -#: html/advanced-area.php:23 -msgid "This will add a 'Categories' tab item in the WPtouch drop-down." -msgstr "Agrega un elemento 'Categorías' en el menú desplegable de WPtouch." - -#: html/advanced-area.php:24 -msgid "It will display a list of your popular categories." -msgstr "Muestra una lista de sus Categorías más usadas." - -#: html/advanced-area.php:29 -msgid "Enable Tags tab in the header" -msgstr "Activar la pestaña Etiquetas en el cabezal" - -#: html/advanced-area.php:32 -msgid "This will add a 'Tags' tab item in the WPtouch drop-down." -msgstr "Agrega el elemento 'Etiquetas' en el menú desplegable de WPtouch." - -#: html/advanced-area.php:33 -msgid "It will display a list of your popular tags." -msgstr "Muestra una lista de sus Etiquetas más usadas." - -#: html/advanced-area.php:38 -msgid "Enable Search link in the header" -msgstr "Activar enlace de Búsqueda en el cabezal" - -#: html/advanced-area.php:41 -msgid "This will add a 'Search' item in the WPtouch sub header." -msgstr "Agrega un elemento de 'Búsqueda' en el sub-cabezal de WPtouch." - -#: html/advanced-area.php:42 -msgid "It will display an overlay on the title area allowing users to search your website." -msgstr "Muestra una superposición en la zona del título permitiendo a los usuarios buscar en su sitio." - -#: html/advanced-area.php:47 -msgid "Enable Login/My Account tab in the header" -msgstr "Activar pestaña Ingreso/Mi Cuenta en el cabezal" - -#: html/advanced-area.php:50 -msgid "This will add a 'Login' tab in the WPtouch sub header beside the Tags and Categories tabs if they are also enabled." -msgstr "Agrega una pestaña 'Ingreso' en el sub-cabezal de WPtocuh además de las pestañas Etiquetas y Categorías si también son activadas." - -#: html/advanced-area.php:51 -msgid "It will display a username/password drop-down, allowing users to login plus be automatically re-directed back to the page they logged in from without seeing the WP admin." -msgstr "Muestra un menú desplegable para Usuario/Contraseña permitiendo a los usuarios ingresar y ser automaticamente redirigidos hacia la página en dónde se loguearon sin ver la administración de WP." - -#: html/advanced-area.php:52 -msgid "Once logged in, a new 'My Account' button will appear. The 'My Account' button shows useful links depending on the type of account (subscriber, admin, etc.)." -msgstr "Una vez logueado aparece un nuevo botón 'Mi Cuenta'. Este botón muestra enlaces útiles dependiendo del tipo de cuenta (Subscriptor, Administrador, etc.)." - -#: html/advanced-area.php:53 -msgid "NOTE: The Account tab/links will always appear if you have enabled registration on your site or require users to login for comments." -msgstr "NOTA: Los/as Enlaces/Pestañas aparecen si tiene permitido el registro en su sitio o requiere que los usuarios se logueen para comentar." - -#: html/advanced-area.php:58 -msgid "Display Upcoming Dates link in the header (requires <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> or higher)" -msgstr "Muestra enlace de Fechas Próximas en el cabezal (requiere <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> o mayor)" - -#: html/advanced-area.php:61 -msgid "When this option is checked and the GigPress plugin is installed, a list of your Upcoming Shows will be viewable from a drop-down in the WPtouch header." -msgstr "Cuando esta opción sea activada y se instale el plugin GigPress podrá ver una lista de Shows Próximos desde un menú desplegable en el cabezal de WPtouch." - -#: html/advanced-area.php:66 -msgid "Display Twitter link in the header (requires <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> or higher)" -msgstr "Muestra un enlace Twitter en el cabezal (requiere <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> o mayor)" - -#: html/advanced-area.php:69 -msgid "When this option is checked and the WordTwit plugin is installed, a list of your Tweets will be viewable from a drop-down in the WPtouch header." -msgstr "Cuando esta opción sea activada y se instale el plugin WordTwit podrá ver una lista de Tweets desde un menú desplegable en el cabezal de WPtouch." - -#: html/advanced-area.php:74 -msgid "Enable gravatars in comments" -msgstr "Activar gravatars en los comentarios" - -#: html/advanced-area.php:81 -msgid "Enable comments on pages" -msgstr "Activavr comentarios en páginas" - -#: html/advanced-area.php:84 -msgid "This will add the comment form to all pages with 'Allow Comments' checked in your WordPress admin." -msgstr "Agrega el formulario para comentarios en todas las páginas con la opción 'Permitir Comentarios' activada desde la administración de WordPress." - -#: html/advanced-area.php:90 -#, php-format -msgid "1%sst%s visit mobile users will see desktop theme" -msgstr "En la 1ra visita un usuario móvil verá el tema de escritorio" - -#: html/advanced-area.php:93 -msgid "When this option is checked, users will see your regular site theme first, and have the option in your footer to switch to the WPtouch mobile view." -msgstr "Los usuarios veran primero el tema regular de su sitio y tendrán la opción en el pie de página para cambiar a la vista móvil de Wptouch." - -#: html/advanced-area.php:94 -msgid "They'll be able to change back and forth either way. Make sure you have the wp_footer(); function call in your regular theme's footer.php file for the switch link to work properly." -msgstr "Serán capaces de cambiar entre vistas. Asegurese de llamar a la función wp_footer(); en el footer.php de su tema regular para que el enlace funcione correctamente." - -#: html/advanced-area.php:99 -msgid "Enable WPtouch Restricted Mode" -msgstr "Activar Modo Restringido de WPtouch" - -#: html/advanced-area.php:102 -msgid "Disallow other plugins from loading into scripts into WPtouch's header and footer." -msgstr "No permitir que que otros plugins carguen su código en el pie o el cabezal de WPtouch." - -#: html/advanced-area.php:103 -msgid "Sometimes fixes incompatibilities and speeds up WPtouch." -msgstr "A veces arregla imcompatibilidades y acelera WPtouch." - -#: html/advanced-area.php:104 -msgid "Some plugins load conflicting javascript, extra CSS style sheets, and other functional code into your theme to accomplish what they add to your site. As WPtouch works complete on its own without any other plugin installed, in some cases (where you have several plugins or find something doesn't work right with WPtouch) you may want to enable Restricted Mode to ensure that WPtouch works properly, and loads quickly for mobile users." -msgstr "Algunos plugins cargan código javascript conflictivo, hojas extra de estilos CSS y otros códigos funcionales en su tema para funcionar correctamente. Como WPtouch funciona compleamente por su cuenta sin otros plugins instalados, en algunos casos (donde tenga varios plugins o encuentre algo que no funcione con WPtouch), puede activar el Modo Restringido para asegurar que WPtouch funcione correctamente y se cargue rápidamente para usuarios móviles." - -#: html/advanced-area.php:109 -msgid "Custom user-agents" -msgstr "User-Agents a medida" - -#: html/advanced-area.php:111 -msgid "After changing the user-agents, please visit the WP Super Cache admin page and update your rewrite rules." -msgstr "Despues de cambiar los User-Agents visite la página de administración de WP Super Cache y actualize sus rewrite rules." - -#: html/general-settings-area.php:5 -msgid "General Settings" -msgstr "Ajustes Generales" - -#: html/general-settings-area.php:8 -msgid "Home Page Re-Direction" -msgstr "Re-Dirección de Página Principal" - -#: html/general-settings-area.php:9 -#, php-format -msgid "WPtouch by default follows your %sWordPress » Reading Options%s. You can also set a different one for WPtouch." -msgstr "Por defecto WPtouch sigue sus %sOpciones de Lectura » WordPress%s. Puede establecer diferentes para WPtouch." - -#: html/general-settings-area.php:11 -msgid "Site Title" -msgstr "Título del sitio" - -#: html/general-settings-area.php:12 -msgid "You can shorten your site title here so it won't be truncated by WPtouch." -msgstr "Puede acortar su título del sitio aquí para que no sea truncado por WPtouch." - -#: html/general-settings-area.php:15 -msgid "Excluded Categories" -msgstr "Excluír Categorías" - -#: html/general-settings-area.php:16 -msgid "Choose categories you want excluded from the main post listings in WPtouch." -msgstr "Elija categorías que quiera excluír de la lista principal de artículos de WPtouch." - -#: html/general-settings-area.php:18 -msgid "Text Justification Options" -msgstr "Opciones de Justificación de Texto" - -#: html/general-settings-area.php:19 -msgid "Set the alignment for text." -msgstr "Elija la alineación del texto." - -#: html/general-settings-area.php:22 -msgid "Post Listings Options" -msgstr "Opciones de Lista de Artículos" - -#: html/general-settings-area.php:23 -msgid "Choose between calendar Icons, post thumbnails (WP 2.9) or none for your post listings." -msgstr "Elija entre Íconos de calendario, miniaturas de artículo (WordPressP 2.9) o ninguno para su lista de Artículos." - -#: html/general-settings-area.php:24 -msgid "Select which meta items are shown below titles on main, search, & archives pages." -msgstr "Seleccione qué meta elementos se muestran bajo los títulos en la página principal, búsqueda y páginas de archivo." - -#: html/general-settings-area.php:25 -msgid "Also, choose if excerpts are shown/hidden (default is hidden)." -msgstr "También elija si los extractos se muestran (por defecto están ocultos)." - -#: html/general-settings-area.php:27 -msgid "Footer Message" -msgstr "Mensaje del Pie" - -#: html/general-settings-area.php:28 -msgid "Customize the default footer message shown in WPtouch here." -msgstr "Personalice el mensaje mostrado al Pie de WPtouch aquí." - -#: html/general-settings-area.php:32 -msgid "WPtouch Home Page" -msgstr "Página Principal de WPtouch" - -#: html/general-settings-area.php:37 -#: html/page-area.php:63 -msgid "You have no pages yet. Create some first!" -msgstr "No posee páginas aún. Cree algunas primero." - -#: html/general-settings-area.php:43 -msgid "Site title text" -msgstr "Texto del Título del Sitio" - -#: html/general-settings-area.php:49 -msgid "Comma list of Category IDs, eg: 1,2,3" -msgstr "Lista separada por comas de IDs de Categoría. Ej: 1,2,5..." - -#: html/general-settings-area.php:57 -msgid "Left" -msgstr "Izquierda" - -#: html/general-settings-area.php:58 -msgid "Full" -msgstr "Completa" - -#: html/general-settings-area.php:60 -msgid "Font justification" -msgstr "Justificación de fuente" - -#: html/general-settings-area.php:68 -msgid "Calendar Icons" -msgstr "Iconos de Calendario" - -#: html/general-settings-area.php:69 -msgid "Post Thumbnails / Featured Images" -msgstr "Miniaturas de Artículos / Imágenes Destacadas" - -#: html/general-settings-area.php:70 -msgid "Post Thumbnails / Featured Images (Random)" -msgstr "Miniaturas de Artículos / Imágenes Destacadas (Al azar)" - -#: html/general-settings-area.php:71 -msgid "No Icon or Thumbnail" -msgstr "Sin Icono o Miniatura" - -#: html/general-settings-area.php:73 -msgid "Post Listings Display" -msgstr "Apariencia del Listado de Artículos" - -#: html/general-settings-area.php:73 -msgid "Thumbnails Requires WordPress 2.9+" -msgstr "Las miniaturas requieren WordPress 2.9+" - -#: html/general-settings-area.php:76 -msgid "This will change the display of blog and post listings between Calendar Icons view and Post Thumbnails view." -msgstr "Cambia la apariencia del blog y la lista de artículos entre Iconos de Calendario y Miniaturas de Artículo." - -#: html/general-settings-area.php:77 -msgid "The <em>Post Thumbnails w/ Random</em> option will fill missing post thumbnails with random abstract images. (WP 2.9+)" -msgstr "La opción de <em>Miniaturas de Artículo al azar</em> llenará las miniaturas faltantes con imágenes abstractas al azar. (WP 2.9+)" - -#: html/general-settings-area.php:84 -msgid "Enable Truncated Titles" -msgstr "Activar Títulos Truncados" - -#: html/general-settings-area.php:84 -msgid "Will use ellipses when titles are too long instead of wrapping them" -msgstr "Usará elipsis cuando los títulos sean demasiado largos en vez de crear líneas nuevas" - -#: html/general-settings-area.php:88 -msgid "Show Author's Name" -msgstr "Mostrar el Nombre del Autor" - -#: html/general-settings-area.php:92 -msgid "Show Categories" -msgstr "Mostrar Categorías" - -#: html/general-settings-area.php:96 -msgid "Show Tags" -msgstr "Mostrar Etiquetas" - -#: html/general-settings-area.php:100 -msgid "Hide Excerpts" -msgstr "Ocultar Extractos" - -#: html/general-settings-area.php:104 -msgid "Footer message" -msgstr "Mensaje del pie" - -#: html/head-area.php:13 -#, php-format -msgid "%sGet WPtouch Pro%s" -msgstr "%sObtenga WPtouch Pro%s" - -#: html/head-area.php:14 -#, php-format -msgid "%sBNC on Twitter%s" -msgstr "%sBNC en Twitter%s" - -#: html/head-area.php:15 -#, php-format -msgid "%sBraveNewCode.com%s" -msgstr "%sBraveNewCode.com%s" - -#: html/head-area.php:24 -msgid "WPtouch Wire" -msgstr "WPtouch Wire" - -#: html/head-area.php:33 -msgid "Find Out More ›" -msgstr "Descubra más ›" - -#: html/icon-area.php:21 -msgid "Default & Custom Icon Pool" -msgstr "Catálogo por Defecto y Personalizado" - -#: html/icon-area.php:24 -msgid "Adding Icons" -msgstr "Agregando Iconos" - -#: html/icon-area.php:25 -msgid "To add icons to the pool, simply upload a .png, .jpeg or .gif image from your computer." -msgstr "Para agregar iconos al catálogo simplemente cargue una imágen en PNG, JPEG o GIF desde su computadora." - -#: html/icon-area.php:27 -#, php-format -msgid "Default icons generously provided by %sMarcelo Marfil%s." -msgstr "Los iconos por defecto fueron generosamente provistos por %sMarcelo Marfil%s." - -#: html/icon-area.php:29 -msgid "Logo/Bookmark Icons" -msgstr "Iconos de Logo/Favoritos" - -#: html/icon-area.php:30 -msgid "If you're adding a logo icon, the best dimensions for it are 59x60px (png) when used as a bookmark icon." -msgstr "Si agrega un icono de logo el mejor tamaño es 59x60px (PNG) cuando es usado como icono de favoritos." - -#: html/icon-area.php:31 -#, php-format -msgid "Need help? You can use %sthis easy online icon generator%s to make one." -msgstr "¿Necesita ayuda? Puede usar &seste fácil generadorde iconos en línea%s para crear uno." - -#: html/icon-area.php:32 -#, php-format -msgid "These files will be stored in this folder we create: %s/uploads/wptouch/custom-icons" -msgstr "Los archivos serán almacenados en la carpeta creada en: %s/uploads/wptouch/custom-icons" - -#: html/icon-area.php:33 -msgid "If an upload fails (usually it's a permission problem) check your wp-content path settings in WordPress' Miscellaneous Settings, or create the folder yourself using FTP and try again." -msgstr "Si una carga falla (usualmente por problemas de permisos) revise los ajustes de su ruta wp-content en Ajustes Generales de WordPress o añada la carpeta usando FTP e intente nuevamente." - -#: html/icon-area.php:35 -msgid "Upload Icon" -msgstr "Subir Icono" - -#: html/icon-area.php:39 -msgid "Uploading..." -msgstr "Cargando..." - -#: html/page-area.php:5 -msgid "Logo Icon // Menu Items & Pages Icons" -msgstr "Icono de Logo // Elementos de Menú e Iconos de Páginas" - -#: html/page-area.php:8 -msgid "Logo / Home Screen Icon <br />& Default Menu Items" -msgstr "Icono de Pantalla para el Logo/Página principal <br />& Elementos por Defecto de Menú" - -#: html/page-area.php:9 -#, php-format -msgid "If you do not want your logo to have the glossy effect added to it, make sure you select %sEnable Flat Bookmark Icon%s" -msgstr "Si quiere que su logo posea el efecto vidrio asegurese de seleccionar %sActivar Icono de Favorito Plano%s" - -#: html/page-area.php:10 -msgid "Choose the logo displayed in the header (also your bookmark icon), and the pages you want included in the WPtouch drop-down menu." -msgstr "Elija el logo mostrado en el cabezal (también su icono de favorito) y las páginas que quiere incluir en el menú desplegable de WPtouch." - -#: html/page-area.php:11 -msgid "Remember, only those checked will be shown." -msgstr "Recuerde, sólo se mostrarán los seleccionados." - -#: html/page-area.php:12 -msgid "Enable/Disable default items in the WPtouch site menu." -msgstr "Actiar/Desactivar elementos por defecto en el menú del sitio WPtouch." - -#: html/page-area.php:14 -msgid "Pages + Icons" -msgstr "Paginas + Iconos" - -#: html/page-area.php:15 -msgid "Next, select the icons from the lists that you want to pair with each page menu item." -msgstr "Luego, seleccione los iconos desde las listas que quiera aparear con cada elemento de menú de página" - -#: html/page-area.php:16 -msgid "You can also decide if pages are listed by the page order (ID) in WordPress, or by name (default)." -msgstr "También puede decidir si las páginas son listadas por el Orden de Páginas de WordPress (ID) o por Nombre (por defecto)." - -#: html/page-area.php:24 -msgid "Logo & Home Screen Bookmark Icon" -msgstr "Icono de Favoritos para Logo y Página Principal" - -#: html/page-area.php:29 -msgid "Enable Flat Bookmark Icon" -msgstr "Activar Icono de Favorito Plano" - -#: html/page-area.php:32 -msgid "The default applies for iPhone/iPod touch applies a glossy effect to the home-screen bookmark/logo icon you select." -msgstr "Por defecto se aplica en el iPhone/iPod touch un efecto vidrio al icono de favorito de la pantalla principal y el logo que elija." - -#: html/page-area.php:33 -msgid "When checked your icon will not have the glossy effect automatically applied to it." -msgstr "Cuando lo elija su icono no tendrá automaticamente aplicado el efecto vidrio." - -#: html/page-area.php:36 -msgid "Enable Home Menu Item" -msgstr "Activar Elemento de Menú de Página Principal" - -#: html/page-area.php:37 -msgid "Enable RSS Menu Item" -msgstr "Activar Elemento de Menú RSS" - -#: html/page-area.php:38 -msgid "Enable Email Menu Item" -msgstr "Activar Elemento de Menú Email" - -#: html/page-area.php:38 -msgid "Uses default WordPress admin e-mail" -msgstr "Usa el e-mail por defecto del administrador de WordPress" - -#: html/page-area.php:43 -msgid "By Name" -msgstr "Por Nombre" - -#: html/page-area.php:44 -msgid "By Page ID" -msgstr "Por ID de Página" - -#: html/page-area.php:46 -msgid "Menu List Sort Order" -msgstr "Orden de Lista de Menú" - -#: html/plugin-compat-area.php:7 -msgid "Plugin Support & Compatibility" -msgstr "Soporte y Compatibilidad del Plugin" - -#: html/plugin-compat-area.php:13 -msgid "WordPress version: " -msgstr "Versión WordPress:" - -#: html/plugin-compat-area.php:16 -#, php-format -msgid "WPtouch %s support: " -msgstr "Soporte WPtouch:" - -#: html/plugin-compat-area.php:18 -#, php-format -msgid "%sUnverified%s" -msgstr "%sSin verificar%s" - -#: html/plugin-compat-area.php:20 -#, php-format -msgid "%sSupported%s" -msgstr "%sSoportado%s" - -#: html/plugin-compat-area.php:22 -#, php-format -msgid "%sUnsupported. Upgrade Required.%s" -msgstr "%sSin Soporte. Se requiere Actualización.%s" - -#: html/plugin-compat-area.php:27 -msgid "Here you'll find information on additional WPtouch features and their requirements, including those activated with companion plugins." -msgstr "Aquí encontrará información de características adicionales de WPtouch y sus requerimientos incluyendo aquellos activados con plugins compañeros." - -#: html/plugin-compat-area.php:32 -msgid "WordPress Pages & Feature Support" -msgstr "Páginas WordPress y Soporte de Características" - -#: html/plugin-compat-area.php:39 -msgid "All of your WP links will automatically show on your page called 'Links'." -msgstr "Todos sus enlaces de WP se mostrarán automaticamente en su página llamada 'Links'." - -#: html/plugin-compat-area.php:41 -msgid "If you create a page called 'Links', all your WP links would display in <em>WPtouch</em> style." -msgstr "Si crea una página llamada 'Links' todos sus enlaces de WP se mostrarán con el estilo <em>WPtouch</em>." - -#: html/plugin-compat-area.php:47 -msgid "All your <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> images will automatically show on your page called 'Photos'." -msgstr "Todas sus imágenes <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> se mostrarán automáticamente en su página llamada Photos'." - -#: html/plugin-compat-area.php:49 -msgid "You have a page called 'Photos', but don't have <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> installed." -msgstr "Usted tiene una página llamada Photos', pero no tiene instalado <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a>." - -#: html/plugin-compat-area.php:51 -msgid "If you create a page called 'Photos', all your <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> photos would display in <em>WPtouch</em> style." -msgstr "Si crea una página llamada 'Photos' todas sus fotos <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> se mostrarán con el estilo <em>WPtouch</em>." - -#: html/plugin-compat-area.php:54 -msgid "If you create a page called 'Photos', and install the <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> plugin, your photos would display in <em>WPtouch</em> style." -msgstr "Si crea una página llamada 'Photos' e instala el plugin <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> se mostrarán con el estilo <em>WPtouch</em>." - -#: html/plugin-compat-area.php:62 -msgid "Your tags and your monthly listings will automatically show on your page called 'Archives'." -msgstr "Sus etiquetas y sus listados mensuales se mostrarán automáticamente en su página llamada 'Archives'." - -#: html/plugin-compat-area.php:64 -msgid "If you had a page called 'Archives', your tags and monthly listings would display in <em>WPtouch</em> style." -msgstr "Si tiene una página llamada 'Archivos' sus etiquetas y listados mensuales se mostrarán con el estilo <em>WPtouch</em>." - -#: html/plugin-compat-area.php:68 -msgid "Known Plugin Support & Conflicts" -msgstr "Soporte y Conflictos Conocidos del Plugin" - -#: html/push-area.php:4 -msgid "Push Notification Options" -msgstr "Opciones de Push Notification" - -#: html/push-area.php:7 -#, php-format -msgid "Here you can configure WPtouch to push selected notifications through your %sProwl%s account to your iPhone, iPod touch and Growl-enabled Mac or PC." -msgstr "Aquí puede configurar WPtouch para emitir notificaciones seleccionadas a través de su cuenta %sProwl%s a su iPhone touch y Macs o PCs con Growl disponible." - -#: html/push-area.php:8 -#, php-format -msgid "%sMake sure you generate a Prowl API key to use here%s otherwise no notifications will be pushed to you." -msgstr "%sAsegurese de generar una Clave API de Prowl para usar aquí%s, de otra manera ninguna notificación será emitida hacia tí." - -#: html/push-area.php:15 -msgid "Prowl API Key" -msgstr "Clave API de Prowl" - -#: html/push-area.php:15 -#, php-format -msgid "%sCreate a key now%s" -msgstr "%sCrea una clave ahora%s" - -#: html/push-area.php:18 -msgid "In order to enable Prowl notifications, you must create a Prowl account, and download/configure the Prowl application for iPhone." -msgstr "Para poder activar notificaciones Prowl debe crear una cuenta Prowl y descargar/configurar la aplicación Prowl para iPhone." - -#: html/push-area.php:19 -msgid "Next, visit the Prowl website and generate your API key, which we use to connect securely and send your notifications." -msgstr "Luego, visite el sitio y genere su clave API que será usada para conectase de forma segura y enviar sus notificaciones." - -#: html/push-area.php:21 -#, php-format -msgid "%sVisit the Prowl Website%s" -msgstr "%sVisite el Sitio de Prowl%s" - -#: html/push-area.php:21 -#, php-format -msgid "%sVisit iTunes to Download Prowl%s" -msgstr "%s%s" - -#: html/push-area.php:25 -msgid "Your Prowl API key has been verified." -msgstr "Su clave Prowl ha sido verificada." - -#: html/push-area.php:28 -msgid "Sorry, your Prowl API key is not verified." -msgstr "Su clave Prowl no pudo ser verificada." - -#: html/push-area.php:29 -msgid "Please check your key and make sure there are no spaces or extra characters." -msgstr "Revise su clave y asegurese que no haya espacios o carácteres de más." - -#: html/push-area.php:39 -msgid "Notify me of new comments & pingbacks/tracksbacks" -msgstr "Notificarme cuando un haya nuevos comentarios, pingbacks y trackbacks" - -#: html/push-area.php:43 -msgid "Notify me of new account registrations" -msgstr "Notificarme de nuevos registros de cuentas" - -#: html/push-area.php:47 -msgid "Allow users to send me direct messages" -msgstr "Permitir a los usuarios mandar mensajes directos" - -#: html/push-area.php:50 -msgid "This enables a new link to a drop-down in the submenu bar for WPtouch ('Message Me')." -msgstr "Activar un nuevo enlace a un menú desplegable en barra de sub-menú para WPtouch ('Message Me')." - -#: html/push-area.php:51 -msgid "When opened, a form is shown for users to fill in. The name, e-mail address, and message area is shown. Thier IP will also be sent to you, in case you want to ban it in the WordPress admin." -msgstr "Cuando se abre, se muestra un formulario para que los usuarios puedan rellenar. Es mostrado Nombre, Direcciones de E-Mail y Área de mensaje. Su IP te será enviada en caso que desees bloquearlo en el administrador de WordPress." - -#: html/push-area.php:55 -#, php-format -msgid "%sCURL is required%s on your webserver to use Push capabilities in WPtouch." -msgstr "%sSe requiere cURL%s en tu servidor web para usar capacidades Push en Wptouch" - -#: html/style-area.php:5 -msgid "Style & Color Options" -msgstr "Opciones de Estilo y Color" - -#: html/style-area.php:8 -msgid "Here you can customize some of the more visible features of WPtouch." -msgstr "Aquí puedes configurar algunas de las características más visibles de WPtouch." - -#: html/style-area.php:17 -msgid "The default WPtouch theme emulates a native iPhone application." -msgstr "El tema por defecto de Wptouch emula una aplicación nativa de iPhone." - -#: html/style-area.php:21 -msgid "Classic" -msgstr "Clasico" - -#: html/style-area.php:24 -msgid "Horizontal Grey" -msgstr "Gris Horizontal" - -#: html/style-area.php:27 -msgid "Diagonal Grey" -msgstr "Gris Diagonal" - -#: html/style-area.php:30 -msgid "Skated Concrete" -msgstr "Concreto Patinado" - -#: html/style-area.php:33 -msgid "Argyle Tie" -msgstr "Corbata de Rombos" - -#: html/style-area.php:36 -msgid "Thatches" -msgstr "Tachas" - -#: html/style-area.php:39 -msgid "Background" -msgstr "Fondo" - -#: html/style-area.php:43 -msgid "Helvetica Neue" -msgstr "Helvetica Neue" - -#: html/style-area.php:46 -msgid "Helvetica" -msgstr "Helvetica" - -#: html/style-area.php:49 -msgid "Thonburi" -msgstr "Thonburi" - -#: html/style-area.php:52 -msgid "Georgia" -msgstr "Georgia" - -#: html/style-area.php:55 -msgid "Geeza Pro" -msgstr "Geeza Pro" - -#: html/style-area.php:58 -msgid "Verdana" -msgstr "Verdana" - -#: html/style-area.php:61 -msgid "Arial Rounded MT Bold" -msgstr "Arial Rounded MT Bold" - -#: html/style-area.php:64 -msgid "Post Title H2 Font" -msgstr "Fuente para Título H2 del Artículo" - -#: html/style-area.php:66 -msgid "Title text color" -msgstr "Color de texto del título" - -#: html/style-area.php:67 -msgid "Header background color" -msgstr "Color de fondo del cabezal" - -#: html/style-area.php:68 -msgid "Sub-header background color" -msgstr "Color de fondo del sub-cabezal" - -#: html/style-area.php:69 -msgid "Site-wide links color" -msgstr "Color de enlaces" - -#: themes/core/core-functions.php:22 -#, php-format -msgid "%sHome%s" -msgstr "%sPortada%s" - -#: themes/core/core-functions.php:35 -msgid "post_title" -msgstr "post_title" - -#: themes/core/core-functions.php:41 -#, php-format -msgid "%sRSS Feed%s" -msgstr "%sFeed RSS%s" - -#: themes/core/core-functions.php:47 -#, php-format -msgid "%sE-Mail%s" -msgstr "%sE-Mail%s" - -#: themes/core/core-functions.php:54 -#, php-format -msgid "%sWarning%s" -msgstr "%sAdvertencia%s" - -#: themes/core/core-functions.php:56 -msgid "Sorry, this theme is only meant for use with WordPress on certain smartphones." -msgstr "Este tema puede ser usado con WordPress para ciertos smartphones." - -#: themes/core/core-functions.php:85 -#: themes/default/index.php:130 -#: themes/default/single.php:38 -msgid "Tags" -msgstr "Etiquetas" - -#: themes/core/core-functions.php:89 -#: themes/default/index.php:129 -#: themes/default/single.php:37 -msgid "Categories" -msgstr "Categorías" - -#: themes/core/core-functions.php:124 -#, php-format -msgid "Search results › %s" -msgstr "Resultados de búsqueda › %s" - -#: themes/core/core-functions.php:126 -#, php-format -msgid "Categories › %s" -msgstr "Categorías › %s" - -#: themes/core/core-functions.php:128 -#, php-format -msgid "Tags › %s" -msgstr "Etiquetas › %s" - -#: themes/core/core-functions.php:130 -#: themes/core/core-functions.php:132 -#: themes/core/core-functions.php:134 -#, php-format -msgid "Archives › %s" -msgstr "Archivo › %s" - -#: themes/core/core-functions.php:146 -msgid "No more entries to display." -msgstr "No hay más entradas." - -#: themes/core/core-functions.php:148 -msgid "No more search results to display." -msgstr "No hay más resultados de búsqueda." - -#: themes/core/core-functions.php:150 -msgid "No search results results found." -msgstr "No se encontraron resultados de búsqueda." - -#: themes/core/core-functions.php:150 -msgid "Try another query." -msgstr "Prueba otra búsqueda." - -#: themes/core/core-functions.php:153 -msgid "404 Not Found" -msgstr "Error 404 - No se encuentra" - -#: themes/core/core-functions.php:154 -msgid "The page or post you were looking for is missing or has been removed." -msgstr "No se encuentra la página o artículo buscado o ha sido removido." - -#: themes/core/core-functions.php:163 -#: wptouch.php:589 -msgid "Mobile Theme" -msgstr "Tema Móvil" - -#: themes/core/core-functions.php:209 -msgid "edit" -msgstr "editar" - -#: themes/core/core-functions.php:210 -msgid "del" -msgstr "borrar" - -#: themes/core/core-functions.php:211 -msgid "spam" -msgstr "spam" - -#: themes/default/comments.php:7 -msgid "This post is password protected. Enter the password to view comments." -msgstr "Este artículo está protegido por contraseña. Ingresala para ver los comentarios." - -#: themes/default/comments.php:16 -msgid "<h3 onclick=\"bnc_showhide_coms_toggle();\" id=\"com-head\"><img id=\"com-arrow\" src=\"" -msgstr "<h3 onclick=\"bnc_showhide_coms_toggle();\" id=\"com-head\"><img id=\"com-arrow\" src=\"" - -#: themes/default/comments.php:16 -msgid "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />1 Comment</h3>" -msgstr "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />1 Comentario</h3>" - -#: themes/default/comments.php:16 -msgid "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />% Comments</h3>" -msgstr "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />% Comentarios</h3>" - -#: themes/default/comments.php:63 -msgid "Comments are closed." -msgstr "No se puede comentar." - -#: themes/default/comments.php:73 -#, php-format -msgid "You must %slogin</a> or %sregister</a> to comment" -msgstr "Debes %singresar</a> o %sregistrarte</a> para comentar" - -#: themes/default/comments.php:81 -msgid "Success! Comment added." -msgstr "Comentario añadido." - -#: themes/default/comments.php:82 -msgid "Refresh the page to see your comment." -msgstr "Actualiza la página para ver tu comentario." - -#: themes/default/comments.php:83 -msgid "(If your comment requires moderation it will be added soon.)" -msgstr "(Si tu comentario requiere moderación será agregado pronto)" - -#: themes/default/comments.php:90 -msgid "Logged in as" -msgstr "Conectado como" - -#: themes/default/comments.php:94 -msgid "Leave A Comment" -msgstr "Deja un comentario" - -#: themes/default/comments.php:97 -#: themes/default/header.php:153 -msgid "Name" -msgstr "Nombre" - -#: themes/default/comments.php:102 -msgid "Mail (unpublished)" -msgstr "E-Mail (no se publica)" - -#: themes/default/comments.php:107 -msgid "Website" -msgstr "Web" - -#: themes/default/comments.php:111 -msgid "There was an error posting your comment. Maybe it was too short?" -msgstr "Hubo un error añadiendo tu comentario. Tal vez era my corto." - -#: themes/default/comments.php:120 -msgid "Publishing..." -msgstr "Publicando..." - -#: themes/default/footer.php:10 -msgid "Powered by" -msgstr "Funciona gracias a" - -#: themes/default/footer.php:10 -msgid "WordPress" -msgstr "WordPress" - -#: themes/default/footer.php:10 -msgid "+" -msgstr "+" - -#: themes/default/header.php:10 -msgid "Notice" -msgstr "Anuncio" - -#: themes/default/header.php:11 -msgid "JavaScript for Mobile Safari is currently turned off." -msgstr "JavaScript para Mobile Safari esta desactivado." - -#: themes/default/header.php:12 -msgid "Turn it on in " -msgstr "Actívalo" - -#: themes/default/header.php:12 -msgid "Settings › Safari" -msgstr "Ajustes › Safari" - -#: themes/default/header.php:12 -msgid " to view this website." -msgstr " para ver este sitio" - -#: themes/default/header.php:18 -msgid "Your Push Notification was sent." -msgstr "Tu Notificación Push fue enviada." - -#: themes/default/header.php:20 -msgid "Your Push Notification cannot be delivered at this time." -msgstr "Tu Notificación Push no puede ser enviada ahora." - -#: themes/default/header.php:31 -#: themes/default/header.php:58 -msgid "Login" -msgstr "Ingresar" - -#: themes/default/header.php:42 -#: themes/default/header.php:128 -msgid "Search" -msgstr "Buscar" - -#: themes/default/header.php:43 -msgid "Search..." -msgstr "Buscar..." - -#: themes/default/header.php:53 -msgid "Menu" -msgstr "Menú" - -#: themes/default/header.php:60 -msgid "My Account" -msgstr "Mi Cuenta" - -#: themes/default/header.php:88 -msgid "Enter your username and password<br />in the boxes above." -msgstr "Ingresa tu usuario y contraseña<br />en los campos de arriba." - -#: themes/default/header.php:93 -#, php-format -msgid "You can %ssign-up here%s." -msgstr "Puedes %sregistrarte aquí%s." - -#: themes/default/header.php:98 -msgid "Admin" -msgstr "Admin" - -#: themes/default/header.php:101 -msgid "Register for this site" -msgstr "Registrate en este sitio" - -#: themes/default/header.php:104 -msgid "Account Profile" -msgstr "Perfil de la Cuenta" - -#: themes/default/header.php:105 -msgid "Logout" -msgstr "Desconectar" - -#: themes/default/header.php:132 -msgid "Message" -msgstr "Mensaje" - -#: themes/default/header.php:136 -msgid "Twitter" -msgstr "Twitter" - -#: themes/default/header.php:140 -msgid "Tour Dates" -msgstr "Fechas de Tour" - -#: themes/default/header.php:147 -msgid "Send a Message" -msgstr "Enviar un Mensaje" - -#: themes/default/header.php:148 -msgid "This message will be pushed to the admin's iPhone instantly." -msgstr "Este mensaje será enviado al iPhone del administrador instantaneamente." - -#: themes/default/header.php:158 -msgid "E-Mail" -msgstr "E-Mail" - -#: themes/default/header.php:164 -msgid "Send Now" -msgstr "Enviar Ahora" - -#: themes/default/header.php:179 -msgid "Follow me on Twitter" -msgstr "Seguir en Twitter" - -#: themes/default/header.php:192 -msgid "No recent Tweets." -msgstr "No hay Tweets recientes." - -#: themes/default/header.php:204 -msgid "Upcoming Tour Dates" -msgstr "Fechas de Tour Próximas" - -#: themes/default/index.php:127 -msgid "Written on" -msgstr "Escrito en" - -#: themes/default/index.php:128 -msgid "By" -msgstr "Por" - -#: themes/default/index.php:135 -msgid "Read This Post" -msgstr "Leer Este Artículo" - -#: themes/default/index.php:146 -msgid "Load more entries..." -msgstr "Abrir más entradas..." - -#: themes/default/index.php:154 -msgid "Newer Entries" -msgstr "Artículos + Nuevos" - -#: themes/default/index.php:157 -msgid "Older Entries" -msgstr "Artículos + Viejos" - -#: themes/default/page.php:38 -msgid "Tag Cloud" -msgstr "Nube de Etiquetas" - -#: themes/default/page.php:45 -msgid "Monthly Archives" -msgstr "Archivo Mensual" - -#: themes/default/page.php:76 -msgid "Pages in this article: " -msgstr "Páginas en este artículo:" - -#: themes/default/single.php:7 -msgid "Permanent Link to " -msgstr "Enlace Permanente a" - -#: themes/default/single.php:13 -#: themes/default/single.php:15 -#: themes/default/single.php:19 -msgid "Skip to comments" -msgstr "Ir a los comentarios" - -#: themes/default/single.php:17 -msgid "Leave a comment" -msgstr "Deja un comentario" - -#: themes/default/single.php:36 -msgid "Article Pages" -msgstr "Páginas de Artículo" - -#: themes/default/single.php:46 -msgid "Check out this post:" -msgstr "Leer este artículo:" - -#: themes/default/single.php:46 -msgid "Mail a link to this post?" -msgstr "¿Mandar e-mail con enlace a este artículo?" - -#: themes/default/single.php:58 -msgid "Del.icio.us" -msgstr "Del.icio.us" - -#: themes/default/single.php:60 -msgid "Digg" -msgstr "Digg" - -#: themes/default/single.php:61 -msgid "Technorati" -msgstr "Technorati" - -#: themes/default/single.php:62 -msgid "Magnolia" -msgstr "Magnolia" - -#: themes/default/single.php:63 -msgid "Newsvine" -msgstr "Newsvine" - -#: themes/default/single.php:64 -msgid "Reddit" -msgstr "Reddit" - -#: wptouch.php:204 -msgid "Settings" -msgstr "Ajustes" - -#: wptouch.php:376 -msgid "New Ping/Trackback" -msgstr "Nuevo Ping/Trackback" - -#: wptouch.php:382 -msgid "New Comment" -msgstr "Nuevo Comentario" - -#: wptouch.php:410 -msgid "User Registration" -msgstr "Registro de Usuario" - -#: wptouch.php:454 -msgid "Direct Message" -msgstr "Mensaje Directo" - -#: wptouch.php:596 -msgid "WPtouch iPhone Theme" -msgstr "Tema iPhone para WPtouch" - -#: wptouch.php:864 -msgid "Settings saved" -msgstr "Ajustes guardados" - -#: wptouch.php:869 -msgid "Defaults restored" -msgstr "Configuración por defecto restaurada" - -#: wptouch.php:889 -msgid "Save Options" -msgstr "Guardar Opciones" - -#: wptouch.php:893 -msgid "Restore default WPtouch settings?" -msgstr "¿Restaurar Configuración por defecto?" - -#: wptouch.php:893 -msgid "Restore Defaults" -msgstr "Restaurar" - -#. Plugin Name of a plugin/theme -msgid "WPtouch" -msgstr "WPtouch" - -#. Plugin URI of a plugin/theme -msgid "http://bravenewcode.com/products/wptouch" -msgstr "http://bravenewcode.com/products/wptouch" - -#. Description of a plugin/theme -msgid "A plugin which formats your site with a mobile theme for visitors on Apple <a href=\"http://www.apple.com/iphone/\">iPhone</a> / <a href=\"http://www.apple.com/ipodtouch/\">iPod touch</a>, <a href=\"http://www.android.com/\">Google Android</a>, <a href=\"http://www.blackberry.com/\">Blackberry Storm and Torch</a>, <a href=\"http://www.palm.com/us/products/phones/pre/\">Palm Pre</a> and other touch-based smartphones." -msgstr "Un plugin que formatea tu sitio con un tema para móviles para visitantes con <a href=\"http://www.apple.com/iphone/\">iPhone</a> / <a href=\"http://www.apple.com/ipodtouch/\">iPod touch</a> / <a href=\"http://www.apple.com/ipodtouch/\">iPod touch</a>, <a href=\"http://www.android.com/\">Google Android</a>, <a href=\"http://www.blackberry.com/\">Blackberry Storm and Torch</a>, <a href=\"http://www.palm.com/us/products/phones/pre/\">Palm Pre</a> y otros teléfonos inteligentes táctiles." - -#. Author of a plugin/theme -msgid "Dale Mugford & Duane Storey (BraveNewCode Inc.)" -msgstr "Dale Mugford & Duane Storey (BraveNewCode Inc.)" - -#. Author URI of a plugin/theme -msgid "http://www.bravenewcode.com" -msgstr "http://www.bravenewcode.com" - diff --git a/wp-content/plugins/wptouch/lang/src/eu_EU.po b/wp-content/plugins/wptouch/lang/src/eu_EU.po deleted file mode 100644 index 70d256d97ba378240ac88dc65b902bdace0c0c33..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/lang/src/eu_EU.po +++ /dev/null @@ -1,1249 +0,0 @@ -# Translation of the WordPress plugin WPtouch 1.9.19 by Dale Mugford & Duane Storey (BraveNewCode Inc.). -# Copyright (C) 2010 Dale Mugford & Duane Storey (BraveNewCode Inc.) -# This file is distributed under the same license as the WPtouch package. -# FIRST AUTHOR <EMAIL@ADDRESS>, 2010. -# -msgid "" -msgstr "" -"Project-Id-Version: WPtouch 1.9.19\n" -"Report-Msgid-Bugs-To: http://wordpress.org/tag/wptouch\n" -"POT-Creation-Date: 2010-09-09 09:31-0700\n" -"PO-Revision-Date: 2010-11-29 19:09+0100\n" -"Last-Translator: ANDER\n" -"Language-Team: Sebastián Asegurado <seba_2003@hotmail.com>\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Poedit-Language: Spanish\n" -"X-Poedit-Country: SPAIN\n" - -#: ajax/file_upload.php:23 -msgid "<p style=\"color:red; padding-top:10px\">There seems to have been an error.<p>Please try your upload again.</p>" -msgstr "<p style=\"color:red; padding-top:10px\">Akatsa dirudi.<p>Ostera igotzen saiatu.</p>" - -#: ajax/file_upload.php:25 -msgid "<p style=\"color:green; padding-top:10px\">File has been saved and added to the pool.</p>" -msgstr "<p style=\"color:green; padding-top:10px\">Artxiboa poolera gehitua izan da.</p>" - -#: ajax/file_upload.php:28 -msgid "<p style=\"color:orange; padding-top:10px\">Sorry, only PNG, GIF and JPG images are supported.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Soilik PNG, GIF y JPG jasaten dira.</p>" - -#: ajax/file_upload.php:30 -msgid "<p style=\"color:orange; padding-top:10px\">Image too large. try something like 59x60.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Irudia handiegia da. Saiatu 59x60.</p>" - -#: ajax/file_upload.php:32 -msgid "<p style=\"color:orange; padding-top:10px\">Insufficient privileges.</p><p>You need to either be an admin or have more control over your server.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Bimenik ez duzu.</p><p> Administratzaile bat behar duzu edo kontrol gehiago zerbitzariarekin.</p>" - -#: ajax/news.php:16 -#: ajax/support.php:16 -#: ajax/support.php:28 -msgid "<li class=\"ajax-error\">No feed items found to display.</li>" -msgstr "<li class=\"ajax-error\">Feedaren osagaiak ez dira erakusteko aurkitzen.</li>" - -#: ajax/news.php:28 -msgid " <li class=\"ajax-error\">No feed items found to display.</li>" -msgstr " <li class=\"ajax-error\">Ez dago erakustekorik.</li>" - -#: html/ads-stats-area.php:5 -msgid "Adsense, Stats & Custom Code" -msgstr "Adsense, Estatistikak & Kodea neurrira " - -#: html/ads-stats-area.php:8 -msgid "Adsense" -msgstr "Adsense" - -#: html/ads-stats-area.php:9 -msgid "Enter your Google AdSense ID if you'd like to support mobile advertising in WPtouch posts." -msgstr "Sartu Google AdSenseko zure identitatea WPoutcheko artikuluaen publizitate mugikorra jasan nahi badituzu " - -#: html/ads-stats-area.php:10 -msgid "Make sure to include the 'pub-' part of your ID string." -msgstr "Sartu \"pub-\" zatia zure identitate kateatik." - -#: html/ads-stats-area.php:12 -msgid "Stats & Custom Code" -msgstr "Etatistikak & Kodeak neurrira" - -#: html/ads-stats-area.php:13 -msgid "If you'd like to capture traffic statistics " -msgstr "Trafiko estatistikak hartu nahi badituzu." - -#: html/ads-stats-area.php:13 -msgid "(Google Analytics, MINT, etc.)" -msgstr "(Google Analytics, MINT, etc.)" - -#: html/ads-stats-area.php:14 -msgid "Enter the code snippet(s) for your statistics tracking." -msgstr "Sartu kodearen snippet/s d(ir)elakoak estatistiken jarraipenerako." - -#: html/ads-stats-area.php:14 -msgid "You can also enter custom CSS & other HTML code." -msgstr "CSS eta HTML kodea ere sar zenezake." - -#: html/ads-stats-area.php:16 -#: html/advanced-area.php:22 -#: html/advanced-area.php:31 -#: html/advanced-area.php:40 -#: html/advanced-area.php:49 -#: html/advanced-area.php:60 -#: html/advanced-area.php:68 -#: html/advanced-area.php:83 -#: html/advanced-area.php:92 -#: html/advanced-area.php:101 -#: html/general-settings-area.php:75 -#: html/page-area.php:31 -#: html/push-area.php:17 -#: html/push-area.php:49 -msgid "More Info" -msgstr "Informazio gehiago" - -#: html/ads-stats-area.php:17 -msgid "You may enter a custom css file link easily. Simply add the full link to the css file like this:" -msgstr "CSS kodeari lotura errazki sar zeniezaioke honela: " - -#: html/ads-stats-area.php:18 -msgid "<code><link rel="stylesheet" src="http://path-to-my-css-file" type="text/css" media="screen" /></code>" -msgstr "<code><link rel="stylesheet" src="http://path-to-my-css-file" type="text/css" media="screen" /></code>" - -#: html/ads-stats-area.php:25 -msgid "Google AdSense ID" -msgstr "Google AdSenseko identitatea" - -#: html/ads-stats-area.php:26 -msgid "Google AdSense Channel" -msgstr "Google AdSenseren kanala" - -#: html/advanced-area.php:5 -msgid "Advanced Options" -msgstr "Aukera Aurreratuak" - -#: html/advanced-area.php:8 -msgid "Choose to enable/disable advanced features & options available for WPtouch." -msgstr "Hautatu ezarrri/desezarri WPOutcherako berezitasun eta aukera aurreratuak ." - -#: html/advanced-area.php:9 -msgid "* WPtouch Restricted Mode attempts to fix issues where other plugins load scripts which interfere with WPtouch CSS and JavaScript." -msgstr "* WPtouchen era mugatua saiatu egiten da arazoak konpontzen beste plugin batzuek bere CSS edo JavaScript interferentzia kodeak kargatzen dituzten bitartean " - -#: html/advanced-area.php:11 -msgid "Custom User-Agents" -msgstr "User-Agents Neurrira" - -#: html/advanced-area.php:12 -msgid "Enter a comma-separated list of user-agents to enable WPtouch for a device that isn't currently officially supported." -msgstr "Users-Agentsen zerrenda komaz bereizturik sartu, WPoutcentzat ofizialki jasanezinak diren gailuak aktibatzeko. " - -#: html/advanced-area.php:13 -#, php-format -msgid "The currently enabled user-agents are: <em class='supported'>%s</em>" -msgstr "Jasaten diren User-Agentsak honakoak dira: <em class='supported'>%s</em>" - -#: html/advanced-area.php:20 -msgid "Enable Categories tab in the header" -msgstr "Koskak aktibatu buruko Kategoriak-en " - -#: html/advanced-area.php:23 -msgid "This will add a 'Categories' tab item in the WPtouch drop-down." -msgstr "Elementu bat gehitu WPtoucheko \"Kategoriak\"en." - -#: html/advanced-area.php:24 -msgid "It will display a list of your popular categories." -msgstr "Kategoria erabilienen zerrenda erakusten da." - -#: html/advanced-area.php:29 -msgid "Enable Tags tab in the header" -msgstr "Etiketak-en koska aktibatu burukoan " - -#: html/advanced-area.php:32 -msgid "This will add a 'Tags' tab item in the WPtouch drop-down." -msgstr "\"Etiketak\" elementua gehitzen du WPtouch tolesgarrian" - -#: html/advanced-area.php:33 -msgid "It will display a list of your popular tags." -msgstr "Etketa erabilienen zerrenda erakusten du" - -#: html/advanced-area.php:38 -msgid "Enable Search link in the header" -msgstr "Bilaketak lotura aktibatu burukoan " - -#: html/advanced-area.php:41 -msgid "This will add a 'Search' item in the WPtouch sub header." -msgstr "Burupekoan \"Bilaketa\" elementu bat gehitu." - -#: html/advanced-area.php:42 -msgid "It will display an overlay on the title area allowing users to search your website." -msgstr "Tituluaren lekuan superposizioa erakusten du erabiltzaileari lekuan bilatzea uzteko " - -#: html/advanced-area.php:47 -msgid "Enable Login/My Account tab in the header" -msgstr "\"Sartu/Nire kontua\" koska aktibatu" - -#: html/advanced-area.php:50 -msgid "This will add a 'Login' tab in the WPtouch sub header beside the Tags and Categories tabs if they are also enabled." -msgstr "Burupekoan \"Sartu\"rentzat koska bat gehitzen du Etiketak eta Kategoriak ere bai, aktibatzen badira " - -#: html/advanced-area.php:51 -msgid "It will display a username/password drop-down, allowing users to login plus be automatically re-directed back to the page they logged in from without seeing the WP admin." -msgstr "Erabiltzaile/Giltzarentzat aukera ematen du sartu eta automatikoki izan daitezen izena emandako orrialdera eramanak, WP administrazioa ikusi ere egin gabe" - -#: html/advanced-area.php:52 -msgid "Once logged in, a new 'My Account' button will appear. The 'My Account' button shows useful links depending on the type of account (subscriber, admin, etc.)." -msgstr "Izena emanda, \"Nire kontua\" izeneko botoia agertuko da, lotura erabilgarriak erakutsiz (Subscriptor, Administrator, etc.)." - -#: html/advanced-area.php:53 -msgid "NOTE: The Account tab/links will always appear if you have enabled registration on your site or require users to login for comments." -msgstr "NOTA: Iruzkinak egiteko orduan Loturak/Koskak soilik agertzen dira euren lekuan izen emanda egonik. " - -#: html/advanced-area.php:58 -msgid "Display Upcoming Dates link in the header (requires <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> or higher)" -msgstr "Hurbileko datak erakusten ditu burukoan (beharrezkoa <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> edo handiagoa)" - -#: html/advanced-area.php:61 -msgid "When this option is checked and the GigPress plugin is installed, a list of your Upcoming Shows will be viewable from a drop-down in the WPtouch header." -msgstr "Aukera hau aktibatuta dagoenean eta GigPress plugina instalaturik, Hurbileko Showen zerrenda bat ikusi ahal izango da burukoan " - -#: html/advanced-area.php:66 -msgid "Display Twitter link in the header (requires <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> or higher)" -msgstr "Twitter lotura erakusten du burukoan (beharrezkoa <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> edo handiagoa)" - -#: html/advanced-area.php:69 -msgid "When this option is checked and the WordTwit plugin is installed, a list of your Tweets will be viewable from a drop-down in the WPtouch header." -msgstr "Aukera hau piztuta dagoenean eta WordTwit plugina ezarritakoan, Txio zerrenda bat ikusi ahal izango da burukoan " - -#: html/advanced-area.php:74 -msgid "Enable gravatars in comments" -msgstr "Iruzkinetan gravatarrak ernetu" - -#: html/advanced-area.php:81 -msgid "Enable comments on pages" -msgstr "Orrialdeetan iruzkinak aktibatu" - -#: html/advanced-area.php:84 -msgid "This will add the comment form to all pages with 'Allow Comments' checked in your WordPress admin." -msgstr "Iruzkinentzat fitxa gehitu \"Iruzkinak baimendu\" duten orrialdeetan " - -#: html/advanced-area.php:90 -#, php-format -msgid "1%sst%s visit mobile users will see desktop theme" -msgstr "1%sst%s bisitan erabiltzaile mugikorrak mahaigaineko gaia ikusiko du " - -#: html/advanced-area.php:93 -msgid "When this option is checked, users will see your regular site theme first, and have the option in your footer to switch to the WPtouch mobile view." -msgstr "Lehenik gunean ohiko itxura edukiko da, baina orriaren oinetan aukera izango da WPtouch itxurarako " - -#: html/advanced-area.php:94 -msgid "They'll be able to change back and forth either way. Make sure you have the wp_footer(); function call in your regular theme's footer.php file for the switch link to work properly." -msgstr "Bisiten artean aldatzeko gai izanen dira. Ziurtatu wp_footer() funtziora deitzeaz; footer.php-ren tema erregularrean, enlazeak ongi funtziona dezan. " - -#: html/advanced-area.php:99 -msgid "Enable WPtouch Restricted Mode" -msgstr "WPoutchen \"era mugatuan\" aktibatu " - -#: html/advanced-area.php:102 -msgid "Disallow other plugins from loading into scripts into WPtouch's header and footer." -msgstr "Ez utzi beste plungin batzuk kodea karga dezaten, WPoutcharen oinean nahiz burukoan " - -#: html/advanced-area.php:103 -msgid "Sometimes fixes incompatibilities and speeds up WPtouch." -msgstr "Batzuetan ezineramanak konpontzen ditu eta WPtouch azkartzen du " - -#: html/advanced-area.php:104 -msgid "Some plugins load conflicting javascript, extra CSS style sheets, and other functional code into your theme to accomplish what they add to your site. As WPtouch works complete on its own without any other plugin installed, in some cases (where you have several plugins or find something doesn't work right with WPtouch) you may want to enable Restricted Mode to ensure that WPtouch works properly, and loads quickly for mobile users." -msgstr "Plugin batzuek badaezpadako javascript kodea kargatzen dute, CSS erako orriak eta beste kode funtzional batzuk, ongi funtziona dezan. Baina nolaz eta WPtouchek osoki bere kasa funtzionatzen duen, ezarritako beste pluginik gabe, zenbait plugin instalatuta daudenean edo WPoutcen zerbait ez dabilela ikusitakoan, \"Era Mugatua\" aktiba dezakezu, WPtouchek ongi funtziona eta azkar karga dadin erabiltzaile mugikorretarako. " - -#: html/advanced-area.php:109 -msgid "Custom user-agents" -msgstr "Neurriko User-Agents " - -#: html/advanced-area.php:111 -msgid "After changing the user-agents, please visit the WP Super Cache admin page and update your rewrite rules." -msgstr "User-Agents aldatutakoan, ikusi WP Super cache administrazio orrialdea eta eguneratu rewrite rules direlakoak." - -#: html/general-settings-area.php:5 -msgid "General Settings" -msgstr "Ezarpen nagusiak" - -#: html/general-settings-area.php:8 -msgid "Home Page Re-Direction" -msgstr "Orrialde Nagusira ber-zuzentzea " - -#: html/general-settings-area.php:9 -#, php-format -msgid "WPtouch by default follows your %sWordPress » Reading Options%s. You can also set a different one for WPtouch." -msgstr "Besterik ezean, WPouutchek zure %sIrakurketa aukerak » WordPress%s jarraitzen ditu. Nahi izatera, WPtouchentzat desberdinak ezar daitezke." - -#: html/general-settings-area.php:11 -msgid "Site Title" -msgstr "Lekuaren titulua" - -#: html/general-settings-area.php:12 -msgid "You can shorten your site title here so it won't be truncated by WPtouch." -msgstr "Lekuaren titulua labur dezakezu WPoutchek zaputz ez dezan " - -#: html/general-settings-area.php:15 -msgid "Excluded Categories" -msgstr "Kategoriak baztertu" - -#: html/general-settings-area.php:16 -msgid "Choose categories you want excluded from the main post listings in WPtouch." -msgstr "Hautatu WPoutchen artikuluen zerrenda nagusitik baztertu nahi dituzun kategoriak." - -#: html/general-settings-area.php:18 -msgid "Text Justification Options" -msgstr "Testu justifikazioaren aukerak" - -#: html/general-settings-area.php:19 -msgid "Set the alignment for text." -msgstr "Hautatu testuaren alineazioa" - -#: html/general-settings-area.php:22 -msgid "Post Listings Options" -msgstr "Artikuluen zerrendarako aukerak" - -#: html/general-settings-area.php:23 -msgid "Choose between calendar Icons, post thumbnails (WP 2.9) or none for your post listings." -msgstr "Artikuluaren zerrendarako hautatu honakoen artean: egutegiaren irudiak, artikuluaren miniaturak l (WordPressP 2.9) ala bat ere ez." - -#: html/general-settings-area.php:24 -msgid "Select which meta items are shown below titles on main, search, & archives pages." -msgstr "Hautatu zein metaelementu erakutsi nahi diren orrialde nagusian eta artxibokoetan" - -#: html/general-settings-area.php:25 -msgid "Also, choose if excerpts are shown/hidden (default is hidden)." -msgstr "Erakusten diren laburpenak ere hautat (ezer gabean, ezkutatuta daude)" - -#: html/general-settings-area.php:27 -msgid "Footer Message" -msgstr "Oinekoaren mezua" - -#: html/general-settings-area.php:28 -msgid "Customize the default footer message shown in WPtouch here." -msgstr "Hemen zeuretu ezazu WPoutchen oinekoan erakusten dena" - -#: html/general-settings-area.php:32 -msgid "WPtouch Home Page" -msgstr "WPtouchen orrialde nagusia" - -#: html/general-settings-area.php:37 -#: html/page-area.php:63 -msgid "You have no pages yet. Create some first!" -msgstr "Ez duzu orrialderik. Sortu batzuk lehenbizi" - -#: html/general-settings-area.php:43 -msgid "Site title text" -msgstr "Gunearen tituluko testua" - -#: html/general-settings-area.php:49 -msgid "Comma list of Category IDs, eg: 1,2,3" -msgstr "ID kategorien komaz bereizitako zerrenda. Ad: 1,2,5..." - -#: html/general-settings-area.php:57 -msgid "Left" -msgstr "Ezker" - -#: html/general-settings-area.php:58 -msgid "Full" -msgstr "Osorik" - -#: html/general-settings-area.php:60 -msgid "Font justification" -msgstr "Letraren justifikazoa" - -#: html/general-settings-area.php:68 -msgid "Calendar Icons" -msgstr "Egutegi iruditxoak" - -#: html/general-settings-area.php:69 -msgid "Post Thumbnails / Featured Images" -msgstr "Artikuluen miniaturak / Irudi nabarmenduak" - -#: html/general-settings-area.php:70 -msgid "Post Thumbnails / Featured Images (Random)" -msgstr "Artikuluen miniaturak / Irudi nabarmenduak (tuntunean)" - -#: html/general-settings-area.php:71 -msgid "No Icon or Thumbnail" -msgstr "Iruditxo edo miniaturarik gabe" - -#: html/general-settings-area.php:73 -msgid "Post Listings Display" -msgstr "Artikuluen zerrendaren itxura" - -#: html/general-settings-area.php:73 -msgid "Thumbnails Requires WordPress 2.9+" -msgstr "WordPress 2.9+ behar duten miniaturak" - -#: html/general-settings-area.php:76 -msgid "This will change the display of blog and post listings between Calendar Icons view and Post Thumbnails view." -msgstr "Blogaren itxura aldatzen du eta artikuluen zerrenda ere bai, Egutegi iruditxo eta Artikuluen miniaturen artean" - -#: html/general-settings-area.php:77 -msgid "The <em>Post Thumbnails w/ Random</em> option will fill missing post thumbnails with random abstract images. (WP 2.9+)" -msgstr "<em>Artikuluen tuntuneko miniaturen aukerak</em> beteko du falta diren miniaturen lekua, tuntuneko irudi abstraktuen bidez (WP 2.9+)" - -#: html/general-settings-area.php:84 -msgid "Enable Truncated Titles" -msgstr "Titulo zapuztuak aktibatu" - -#: html/general-settings-area.php:84 -msgid "Will use ellipses when titles are too long instead of wrapping them" -msgstr "Lerro berriak sortu ordez, elipsiak erabiliko ditu tituluak luzeegi direnean" - -#: html/general-settings-area.php:88 -msgid "Show Author's Name" -msgstr "Egilearen izena erakutsi" - -#: html/general-settings-area.php:92 -msgid "Show Categories" -msgstr "Kategoriak erakutsi" - -#: html/general-settings-area.php:96 -msgid "Show Tags" -msgstr "Etiketak erakutsi" - -#: html/general-settings-area.php:100 -msgid "Hide Excerpts" -msgstr "Laburpenak ezkutatu" - -#: html/general-settings-area.php:104 -msgid "Footer message" -msgstr "Oinekoaren mezua" - -#: html/head-area.php:13 -#, php-format -msgid "%sGet WPtouch Pro%s" -msgstr "%sEskuratu WPtouch Pro%s" - -#: html/head-area.php:14 -#, php-format -msgid "%sBNC on Twitter%s" -msgstr "%sBNC n Twitterren%s" - -#: html/head-area.php:15 -#, php-format -msgid "%sBraveNewCode.com%s" -msgstr "%sBraveNewCode.com%s" - -#: html/head-area.php:24 -msgid "WPtouch Wire" -msgstr "WPtouch Wire" - -#: html/head-area.php:33 -msgid "Find Out More ›" -msgstr "Gehiago deskubritu ›" - -#: html/icon-area.php:21 -msgid "Default & Custom Icon Pool" -msgstr "Norberetutako eta Besteriak ezeaneko katalogoa" - -#: html/icon-area.php:24 -msgid "Adding Icons" -msgstr "Iruditxoak gehitzen" - -#: html/icon-area.php:25 -msgid "To add icons to the pool, simply upload a .png, .jpeg or .gif image from your computer." -msgstr "Katalogoari iruditxoak gehitzeko, zeure ordenadoretik gehitu PNG, JPEG o GIF irudiak" - -#: html/icon-area.php:27 -#, php-format -msgid "Default icons generously provided by %sMarcelo Marfil%s." -msgstr " %sMarcelo Marfil%s.ek eskuzabalki emandako iruditxoak dira besterik ezean aukerakoak" - -#: html/icon-area.php:29 -msgid "Logo/Bookmark Icons" -msgstr "Logoaren iruditxoak/Maiteenak" - -#: html/icon-area.php:30 -msgid "If you're adding a logo icon, the best dimensions for it are 59x60px (png) when used as a bookmark icon." -msgstr "Maiteenetara gehitzeko Iruditxo egokiena 59x60px (PNG) da" - -#: html/icon-area.php:31 -#, php-format -msgid "Need help? You can use %sthis easy online icon generator%s to make one." -msgstr "Laguntza behar? &seste irudi sortzaile erraza erabil dezakezu, linean %s bat sortzeko" - -#: html/icon-area.php:32 -#, php-format -msgid "These files will be stored in this folder we create: %s/uploads/wptouch/custom-icons" -msgstr "Artxiboak sortutako karpetan bilduko dira. Hemen: %s/uploads/wptouch/custom-icons" - -#: html/icon-area.php:33 -msgid "If an upload fails (usually it's a permission problem) check your wp-content path settings in WordPress' Miscellaneous Settings, or create the folder yourself using FTP and try again." -msgstr "Karga batek huts eginez gero, baimen arazoak, esaterako, wp-content bideaaren ezarpenak begiratu Word Presseko Ezarpen nagusietan, edo gehitu karpeta FTP erabiliz eta saiatu ostera ere." - -#: html/icon-area.php:35 -msgid "Upload Icon" -msgstr "Iruditxoa igo" - -#: html/icon-area.php:39 -msgid "Uploading..." -msgstr "Kargatzen..." - -#: html/page-area.php:5 -msgid "Logo Icon // Menu Items & Pages Icons" -msgstr "Logoaren iruditxoa // Menuaren osagaiak eta orrialdeen iruditxoak" - -#: html/page-area.php:8 -msgid "Logo / Home Screen Icon <br />& Default Menu Items" -msgstr "Pantailaren iruditxoa Logoarentzat/ Orrialde nagusia <br />& Menuaren \"Besterik ezean\"en iruditxoak" - -#: html/page-area.php:9 -#, php-format -msgid "If you do not want your logo to have the glossy effect added to it, make sure you select %sEnable Flat Bookmark Icon%s" -msgstr "Zure logoa beiraren itxurakoa nahi baduzu, ziurtatu %sLaua maiteen aktibatzeaz %s" - -#: html/page-area.php:10 -msgid "Choose the logo displayed in the header (also your bookmark icon), and the pages you want included in the WPtouch drop-down menu." -msgstr "Hautatu burukoan erakusten den logoa eta zeure iruditxo gustukoena, eta WPOutch menuan sartuta erakutsi nahi dituzun orrialdeak" - -#: html/page-area.php:11 -msgid "Remember, only those checked will be shown." -msgstr "Oroitu: hautatutakoak ikusiko dira " - -#: html/page-area.php:12 -msgid "Enable/Disable default items in the WPtouch site menu." -msgstr "Aktibatu/Indargabetu \"besterik ezeaneko\" elementuak, WPtouch gunean." - -#: html/page-area.php:14 -msgid "Pages + Icons" -msgstr "Orrialdeak + Iruditxoak" - -#: html/page-area.php:15 -msgid "Next, select the icons from the lists that you want to pair with each page menu item." -msgstr "Hautatu orrialdeko zein elementurekin bikotea egin nahi duzun." - -#: html/page-area.php:16 -msgid "You can also decide if pages are listed by the page order (ID) in WordPress, or by name (default)." -msgstr "Erabaki dezakezu orriladeak Word Pressek berak ordenatuko dituen (ID), ala izenaren arabera izango den (besterik " - -#: html/page-area.php:24 -msgid "Logo & Home Screen Bookmark Icon" -msgstr "Maiteenaren iruditxoa eta Orri Nagusia" - -#: html/page-area.php:29 -msgid "Enable Flat Bookmark Icon" -msgstr "Maiteenaren iruditxo laua aktibatu" - -#: html/page-area.php:32 -msgid "The default applies for iPhone/iPod touch applies a glossy effect to the home-screen bookmark/logo icon you select." -msgstr "Besterik ezean iPhone/iPod touchen beira itxura ezartzen zaio lehen orriari eta hautatutako iruditxoari ere bai" - -#: html/page-area.php:33 -msgid "When checked your icon will not have the glossy effect automatically applied to it." -msgstr "Hautatutakoan zure iruditxoak ez du automatikoki ezarrita edukiko beira-itxura" - -#: html/page-area.php:36 -msgid "Enable Home Menu Item" -msgstr "Orrialde Nagusiaren menuko elementuak aktibatu" - -#: html/page-area.php:37 -msgid "Enable RSS Menu Item" -msgstr "RSS menuko elementua aktibatu" - -#: html/page-area.php:38 -msgid "Enable Email Menu Item" -msgstr "Eposta Menuko elementua aktibatu" - -#: html/page-area.php:38 -msgid "Uses default WordPress admin e-mail" -msgstr "Besterik ezean, eposta erabili WordPresseko administratzaile gisa" - -#: html/page-area.php:43 -msgid "By Name" -msgstr "Izenaren araberakoa" - -#: html/page-area.php:44 -msgid "By Page ID" -msgstr "Orrialdearen ID-aren araberakoa " - -#: html/page-area.php:46 -msgid "Menu List Sort Order" -msgstr "Menuaren zerrenda ordenua" - -#: html/plugin-compat-area.php:7 -msgid "Plugin Support & Compatibility" -msgstr "Pluginaren eramangarritasuna " - -#: html/plugin-compat-area.php:13 -msgid "WordPress version: " -msgstr "WordPress bertsioa:" - -#: html/plugin-compat-area.php:16 -#, php-format -msgid "WPtouch %s support: " -msgstr "WPtouch soportea:" - -#: html/plugin-compat-area.php:18 -#, php-format -msgid "%sUnverified%s" -msgstr "%sEgiaztagabeak%s" - -#: html/plugin-compat-area.php:20 -#, php-format -msgid "%sSupported%s" -msgstr "%Jasaten direnak%s" - -#: html/plugin-compat-area.php:22 -#, php-format -msgid "%sUnsupported. Upgrade Required.%s" -msgstr "%s Ezin egin. Eguneratzea behar da %s" - -#: html/plugin-compat-area.php:27 -msgid "Here you'll find information on additional WPtouch features and their requirements, including those activated with companion plugins." -msgstr "WPtouchen berezitasun gehiagoren berri, eta lagunen pluginen bidez ezarritako beharrizanak ere bai." - -#: html/plugin-compat-area.php:32 -msgid "WordPress Pages & Feature Support" -msgstr "WordPress orrialdeak eta Berzitasunak " - -#: html/plugin-compat-area.php:39 -msgid "All of your WP links will automatically show on your page called 'Links'." -msgstr "Zure WP lotura guztiak, automatikoki erakutsiko dira \"Loturak\" izeneko zure orrian" - -#: html/plugin-compat-area.php:41 -msgid "If you create a page called 'Links', all your WP links would display in <em>WPtouch</em> style." -msgstr " 'Links' izeneko orrialdea sortutakoan, zure WP lotura guztiak <em>WPtouch</em> estiloaz erakutsiko dira" - -#: html/plugin-compat-area.php:47 -msgid "All your <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> images will automatically show on your page called 'Photos'." -msgstr "Zure irudi guztiak <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> PHotos orrialdean erakutsiko dira automatikoki" - -#: html/plugin-compat-area.php:49 -msgid "You have a page called 'Photos', but don't have <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> installed." -msgstr "\"Photos' izeneko orria duzun arren, ez daukazu ezarririk <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a>." - -#: html/plugin-compat-area.php:51 -msgid "If you create a page called 'Photos', all your <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> photos would display in <em>WPtouch</em> style." -msgstr "'Photos' deitutako orria sortzean, zure argazki guztiak <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> <em>WPtouch</em> estiloarekin erakutsiko da." - -#: html/plugin-compat-area.php:54 -msgid "If you create a page called 'Photos', and install the <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> plugin, your photos would display in <em>WPtouch</em> style." -msgstr "'Photos' deitutako orria sortzean, eta <a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a>plugina ezartzean, <em>WPtouch</em> estiloan erakutsiko da" - -#: html/plugin-compat-area.php:62 -msgid "Your tags and your monthly listings will automatically show on your page called 'Archives'." -msgstr "Zure etiketa eta hileroko zerrendak automatikoki agertuko dira \"Archives\" orrialdean" - -#: html/plugin-compat-area.php:64 -msgid "If you had a page called 'Archives', your tags and monthly listings would display in <em>WPtouch</em> style." -msgstr "\"Artxiboak\" izeneko orria baldin baduzu, etiketak eta hileroko zerrendak <em>WPtouch</em> estiloan erakutsiko dira." - -#: html/plugin-compat-area.php:68 -msgid "Known Plugin Support & Conflicts" -msgstr "Ezagutzen diren soporte eta arazoak Pluginarekin" - -#: html/push-area.php:4 -msgid "Push Notification Options" -msgstr "Push Notificationen aukerak" - -#: html/push-area.php:7 -#, php-format -msgid "Here you can configure WPtouch to push selected notifications through your %sProwl%s account to your iPhone, iPod touch and Growl-enabled Mac or PC." -msgstr "Hemen konfigura dezakezu WPtouch hautatutako jakinarapenak egiteko, zeure %sProwl%s kontuaren bidez zeure iPhone touch edota Mac edota Growl aukeran duten ordenagailuekin." - -#: html/push-area.php:8 -#, php-format -msgid "%sMake sure you generate a Prowl API key to use here%s otherwise no notifications will be pushed to you." -msgstr "%sSegurtatu Prowlentzat API giltza sortu duzula hemen erabiltzeko%s, bestela ez zaizu oharrik igorri ahal izango " - -#: html/push-area.php:15 -msgid "Prowl API Key" -msgstr "API giltza Prowlentzat" - -#: html/push-area.php:15 -#, php-format -msgid "%sCreate a key now%s" -msgstr "%sGiltza sortu%s" - -#: html/push-area.php:18 -msgid "In order to enable Prowl notifications, you must create a Prowl account, and download/configure the Prowl application for iPhone." -msgstr "Prowl jakinarazpenak aktibatzeko, Prowl kontua sortu eta iPhonearentzako Prowl aplikazioa jaitsi/aplikatu behar duzu" - -#: html/push-area.php:19 -msgid "Next, visit the Prowl website and generate your API key, which we use to connect securely and send your notifications." -msgstr "Gero, gune honetara joan eta API giltza sortu, era segurrean kanekta zaitezen eta jakinarazpenak bidaltzeko. " - -#: html/push-area.php:21 -#, php-format -msgid "%sVisit the Prowl Website%s" -msgstr "%sProwl-en gunera%s" - -#: html/push-area.php:21 -#, php-format -msgid "%sVisit iTunes to Download Prowl%s" -msgstr "%s%s" - -#: html/push-area.php:25 -msgid "Your Prowl API key has been verified." -msgstr "Prowl zure giltza egiaztatua" - -#: html/push-area.php:28 -msgid "Sorry, your Prowl API key is not verified." -msgstr "Prowl zure giltza ezin egiaztatu " - -#: html/push-area.php:29 -msgid "Please check your key and make sure there are no spaces or extra characters." -msgstr "Begiratu zure giltza eta ziurtatu ez duzula gehiegikorik egiten " - -#: html/push-area.php:39 -msgid "Notify me of new comments & pingbacks/tracksbacks" -msgstr "Iruzkin berriak, pingbackak eta trackbackak daudenean jakinarazi" - -#: html/push-area.php:43 -msgid "Notify me of new account registrations" -msgstr "Izen-emate berriez abisatu " - -#: html/push-area.php:47 -msgid "Allow users to send me direct messages" -msgstr "Erabiltzaileei mezu zuzenak bidaltzen utzi " - -#: html/push-area.php:50 -msgid "This enables a new link to a drop-down in the submenu bar for WPtouch ('Message Me')." -msgstr "Lotura berria aktibatu WPotoucheko azpimenu barran ('Message Me')." - -#: html/push-area.php:51 -msgid "When opened, a form is shown for users to fill in. The name, e-mail address, and message area is shown. Thier IP will also be sent to you, in case you want to ban it in the WordPress admin." -msgstr "Irekitzean, erabiltzaileek betetzeko fitxa ageri da. Erakusten direnak: Izena, eposta helbidea eta mezuaren gorputza. WordPresseko administratzaileak blokatu nahi izatera, IPa bidaliko zaizu. " - -#: html/push-area.php:55 -#, php-format -msgid "%sCURL is required%s on your webserver to use Push capabilities in WPtouch." -msgstr "%sURL bat behar da%s zure zerbitzarian Push ahalak Wptouchen erabiltzeko" - -#: html/style-area.php:5 -msgid "Style & Color Options" -msgstr "Estilo eta koloreko aukerak " - -#: html/style-area.php:8 -msgid "Here you can customize some of the more visible features of WPtouch." -msgstr "Hemen antolatu zenitzake WPoutchen berezitasun nabarienak." - -#: html/style-area.php:17 -msgid "The default WPtouch theme emulates a native iPhone application." -msgstr "Wpotchen berezko itxurak, Iphoneren aplikazio jator baten antza du " - -#: html/style-area.php:21 -msgid "Classic" -msgstr "Klasikoa" - -#: html/style-area.php:24 -msgid "Horizontal Grey" -msgstr "Gris Horizontala" - -#: html/style-area.php:27 -msgid "Diagonal Grey" -msgstr "Gris Diagonala" - -#: html/style-area.php:30 -msgid "Skated Concrete" -msgstr "Konkretu patinatua" - -#: html/style-area.php:33 -msgid "Argyle Tie" -msgstr "Erronbo gorbata" - -#: html/style-area.php:36 -msgid "Thatches" -msgstr "Marratua" - -#: html/style-area.php:39 -msgid "Background" -msgstr "Hondokoa" - -#: html/style-area.php:43 -msgid "Helvetica Neue" -msgstr "Helvetica Neue" - -#: html/style-area.php:46 -msgid "Helvetica" -msgstr "Helvetica" - -#: html/style-area.php:49 -msgid "Thonburi" -msgstr "Thonburi" - -#: html/style-area.php:52 -msgid "Georgia" -msgstr "Georgia" - -#: html/style-area.php:55 -msgid "Geeza Pro" -msgstr "Geeza Pro" - -#: html/style-area.php:58 -msgid "Verdana" -msgstr "Verdana" - -#: html/style-area.php:61 -msgid "Arial Rounded MT Bold" -msgstr "Arial Rounded MT Bold" - -#: html/style-area.php:64 -msgid "Post Title H2 Font" -msgstr "Sarreraren H\" titulurako letra mota " - -#: html/style-area.php:66 -msgid "Title text color" -msgstr "Tituluko testuaren kolorea" - -#: html/style-area.php:67 -msgid "Header background color" -msgstr "Burukoaren hondoko kolorea " - -#: html/style-area.php:68 -msgid "Sub-header background color" -msgstr "Burupekoaren kolorea " - -#: html/style-area.php:69 -msgid "Site-wide links color" -msgstr "Loturen kolorea" - -#: themes/core/core-functions.php:22 -#, php-format -msgid "%sHome%s" -msgstr "%Azala%s" - -#: themes/core/core-functions.php:35 -msgid "post_title" -msgstr "post_title" - -#: themes/core/core-functions.php:41 -#, php-format -msgid "%sRSS Feed%s" -msgstr "%RSS Feedak%s" - -#: themes/core/core-functions.php:47 -#, php-format -msgid "%sE-Mail%s" -msgstr "%sE-Mailak%s" - -#: themes/core/core-functions.php:54 -#, php-format -msgid "%sWarning%s" -msgstr "%Kasu!!%s" - -#: themes/core/core-functions.php:56 -msgid "Sorry, this theme is only meant for use with WordPress on certain smartphones." -msgstr "Itxura hau WordPressekin erabil daiteke zenbait smartphonetan " - -#: themes/core/core-functions.php:85 -#: themes/default/index.php:130 -#: themes/default/single.php:38 -msgid "Tags" -msgstr "Etiketak" - -#: themes/core/core-functions.php:89 -#: themes/default/index.php:129 -#: themes/default/single.php:37 -msgid "Categories" -msgstr "Kategoriak" - -#: themes/core/core-functions.php:124 -#, php-format -msgid "Search results › %s" -msgstr "Resultados de búsqueda › %s" - -#: themes/core/core-functions.php:126 -#, php-format -msgid "Categories › %s" -msgstr "Categorías › %s" - -#: themes/core/core-functions.php:128 -#, php-format -msgid "Tags › %s" -msgstr "Etiketak › %s" - -#: themes/core/core-functions.php:130 -#: themes/core/core-functions.php:132 -#: themes/core/core-functions.php:134 -#, php-format -msgid "Archives › %s" -msgstr "Artxiboa › %s" - -#: themes/core/core-functions.php:146 -msgid "No more entries to display." -msgstr "Ez dago beste sarrerarik." - -#: themes/core/core-functions.php:148 -msgid "No more search results to display." -msgstr "Ez dago bilaketaren emaitza gehiagorik" - -#: themes/core/core-functions.php:150 -msgid "No search results results found." -msgstr "Bilaketaren emaitzarik ez da aurkitu" - -#: themes/core/core-functions.php:150 -msgid "Try another query." -msgstr "Bilatu berriz" - -#: themes/core/core-functions.php:153 -msgid "404 Not Found" -msgstr "404 errorea- Ez dago hemen" - -#: themes/core/core-functions.php:154 -msgid "The page or post you were looking for is missing or has been removed." -msgstr "Ai,ai,ai... ez dago halakorik " - -#: themes/core/core-functions.php:163 -#: wptouch.php:589 -msgid "Mobile Theme" -msgstr "Mugikorrerako itxura" - -#: themes/core/core-functions.php:209 -msgid "edit" -msgstr "editatu" - -#: themes/core/core-functions.php:210 -msgid "del" -msgstr "ezabatu" - -#: themes/core/core-functions.php:211 -msgid "spam" -msgstr "spama" - -#: themes/default/comments.php:7 -msgid "This post is password protected. Enter the password to view comments." -msgstr "Sarrar hau babestua da. Iruzkintzeko giltza behar duzu." - -#: themes/default/comments.php:16 -msgid "<h3 onclick=\"bnc_showhide_coms_toggle();\" id=\"com-head\"><img id=\"com-arrow\" src=\"" -msgstr "<h3 onclick=\"bnc_showhide_coms_toggle();\" id=\"com-head\"><img id=\"com-arrow\" src=\"" - -#: themes/default/comments.php:16 -msgid "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />1 Comment</h3>" -msgstr "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />1 Comentario</h3>" - -#: themes/default/comments.php:16 -msgid "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />% Comments</h3>" -msgstr "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />% Comentarios</h3>" - -#: themes/default/comments.php:63 -msgid "Comments are closed." -msgstr "Ezin iruzkindu" - -#: themes/default/comments.php:73 -#, php-format -msgid "You must %slogin</a> or %sregister</a> to comment" -msgstr "Iruzkintzeko %sartu</a> edo %izena eman </a> behar duzu" - -#: themes/default/comments.php:81 -msgid "Success! Comment added." -msgstr "Iruzkina gehituta" - -#: themes/default/comments.php:82 -msgid "Refresh the page to see your comment." -msgstr "Oraikotu orria zeure iruzkina ikusteko ." - -#: themes/default/comments.php:83 -msgid "(If your comment requires moderation it will be added soon.)" -msgstr "(Zure iruzkina moderatu beharrekoa bada, aurki gehituko) " - -#: themes/default/comments.php:90 -msgid "Logged in as" -msgstr "Honela konektatua" - -#: themes/default/comments.php:94 -msgid "Leave A Comment" -msgstr "Iruzkina egin" - -#: themes/default/comments.php:97 -#: themes/default/header.php:153 -msgid "Name" -msgstr "Izena" - -#: themes/default/comments.php:102 -msgid "Mail (unpublished)" -msgstr "E-Posta (ez da argitaratuko)" - -#: themes/default/comments.php:107 -msgid "Website" -msgstr "Weba" - -#: themes/default/comments.php:111 -msgid "There was an error posting your comment. Maybe it was too short?" -msgstr "Ezin zure iruzkina jarri. Agian motzegia zen. " - -#: themes/default/comments.php:120 -msgid "Publishing..." -msgstr "Argitaratzen..." - -#: themes/default/footer.php:10 -msgid "Powered by" -msgstr "Honi esker:" - -#: themes/default/footer.php:10 -msgid "WordPress" -msgstr "WordPress" - -#: themes/default/footer.php:10 -msgid "+" -msgstr "+" - -#: themes/default/header.php:10 -msgid "Notice" -msgstr "Iragarpena" - -#: themes/default/header.php:11 -msgid "JavaScript for Mobile Safari is currently turned off." -msgstr "Mobile Safarirentzako JavaScript deskatibatua dago" - -#: themes/default/header.php:12 -msgid "Turn it on in " -msgstr "Indarra eman" - -#: themes/default/header.php:12 -msgid "Settings › Safari" -msgstr "Doikuntzak › Safari" - -#: themes/default/header.php:12 -msgid " to view this website." -msgstr " gune hau ikusteko" - -#: themes/default/header.php:18 -msgid "Your Push Notification was sent." -msgstr "Zure Push jakinarazpena bidali da." - -#: themes/default/header.php:20 -msgid "Your Push Notification cannot be delivered at this time." -msgstr "Zure Push jakinarazpena orain ezin bidali." - -#: themes/default/header.php:31 -#: themes/default/header.php:58 -msgid "Login" -msgstr "Sartu" - -#: themes/default/header.php:42 -#: themes/default/header.php:128 -msgid "Search" -msgstr "Bilatu" - -#: themes/default/header.php:43 -msgid "Search..." -msgstr "Bilatu..." - -#: themes/default/header.php:53 -msgid "Menu" -msgstr "Menua" - -#: themes/default/header.php:60 -msgid "My Account" -msgstr "Nire kontua" - -#: themes/default/header.php:88 -msgid "Enter your username and password<br />in the boxes above." -msgstr "Erabiltzailea eta giltza sartu<br />gaineko hutsuneetan" - -#: themes/default/header.php:93 -#, php-format -msgid "You can %ssign-up here%s." -msgstr "Hemen %seman izena%s." - -#: themes/default/header.php:98 -msgid "Admin" -msgstr "Admin" - -#: themes/default/header.php:101 -msgid "Register for this site" -msgstr "Leku honetan izena eman" - -#: themes/default/header.php:104 -msgid "Account Profile" -msgstr "Kontuaren profila" - -#: themes/default/header.php:105 -msgid "Logout" -msgstr "Eten" - -#: themes/default/header.php:132 -msgid "Message" -msgstr "Mezua" - -#: themes/default/header.php:136 -msgid "Twitter" -msgstr "Twitter" - -#: themes/default/header.php:140 -msgid "Tour Dates" -msgstr "Tour-en datak" - -#: themes/default/header.php:147 -msgid "Send a Message" -msgstr "Mezua bidali" - -#: themes/default/header.php:148 -msgid "This message will be pushed to the admin's iPhone instantly." -msgstr "Mezu hau administratzailearen iPhonera bidaliko da oraintxe " - -#: themes/default/header.php:158 -msgid "E-Mail" -msgstr "E-Posta" - -#: themes/default/header.php:164 -msgid "Send Now" -msgstr "Bidali oraintxe" - -#: themes/default/header.php:179 -msgid "Follow me on Twitter" -msgstr "Jarraitu Twitterren" - -#: themes/default/header.php:192 -msgid "No recent Tweets." -msgstr "Ez dago twitt berririk." - -#: themes/default/header.php:204 -msgid "Upcoming Tour Dates" -msgstr "Tour-en data hurbilak " - -#: themes/default/index.php:127 -msgid "Written on" -msgstr "Idatzia:" - -#: themes/default/index.php:128 -msgid "By" -msgstr "Honek" - -#: themes/default/index.php:135 -msgid "Read This Post" -msgstr "Irakurri sarrera hau" - -#: themes/default/index.php:146 -msgid "Load more entries..." -msgstr "Sarrera gehiago ireki..." - -#: themes/default/index.php:154 -msgid "Newer Entries" -msgstr "Azken sarrerak" - -#: themes/default/index.php:157 -msgid "Older Entries" -msgstr "Sarrera zaharragoak" - -#: themes/default/page.php:38 -msgid "Tag Cloud" -msgstr "Etiketa lainoa" - -#: themes/default/page.php:45 -msgid "Monthly Archives" -msgstr "Hileko artxiboa" - -#: themes/default/page.php:76 -msgid "Pages in this article: " -msgstr "Sarrera honen orrialdeak:" - -#: themes/default/single.php:7 -msgid "Permanent Link to " -msgstr "Etengabeko lotura" - -#: themes/default/single.php:13 -#: themes/default/single.php:15 -#: themes/default/single.php:19 -msgid "Skip to comments" -msgstr "Iruzkinetara" - -#: themes/default/single.php:17 -msgid "Leave a comment" -msgstr "Iruzkindu" - -#: themes/default/single.php:36 -msgid "Article Pages" -msgstr "Sarreren orrialdeak" - -#: themes/default/single.php:46 -msgid "Check out this post:" -msgstr "Irakurri:" - -#: themes/default/single.php:46 -msgid "Mail a link to this post?" -msgstr "¿Eposta bidali sarrera honen estekarekin?" - -#: themes/default/single.php:58 -msgid "Del.icio.us" -msgstr "Del.icio.us" - -#: themes/default/single.php:60 -msgid "Digg" -msgstr "Digg" - -#: themes/default/single.php:61 -msgid "Technorati" -msgstr "Technorati" - -#: themes/default/single.php:62 -msgid "Magnolia" -msgstr "Magnolia" - -#: themes/default/single.php:63 -msgid "Newsvine" -msgstr "Newsvine" - -#: themes/default/single.php:64 -msgid "Reddit" -msgstr "Reddit" - -#: wptouch.php:204 -msgid "Settings" -msgstr "Doikuntzak" - -#: wptouch.php:376 -msgid "New Ping/Trackback" -msgstr "Ping/Trackback berria" - -#: wptouch.php:382 -msgid "New Comment" -msgstr "Iruzkin berria" - -#: wptouch.php:410 -msgid "User Registration" -msgstr "Erabiltzaile-erregistroa" - -#: wptouch.php:454 -msgid "Direct Message" -msgstr "Mezu zuzena" - -#: wptouch.php:596 -msgid "WPtouch iPhone Theme" -msgstr "WPtouchentzat, Iphoneren itxura" - -#: wptouch.php:864 -msgid "Settings saved" -msgstr "Gordetako ajusteak" - -#: wptouch.php:869 -msgid "Defaults restored" -msgstr "Berezkoaz konfiguratua" - -#: wptouch.php:889 -msgid "Save Options" -msgstr "Aukerak gorde" - -#: wptouch.php:893 -msgid "Restore default WPtouch settings?" -msgstr "¿Besterik ezean berezko konfigurazioa ezarri?" - -#: wptouch.php:893 -msgid "Restore Defaults" -msgstr "Berrezarri" - -#. Plugin Name of a plugin/theme -msgid "WPtouch" -msgstr "WPtouch" - -#. Plugin URI of a plugin/theme -msgid "http://bravenewcode.com/products/wptouch" -msgstr "http://bravenewcode.com/products/wptouch" - -#. Description of a plugin/theme -msgid "A plugin which formats your site with a mobile theme for visitors on Apple <a href=\"http://www.apple.com/iphone/\">iPhone</a> / <a href=\"http://www.apple.com/ipodtouch/\">iPod touch</a>, <a href=\"http://www.android.com/\">Google Android</a>, <a href=\"http://www.blackberry.com/\">Blackberry Storm and Torch</a>, <a href=\"http://www.palm.com/us/products/phones/pre/\">Palm Pre</a> and other touch-based smartphones." -msgstr "Un plugin que formatea tu sitio con un tema para móviles para visitantes con <a href=\"http://www.apple.com/iphone/\">iPhone</a> / <a href=\"http://www.apple.com/ipodtouch/\">iPod touch</a> / <a href=\"http://www.apple.com/ipodtouch/\">iPod touch</a>, <a href=\"http://www.android.com/\">Google Android</a>, <a href=\"http://www.blackberry.com/\">Blackberry Storm and Torch</a>, <a href=\"http://www.palm.com/us/products/phones/pre/\">Palm Pre</a> y otros teléfonos inteligentes táctiles." - -#. Author of a plugin/theme -msgid "Dale Mugford & Duane Storey (BraveNewCode Inc.)" -msgstr "Dale Mugford & Duane Storey (BraveNewCode Inc.)" - -#. Author URI of a plugin/theme -msgid "http://www.bravenewcode.com" -msgstr "http://www.bravenewcode.com" - diff --git a/wp-content/plugins/wptouch/lang/src/fr_FR.po b/wp-content/plugins/wptouch/lang/src/fr_FR.po deleted file mode 100644 index 8d6317109b33f748d74dea84dfb3f9fa5fd4d8d4..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/lang/src/fr_FR.po +++ /dev/null @@ -1,1979 +0,0 @@ -msgid "" -msgstr "" -"Project-Id-Version: wptouch-fr_FR\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2011-03-13 06:05+0100\n" -"PO-Revision-Date: \n" -"Last-Translator: Maître Mô <postmaster@maitremo.fr>\n" -"Language-Team: Maître Mô <postmaster@maitremo.fr>\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"Plural-Forms: nplurals=2; plural=n != 1;\n" -"X-Poedit-Language: French\n" -"X-Poedit-Country: FRANCE\n" -"X-Poedit-SourceCharset: utf-8\n" -"X-Poedit-KeywordsList: _;_c;_e;__\n" -"X-Poedit-Basepath: .\n" -"X-Poedit-SearchPath-0: C:\\Documents and Settings\\JYM\\Bureau\\wptouch\n" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:215 -msgid "Settings" -msgstr "Réglages" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:392 -msgid "New Ping/Trackback" -msgstr "Nouveau Ping/Trackback" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:398 -msgid "New Comment" -msgstr "Nouveau Commentaire" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:426 -msgid "User Registration" -msgstr "Enregistrement des Utilisateurs" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:470 -msgid "Direct Message" -msgstr "Message Direct" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:605 -msgid "Mobile Theme" -msgstr "Théme du Mobile" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:612 -msgid "WPtouch iPhone Theme" -msgstr "Theme iPhonel WPtouch" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:913 -msgid "Settings saved" -msgstr "Réglages sauvegardés" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:918 -msgid "Defaults restored" -msgstr "Réglages par défaut restaurés" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:939 -msgid "Save Options" -msgstr "Sauvegarder les Options" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:943 -msgid "Restore default WPtouch settings?" -msgstr "Restaurer les paramètres par défaut WPtouch ?" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/wptouch.php:943 -msgid "Restore Defaults" -msgstr "Restaurer Paramètres par Défaut" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/ajax/file_upload.php:24 -msgid "<p style=\"color:red; padding-top:10px\">There seems to have been an error.<p>Please try your upload again.</p>" -msgstr "<p style=\"color:red; padding-top:10px\">Il semble y avoir eu une erreur.<p>Merci d'essayer à nouveau votre téléchargement.</p>" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/ajax/file_upload.php:26 -msgid "<p style=\"color:green; padding-top:10px\">File has been saved and added to the pool.</p>" -msgstr "<p style=\"color:green; padding-top:10px\">Le fichier a été sauvegardé et ajouté au groupe.</p>" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/ajax/file_upload.php:29 -msgid "<p style=\"color:orange; padding-top:10px\">Sorry, only PNG, GIF and JPG images are supported.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Désolé, seules les images PNG, GIF et JPG sont admises.</p>" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/ajax/file_upload.php:31 -msgid "<p style=\"color:orange; padding-top:10px\">Image too large. try something like 59x60.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Image trop grande. Essayez quelque chose comme 59x60.</p>" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/ajax/file_upload.php:33 -msgid "<p style=\"color:orange; padding-top:10px\">Insufficient privileges.</p><p>You need to either be an admin or have more control over your server.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">Droits insuffisants.</p><p>Vous devez soit, être Administrateur, soit avoir plus de contrôle de votre serveur.</p>" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/ajax/news.php:16 -#: Settings\JYM\Bureau\wptouch/ajax/support.php:16 -#: Settings\JYM\Bureau\wptouch/ajax/support.php:28 -msgid "<li class=\"ajax-error\">No feed items found to display.</li>" -msgstr "<li class=\"ajax-error\">Aucune occurence de flux trouvée à afficher.</li>" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/ajax/news.php:28 -msgid " <li class=\"ajax-error\">No feed items found to display.</li>" -msgstr "<li class=\"ajax-error\">Aucune occurence de flux trouvée à afficher.</li>" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:5 -msgid "Adsense, Stats & Custom Code" -msgstr "Adsense, Stat & Code Personalisé" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:8 -msgid "Adsense" -msgstr "Adsense" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:9 -msgid "Enter your Google AdSense ID if you'd like to support mobile advertising in WPtouch posts." -msgstr "Entrez votre ID Google Adsense si vous souhaitez conserver de la publicité dans vos articles WPtouch" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:10 -msgid "Make sure to include the 'pub-' part of your ID string." -msgstr "Assurez-vous d'inclure la partie 'pub-' dans votre code d'ID" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:12 -msgid "Stats & Custom Code" -msgstr "Stat & Code Personnalisé" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:13 -msgid "If you'd like to capture traffic statistics " -msgstr "Si vous souhaitez attraper les statistiques de fréquentation" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:13 -msgid "(Google Analytics, MINT, etc.)" -msgstr "(Google Analytics, MINT, etc...)" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:14 -msgid "Enter the code snippet(s) for your statistics tracking." -msgstr "Entrez la ou les lignes de code pour votre traqueur de statistiques." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:14 -msgid "You can also enter custom CSS & other HTML code." -msgstr "Vous pouvez aussi saisir un CSS personnalisé & autre code HTML." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:16 -#: Settings\JYM\Bureau\wptouch/html/advanced-area.php:22 -#: Settings\JYM\Bureau\wptouch/html/advanced-area.php:31 -#: Settings\JYM\Bureau\wptouch/html/advanced-area.php:40 -#: Settings\JYM\Bureau\wptouch/html/advanced-area.php:49 -#: Settings\JYM\Bureau\wptouch/html/advanced-area.php:60 -#: Settings\JYM\Bureau\wptouch/html/advanced-area.php:68 -#: Settings\JYM\Bureau\wptouch/html/advanced-area.php:76 -#: Settings\JYM\Bureau\wptouch/html/advanced-area.php:86 -#: Settings\JYM\Bureau\wptouch/html/advanced-area.php:100 -#: Settings\JYM\Bureau\wptouch/html/advanced-area.php:109 -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:100 -#: Settings\JYM\Bureau\wptouch/html/page-area.php:31 -#: Settings\JYM\Bureau\wptouch/html/push-area.php:17 -#: Settings\JYM\Bureau\wptouch/html/push-area.php:49 -msgid "More Info" -msgstr "Plus d'Information" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:17 -msgid "You may enter a custom css file link easily. Simply add the full link to the css file like this:" -msgstr "Vous pouvez facilement entrer un lien de fichier CSS personnalisé. Ajoutez simplement le lien complet du fichier CSS ainsi :" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:18 -msgid "<code><link rel="stylesheet" src="http://path-to-my-css-file" type="text/css" media="screen" /></code>" -msgstr "<code><link rel="stylesheet" src="http://path-to-my-css-file" type="text/css" media="screen" /></code>" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:25 -msgid "Google AdSense ID" -msgstr "ID Google AdSense" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/ads-stats-area.php:26 -msgid "Google AdSense Channel" -msgstr "Chaîne Google AdSense" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:5 -msgid "Advanced Options" -msgstr "Options Avancées" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:8 -msgid "Choose to enable/disable advanced features & options available for WPtouch." -msgstr "Choisissez d'activer/désactiver les réglages & options valables pour WPtouch." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:9 -msgid "* WPtouch Restricted Mode attempts to fix issues where other plugins load scripts which interfere with WPtouch CSS and JavaScript." -msgstr "* Le Mode Restreint WPtouch est sensé régler les problèmes lorsque d'autres extensions chargent des scripts qui interfèrent avec le CSS et le Javascript de WPtouch." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:11 -msgid "Custom User-Agents" -msgstr "Applications Personnalisées" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:12 -msgid "Enter a comma-separated list of user-agents to enable WPtouch for a device that isn't currently officially supported." -msgstr "Saisissez une liste, séparée par des virgules, d'applications, pour activer WPtouch pour des outils qui ne sont pas actuellement officiellement supportés. " - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:13 -#, php-format -msgid "The currently enabled user-agents are: <em class='supported'>%s</em>" -msgstr "Les applications actuellement activées sont : <em class='supported'>%s</em>" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:20 -msgid "Enable Categories tab in the header" -msgstr "Activer un onglet des Catégories dans le header" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:23 -msgid "This will add a 'Categories' tab item in the WPtouch drop-down." -msgstr "Ceci ajoutera un onglet 'Catégories' dans le menu déroulant WPtouch." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:24 -msgid "It will display a list of your popular categories." -msgstr "Il affichera une liste de vos catégories les plus populaires." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:29 -msgid "Enable Tags tab in the header" -msgstr "Activer un onlget des Tags dans le header" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:32 -msgid "This will add a 'Tags' tab item in the WPtouch drop-down." -msgstr "Ceci ajoutera un onlget 'Tags' dans le menu déroulant WPtouch." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:33 -msgid "It will display a list of your popular tags." -msgstr "Il affichera une liste de vos tags les plus populaires." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:38 -msgid "Enable Search link in the header" -msgstr "Activer un lien de Recherhce dans le header" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:41 -msgid "This will add a 'Search' item in the WPtouch sub header." -msgstr "Ceci ajoutera un item 'Recherche' dans le header supérieur WPtouch." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:42 -msgid "It will display an overlay on the title area allowing users to search your website." -msgstr "Il affichera un surlignement dans la zone de titre permettant aux utilisateurs de faire une recherche sur votre site." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:47 -msgid "Enable Login/My Account tab in the header" -msgstr "Activer un onglet Login/Mon Compte dans le header" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:50 -msgid "This will add a 'Login' tab in the WPtouch sub header beside the Tags and Categories tabs if they are also enabled." -msgstr "Ceci ajoutera un nolget 'Login' dans le header supérieur WPtouch, à côté des onglets Catégorie et Tags s'ils sont aussi activés." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:51 -msgid "It will display a username/password drop-down, allowing users to login plus be automatically re-directed back to the page they logged in from without seeing the WP admin." -msgstr "Il affichera un menu déroulant Utilisateur/Mot de passe, autorisant les utilisateurs à s'enregistrer, en plus d'être redirigés automatiquement sur la page sur laquelle ils s'étaient connectés, sans voir l'administration de WP." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:52 -msgid "Once logged in, a new 'My Account' button will appear. The 'My Account' button shows useful links depending on the type of account (subscriber, admin, etc.)." -msgstr "Une fois connecté, un nouveau bouton \"Mon Compte\" apparaîtra. Ce bouton affiche les liens utiles relatifs au type de compte (Administrateur, Editeur, etc...)." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:53 -msgid "NOTE: The Account tab/links will always appear if you have enabled registration on your site or require users to login for comments." -msgstr "NOTE : Le Compte table/liens s'affichera toujours si vous avez activé l'enregistrement sur votre site, ou demandez à vos visiteurs de se loguer pour poster un commentaire." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:58 -msgid "Display Upcoming Dates link in the header (requires <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> or higher)" -msgstr "Afficher le lien Dates à Venir dans le header (nécessite <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> ou plus)" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:61 -msgid "When this option is checked and the GigPress plugin is installed, a list of your Upcoming Shows will be viewable from a drop-down in the WPtouch header." -msgstr "Quand cette option est activée et l'extension GigPress installée, une liste de vos Prochaines Manifestations pourra être vue dans un menu déroulant du header WPtouch." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:66 -msgid "Display Twitter link in the header (requires <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> or higher)" -msgstr "Affiche un lien Twitter dans le header (nécessite <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> ou plus)" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:69 -msgid "When this option is checked and the WordTwit plugin is installed, a list of your Tweets will be viewable from a drop-down in the WPtouch header." -msgstr "Quand cette option est activée et l'extension WordTwit installée, une liste de vos Tweets pourra être vue dans un menu déroulant du header WPtouch." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:74 -msgid "Enable comments on posts" -msgstr "Activer les commentaires sur les articles" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:77 -msgid "If unchecked, this will hide all commenting features on posts and blog listings." -msgstr "Si non cochée, ceci masquera toutes les options de commentaires dans les articles et les listes du blog." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:84 -msgid "Enable comments on pages" -msgstr "Activer les commentaires pour les pages" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:87 -msgid "This will add the comment form to all pages with 'Allow Comments' checked in your WordPress admin." -msgstr "Ceci activera le formulaire de commentaires pour toutes les pages dont l'option 'Autoriser les Commentaires' est cochée dans votre administration WordPress." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:93 -msgid "Enable gravatars in comments" -msgstr "Activer les gravatars dans les commentaires" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:98 -#, php-format -msgid "1%sst%s visit mobile users will see desktop theme" -msgstr "1%sst%s utilisateurs vous visitant via un mobile verront le thème du tableau de bord" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:101 -msgid "When this option is checked, users will see your regular site theme first, and have the option in your footer to switch to the WPtouch mobile view." -msgstr "Si cette option est cochée, les utilisateurs verront d'abord votre thème habituel, et auront l'option, dans votre footer, de swicher vers l'affichage WPtouch pour mobile." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:102 -msgid "They'll be able to change back and forth either way. Make sure you have the wp_footer(); function call in your regular theme's footer.php file for the switch link to work properly." -msgstr "Ils pourront revenir en arrière ou modifier à nouveau. Assurez vous que le fichier footer.php de votre thème normal dispose bien d'un 'appel de la fonction wp_footer() pour que le swich fonctionne proprement." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:107 -msgid "Enable WPtouch Restricted Mode" -msgstr "Active le Mode Restreint WPtouch" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:110 -msgid "Disallow other plugins from loading into scripts into WPtouch's header and footer." -msgstr "Interdit aux autres extensions de se charger dans les scripts contenus dans les en-tête et pied de page WPtouch. " - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:111 -msgid "Sometimes fixes incompatibilities and speeds up WPtouch." -msgstr "Régle parfois les incompatibilités, et accélère WPtouch. " - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:112 -msgid "Some plugins load conflicting javascript, extra CSS style sheets, and other functional code into your theme to accomplish what they add to your site. As WPtouch works complete on its own without any other plugin installed, in some cases (where you have several plugins or find something doesn't work right with WPtouch) you may want to enable Restricted Mode to ensure that WPtouch works properly, and loads quickly for mobile users." -msgstr "Certaines extensions chargent des javascripts, feuilles de styles spéciales, ou autres codes de fonctions, dans votre thème, pour réaliser ce qu'ils apportent à votre site. Dans la mesure où WPtouch fonctionne de façon totalement autonome, sans aucune autre extension installée, dans certains cas (quand vous avez beaucoup d'extensions, ou que vous trouvez que quelque chose ne fonctionne pas correctement avec WPtouch), vous pourrez souhaiter activer le Mode Restreint, pour être certain que WPtouch fonctionne proprement, et se charge rapidement pour les utilisateurs de mobile. " - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:117 -msgid "Custom user-agents" -msgstr "Applications personnalisées" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/advanced-area.php:119 -msgid "After changing the user-agents, please visit the WP Super Cache admin page and update your rewrite rules." -msgstr "Après un changement d'identifiants, merci de visiter la page d'administration de WP Super Cache et de mettre à jour vos règles de réécriture." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:5 -msgid "General Settings" -msgstr "Réglages Généraux" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:8 -msgid "Regionalization Settings" -msgstr "Réglages Régionaux" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:9 -msgid "Select the language you would like WPtouch to appear in. Custom language .mo files should be placed in wp-content/wptouch/lang." -msgstr "Sélectionnez le language dans lequel vous souhaitez voir s'afficher WPTouch. Les fichiers .mo de langages personnalisés doivent être placés dans wp-content/wptouch/lang." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:11 -msgid "Home Page Re-Direction" -msgstr "Redirection de la Page d'Accueil" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:12 -#, php-format -msgid "WPtouch by default follows your %sWordPress » Reading Options%s. You can also set a different one for WPtouch." -msgstr "Par défaut, WPtouch suit vos %sWordPress » Options de Lecture%s. Vous pouvez aussi en sélectionner une autre pour WPtouch." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:14 -msgid "Site Title" -msgstr "Tite du Site" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:15 -msgid "You can shorten your site title here so it won't be truncated by WPtouch." -msgstr "Vous pouvez raccourcir votre titre de site ici, de façon qu'il ne soit pas tronqué par WPtouch." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:17 -msgid "Excluded Categories" -msgstr "Catégories Exclues" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:18 -msgid "Choose categories you want excluded from the main post listings in WPtouch." -msgstr "Choisissez les catégories que vous voulez exclure de la liste principale de vos articles dans WPtouch." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:20 -msgid "Text Justification Options" -msgstr "Options d'Alignement de Texte" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:21 -msgid "Set the alignment for text." -msgstr "Réglage de l'alignement du texte." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:24 -msgid "Post Listings Options" -msgstr "Options des Listes d'Articles" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:25 -msgid "Choose between calendar Icons, post thumbnails (WP 2.9) or none for your post listings." -msgstr "Choisissez entre Icônes de Calendrier, Imagettes d'Articles (WP 2.9) ou rien pour vos listes d'articles." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:26 -msgid "Select which meta items are shown below titles on main, search, & archives pages." -msgstr "Sélectionner quelles méta-données sont affichées dans les pages principale, de recherche, & d'archives." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:27 -msgid "Also, choose if excerpts are shown/hidden (default is hidden)." -msgstr "Egalement, choisissez si les extraits seront affichés/cachés (Cachés, par défaut)." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:29 -msgid "Footer Message" -msgstr "Message de Pied-De-Page" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:30 -msgid "Customize the default footer message shown in WPtouch here." -msgstr "Modifiez le message par défaut du pied-de-page affiché dans WPTouch ici." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:34 -msgid "WPtouch Language" -msgstr "Langue de WPtouch" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:38 -msgid "Automatically detected" -msgstr "Détecté automatiquement" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:56 -msgid "WPtouch Home Page" -msgstr "Page d'Accueil WPtouch" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:61 -#: Settings\JYM\Bureau\wptouch/html/page-area.php:63 -msgid "You have no pages yet. Create some first!" -msgstr "Vous n'avez aucun page encore. Créez-en une avant tout !" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:67 -msgid "Site title text" -msgstr "Texte du titre du Site" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:73 -msgid "Comma list of Category IDs, eg: 1,2,3" -msgstr "Liste, avec virgules, des ID des Catégories, par ex : 1.2.3" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:74 -msgid "Comma list of Tag IDs, eg: 1,2,3" -msgstr "Liste, avec virgules, des ID des Tags, par ex : 1.2.3" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:82 -msgid "Left" -msgstr "Gauche" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:83 -msgid "Full" -msgstr "Pleine page" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:85 -msgid "Font justification" -msgstr "Justification de la police" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:93 -msgid "Calendar Icons" -msgstr "Icônes de CalendirerIcônes de Calendrier" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:94 -msgid "Post Thumbnails / Featured Images" -msgstr "Imagettes des Articles/Images Mises en avant" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:95 -msgid "Post Thumbnails / Featured Images (Random)" -msgstr "Imagettes des Articles/Images Mises en avant (au hasard)" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:96 -msgid "No Icon or Thumbnail" -msgstr "Pas d'icône ou d'Imagette" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:98 -msgid "Post Listings Display" -msgstr "Affichage des Listes d'Articles" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:98 -msgid "Thumbnails Requires WordPress 2.9+" -msgstr "Les Imagettes nécessitent WordPress 2.9 ou plus" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:101 -msgid "This will change the display of blog and post listings between Calendar Icons view and Post Thumbnails view." -msgstr "Ceci modifiera l'affichage du blog et celui des listes d'articles, visibles entre les Icônes de Calendrier et les Imagettes d'articles. " - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:102 -msgid "The <em>Post Thumbnails w/ Random</em> option will fill missing post thumbnails with random abstract images. (WP 2.9+)" -msgstr "L'option <em>Imagettes des Articles au Hasard</em> remplacera les imagettes manquantes par des images abstraites au hasard (WP 2.9 et plus)." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:109 -msgid "Enable Truncated Titles" -msgstr "Activer les Titres Tronqués" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:109 -msgid "Will use ellipses when titles are too long instead of wrapping them" -msgstr "Utilisera des élipses pour les titres trop longs au lieu de les couper" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:113 -msgid "Show Author's Name" -msgstr "Afficher le Nom de l'Auteur" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:117 -msgid "Show Categories" -msgstr "Afficher les Catégories" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:121 -msgid "Show Tags" -msgstr "Afficher les Tags" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:125 -msgid "Hide Excerpts" -msgstr "Cacher les Extraits" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/html/general-settings-area.php:129 -msgid "Footer message" -msgstr "Message de pied-de-page" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/head-area.php:13 -#, php-format -msgid "%sGet WPtouch Pro%s" -msgstr "%sObtenez WPtouch Pro%s" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/head-area.php:14 -#, php-format -msgid "%sJoin our FREE WPtouch Pro Affiliate Program%s" -msgstr "%sRejoignez notre Programme GRATUIT d'Abonnement WPtouch Pro%s" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/head-area.php:15 -#, php-format -msgid "%sFollow Us on Twitter%s" -msgstr "%sSuivez-nous sur Twitter%s" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/head-area.php:24 -msgid "WPtouch Wire" -msgstr "Liens WPtouch" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/head-area.php:33 -msgid "Find Out More ››" -msgstr "Trouvez Plus ››" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:24 -msgid "Default & Custom Icon Pool" -msgstr "Groupe d'Icônes par Défaut & Personnalisées" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:27 -msgid "Adding Icons" -msgstr "Ajouter des Icônes" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:28 -msgid "To add icons to the pool, simply upload a .png, .jpeg or .gif image from your computer." -msgstr "Pour ajouter des icônes au groupe, il vous suffit de télécharger une image .png, .jpeg ou .gif depuis votre ordinateur." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:30 -#, php-format -msgid "Default icons generously provided by %sMarcelo Marfil%s." -msgstr "Les icônes par défaut sont généreusement fournies par %sMarcelo Marfil%s." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:32 -msgid "Logo/Bookmark Icons" -msgstr "Icônes de Logo/Marque-page" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:33 -msgid "If you're adding a logo icon, the best dimensions for it are 59x60px (png) when used as a bookmark icon." -msgstr "Si vous ajoutez une icône de logo, les meilleurs dimensions pour elle sont 59x60px (png), quand elle est utilisée comme icône de marque-page." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:34 -#, php-format -msgid "Need help? You can use %sthis easy online icon generator%s to make one." -msgstr "Besoin d'aide ? Vouss pouvez utiliser %sce générateur facile d'icônes en ligne%s pour en faire une." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:35 -msgid "These files will be stored in this folder we create: .../wp-content/uploads/wptouch/custom-icons" -msgstr "Ces fichiers seront stockès dans ce dossier que nous créons :.../wp-content/uploads/wptouch/custom-icons" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:36 -msgid "If an upload fails (usually it's a permission problem) check your wp-content path settings in WordPress' Miscellaneous Settings, or create the folder yourself using FTP and try again." -msgstr "Si un téléchargement échoue (souvent c'est un problème de permission), vérifiez vos réglages de droits du dossier wp-content dans les Réglages Divers de WordPress, ou créez vous-même le dossier en utilisant votre FTP, et essayez à nouveau." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:38 -msgid "Upload Icon" -msgstr "Chargement de l'Icône..." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/icon-area.php:42 -msgid "Uploading..." -msgstr "Chargement..." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:5 -msgid "Logo Icon // Menu Items & Pages Icons" -msgstr "Icône de Logo// Icônes de Menu, de Discussion amp; de Pages" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:8 -msgid "Logo / Home Screen Icon <br />& Default Menu Items" -msgstr "Logo/Icône d'Ecran d'Accueil <br />&; Menu de discussion par défaut" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:9 -#, php-format -msgid "If you do not want your logo to have the glossy effect added to it, make sure you select %sEnable Flat Bookmark Icon%s" -msgstr "Si vous ne voulez pas que votre logo se voie affecter un effet \"brillant\", assurez-vous de sélectionner %sActiver l'icône \"plate\" de marque-page%s" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:10 -msgid "Choose the logo displayed in the header (also your bookmark icon), and the pages you want included in the WPtouch drop-down menu." -msgstr "Choisissez le logo affiché dans le header (qui sera aussi votre icône de marque-page), et les pages que vous voulez inclure dans le menu déroulant WPtouch." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:11 -msgid "Remember, only those checked will be shown." -msgstr "Souvenez-vous, les seules qui seront affichées sont celles qui sont cochées." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:12 -msgid "Enable/Disable default items in the WPtouch site menu." -msgstr "Activer/désactiver les discussions par défaut dans le menu du site WPtouch" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:14 -msgid "Pages + Icons" -msgstr "Pages + Icônes" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:15 -msgid "Next, select the icons from the lists that you want to pair with each page menu item." -msgstr "Ensuite, sélectionnez parmis les icônes dans les listes celles que vous voulez coupler avec chaque élément du menu des pages." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:16 -msgid "You can also decide if pages are listed by the page order (ID) in WordPress, or by name (default)." -msgstr "Vous pouvez également décider si les pages seront listées dans l'ordre de WordPress (par ID), ou par noms (par défaut)." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:24 -msgid "Logo & Home Screen Bookmark Icon" -msgstr "Icônes de Logo & d'Ecran d'Accueil Marque-page" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:29 -msgid "Enable Flat Bookmark Icon" -msgstr "Activer l'icône \"plate\" de marque-page" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:32 -msgid "The default applies for iPhone/iPod touch applies a glossy effect to the home-screen bookmark/logo icon you select." -msgstr "Le réglage par défaut pour les iPhone/iPods applique un effet brillant aux icônes d'écran d'accueil de marque-page/de logo que vous choisissez." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:33 -msgid "When checked your icon will not have the glossy effect automatically applied to it." -msgstr "Une fois vérifiée, votre icône ne se verra pas automatiquement appliquer d'effet brillant. " - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:36 -msgid "Enable Home Menu Item" -msgstr "Activer l'Elément du Menu d'Accueil " - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:37 -msgid "Enable RSS Menu Item" -msgstr "Activer l'Elément du Menu RSS" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:38 -msgid "Enable Email Menu Item" -msgstr "Activer l'Elèment du Menu Email" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:38 -msgid "Uses default WordPress admin e-mail" -msgstr "Utilise l'administration email par défaut de WordPress" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:43 -msgid "By Name" -msgstr "Par Noms" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:44 -msgid "By Page ID" -msgstr "Par ID de page" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/page-area.php:46 -msgid "Menu List Sort Order" -msgstr "Ordre de Tri du Menu de Liste " - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:7 -msgid "Plugin Support & Compatibility" -msgstr "Support de l'Extension & Compatibilité" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:13 -msgid "WordPress version: " -msgstr "Version WordPress :" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:16 -#, php-format -msgid "WPtouch %s support: " -msgstr "WPtouch %s support: " - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:18 -#, php-format -msgid "%sUnverified%s" -msgstr "%Non Vérifié%s" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:20 -#, php-format -msgid "%sSupported%s" -msgstr "%sSupporté%s" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:22 -#, php-format -msgid "%sUnsupported. Upgrade Required.%s" -msgstr "%Non Supporté. Mise à jour requise.%s" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:27 -msgid "Here you'll find information on plugin compatibility." -msgstr "Ici vous trouverez des informations sur la compatibilité de l'extension." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:32 -msgid "Known Plugin Support & Conflicts" -msgstr "Support des Extensions connues & Conflits" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:36 -#, php-format -msgid "%sPeter's Custom Anti-Spam%s is fully supported." -msgstr "%sPeter's Custom Anti-Spam%s est pleinement supporté." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:41 -#, php-format -msgid "%sWP Spam Free%s is fully supported." -msgstr "%sWP Spam Free%s est pleinement supporté." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:46 -#, php-format -msgid "%sFlickrRSS%s: Your photos will automatically show on a page with the slug \"photos\" if you have it. Fully supported." -msgstr "%sFlickrRSS%s : vos photos seront automatiquement affichées dans une page avec l'étiquette \"photos\" si vous en avez une. Pleinement supporté." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:51 -#, php-format -msgid "WP Cache is supported, but requires configuration. %sFollow this video tutorial%s for more information." -msgstr "WP Cache est supporté, mais nécessite une configuration. %sSuivez ce tutoriel vidéo%s pour plus d'information." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:56 -#, php-format -msgid "WP Super Cache is supported, but requires configuration. %sFollow this video tutorial%s for more information." -msgstr "WP Super Cache est supporté, mais nécessite une configuration. %sSuivez ce tutoriel vidéo%s pour plus d'information." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:61 -#, php-format -msgid "W3 Total Cache is supported, but requires configuration. %sFollow this video tutorial%s for more information." -msgstr "W3 Total Cache est supporté, mais nécessite une configuration. %sSuivez ce tutoriel vidéo%s pour plus d'information." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:66 -#, php-format -msgid "%sWP CSS%s is supported, but does\tnot compress WPtouch's CSS. WPtouch files are pre-optimized for mobile devices already." -msgstr "%sWP CSS%s est supporté, mais ne compresse pas le CSS de WPtouch. Les fichiers WPtouch sont déjà pré-optimisés pour les appareils mobiles." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:71 -#, php-format -msgid "%sShare This%s is supported, but requires the WPtouch setting \"Enable Restrictive Mode\" turned on to work properly." -msgstr "%sShare This%s est supporté, mais nécessite que le réglage WPtouch \"Activer le Mode Restreint\" soit en fonction pour fonctionner proprement." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:76 -#, php-format -msgid "WordPress Admin Bar requires additional configuration to work with WPtouch. %sFollow this comment%s on the developer's official site." -msgstr "WordPress Admin Bar nécessite une configuration additionnelle pour fonctionner avec WPtouch. %sSuivez ce commentaire%s sur le site officiel de son dévelopeur." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:81 -#, php-format -msgid "%sWP Simple Captcha%s is not currently supported." -msgstr "%sWP Simple Captcha%s n'est pas encore supporté." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:86 -#, php-format -msgid "%sNextGEN Gallery%s is not currently supported." -msgstr "%sNextGEN Gallery%s n'est pas encore supporté." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:91 -#, php-format -msgid "%sYet another ajax paged comments%s (YAAPC) is not currently supported. WPtouch uses its own ajaxed comments. WPtouch Pro supports WP 2.7+ comments out-of-the-box." -msgstr "%sYet another ajax paged comments%s (YAAPC) n'est pas encore supporté. WPtouch utilises ses propres commentaires en Ajax. WPtouch Pro supporte les commentaires WP 2.7+ hors formulaire." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/plugin-compat-area.php:96 -#, php-format -msgid "%sLightview Plus%s is not currently supported. Images may not open in a viewer or separate page." -msgstr "%sLightview Plus%s n'est pas encore supporté. Les images risquent de ne pas s'ouvrir dans une visionneuse ou une page séparée." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:4 -msgid "Push Notification Options" -msgstr "Options de la Notification Push" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:7 -#, php-format -msgid "Here you can configure WPtouch to push selected notifications through your %sProwl%s account to your iPhone, iPod touch and Growl-enabled Mac or PC." -msgstr "Ici, vous pouvez configurer WPtouch pour \"pousser\" les notifications sélectionnées depuis votre compte %sProwl%s sur vos iPhone, iPod touch ou Mac ou PC avec Growl activé." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:8 -#, php-format -msgid "%sMake sure you generate a Prowl API key to use here%s otherwise no notifications will be pushed to you." -msgstr "%sAssurez-vous de générer une clé API Prowl à utiliser ici, %s faute de quoi aucune notification ne vous sera transmise." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:15 -msgid "Prowl API Key" -msgstr "Clé API de Prowl" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:15 -#, php-format -msgid "%sCreate a key now%s" -msgstr "%sCréez une clé maintenant%s" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:18 -msgid "In order to enable Prowl notifications, you must create a Prowl account, and download/configure the Prowl application for iPhone." -msgstr "Pour activer les notifications Prowl, vous devez créer un compte Prowl, et télécharger/configurer l'application Prowl pour iPhone." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:19 -msgid "Next, visit the Prowl website and generate your API key, which we use to connect securely and send your notifications." -msgstr "Ensuite, visitez le site web Prowl et générez votre clé API, que nous utiliserons pour vous connecter en toute sécurité et envoyer vos notifications. " - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:21 -#, php-format -msgid "%sVisit the Prowl Website%s" -msgstr "%sVisitez le Site Prowl%s" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:21 -#, php-format -msgid "%sVisit iTunes to Download Prowl%s" -msgstr "%sVisitez iTunes pour télécharger Prowl%s" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:25 -msgid "Your Prowl API key has been verified." -msgstr "Votre Clé API Prowl a été vérifiée." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:28 -msgid "Sorry, your Prowl API key is not verified." -msgstr "Désolé, votre Clé API Prowl n'est pas vérifiée." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:29 -msgid "Please check your key and make sure there are no spaces or extra characters." -msgstr "Merci de vérifier votre clé et de vous assurer qu'elle ne comporte ni espace, ni caractère spécial." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:39 -msgid "Notify me of new comments & pingbacks/tracksbacks" -msgstr "Me notifier les commentaires & pings/trackbacks" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:43 -msgid "Notify me of new account registrations" -msgstr "Me notifier les enregistrements de nouveaux comptes" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:47 -msgid "Allow users to send me direct messages" -msgstr "Autoriser les utilisateurs à ml'adresser des messages directs" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:50 -msgid "This enables a new link to a drop-down in the submenu bar for WPtouch ('Message Me')." -msgstr "Ceci active un nouveau lien dans un menu déroulant dans la barre de sous-menu de WPtouch ('Contactez-moi')." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:51 -msgid "When opened, a form is shown for users to fill in. The name, e-mail address, and message area is shown. Thier IP will also be sent to you, in case you want to ban it in the WordPress admin." -msgstr "Lorsqu'ouvert, un formulaire s'affiche, et peut être rempli par les utilisateurs. Les champs de Nom, Adresse mail et Message sont affichées. L'IP du tiers vous sera également adressée, pour le cas où vous souhaiteriez l'exclure dans l'adminisitration de WordPress." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/push-area.php:55 -#, php-format -msgid "%sCURL is required%s on your webserver to use Push capabilities in WPtouch." -msgstr "%sCURL est requise%s sur votre serveur web pour utiliser les capacités de Push dans WPtouch." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:5 -msgid "Style & Color Options" -msgstr "Options de Style & de Couleur" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:8 -msgid "Here you can customize some of the more visible features of WPtouch." -msgstr "Ici, vous pouvez configurer certains des éléments les plus visibles de WPtouch." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:17 -msgid "The default WPtouch theme emulates a native iPhone application." -msgstr "Le thème par défaut de WPtouch met en oeuvre une application native iPhone." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:21 -msgid "Classic" -msgstr "Classique" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:24 -msgid "Horizontal Grey" -msgstr "Gris Horizontal" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:27 -msgid "Diagonal Grey" -msgstr "Gris en Diagonale" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:30 -msgid "Skated Concrete" -msgstr "Skated Concrete" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:33 -msgid "Argyle Tie" -msgstr "Argyle Tie" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:36 -msgid "Thatches" -msgstr "Thatches" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:39 -msgid "Background" -msgstr "Fond" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:43 -msgid "Helvetica Neue" -msgstr "Helvetica Neue" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:46 -msgid "Helvetica" -msgstr "Helvetica" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:49 -msgid "Thonburi" -msgstr "Thonburi" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:52 -msgid "Georgia" -msgstr "Georgia" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:55 -msgid "Geeza Pro" -msgstr "Geeza Pro" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:58 -msgid "Verdana" -msgstr "Verdana" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:61 -msgid "Arial Rounded MT Bold" -msgstr "Arial Rounded MT Bold" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:64 -msgid "Post Title H2 Font" -msgstr "Police du Titre H2 des articles" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:66 -msgid "Title text color" -msgstr "Couleur du texte du titre" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:67 -msgid "Header background color" -msgstr "Couleur de fond du header" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:68 -msgid "Sub-header background color" -msgstr "Couleur de fond du header supérieur" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/html/style-area.php:69 -msgid "Site-wide links color" -msgstr "Couleur des liens latéraux" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/include/submit.php:7 -msgid "Nonce Failure" -msgstr "Erreur d'énoncé" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/include/submit.php:12 -msgid "Security failure. Please log in again." -msgstr "Erreur de Sécurité. Merci de vous identifier à nouveau." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:22 -#, php-format -msgid "%sHome%s" -msgstr "%sAccueil%s" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:41 -#, php-format -msgid "%sRSS Feed%s" -msgstr "%sFlux RSS%s" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:47 -#, php-format -msgid "%sE-Mail%s" -msgstr "%sEMail%s" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:54 -#, php-format -msgid "%sWarning%s" -msgstr "%sAvertissement%s" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:56 -msgid "Sorry, this theme is only meant for use on touch smartphones." -msgstr "Désolé, ce thème est seulement destiné à être utilisé avec des smartphones tactiles." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:89 -#: Settings\JYM\Bureau\wptouch/themes/default/index.php:109 -#: Settings\JYM\Bureau\wptouch/themes/default/single.php:33 -msgid "Tags" -msgstr "Tags" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:93 -#: Settings\JYM\Bureau\wptouch/themes/default/index.php:108 -#: Settings\JYM\Bureau\wptouch/themes/default/single.php:32 -msgid "Categories" -msgstr "Catégories" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:130 -#, php-format -msgid "Search results › %s" -msgstr "Résultats de recherche › %s" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:132 -#, php-format -msgid "Categories › %s" -msgstr "Catégories › %s" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:134 -#, php-format -msgid "Tags › %s" -msgstr "Tags » %si" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:136 -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:138 -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:140 -#, php-format -msgid "Archives › %s" -msgstr "Archives › %s" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:152 -msgid "No more entries to display." -msgstr "Plus aucune entrée à afficher." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:154 -msgid "No more search results to display." -msgstr "Pas de résultat de recherche supplémentaire à afficher." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:156 -msgid "No search results results found." -msgstr "Aucun résultats de recherche n'a été trouvé." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:156 -msgid "Try another query." -msgstr "Essayez une autre requête." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:159 -msgid "404 Not Found" -msgstr "404 Non Trouvé" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:160 -msgid "The page or post you were looking for is missing or has been removed." -msgstr "La page ou l'article que vous recherchez manque ou a été supprimé." - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:213 -msgid "edit" -msgstr "Editer" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:214 -msgid "del" -msgstr "del" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/core/core-functions.php:215 -msgid "spam" -msgstr "spam" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:7 -msgid "This post is password protected. Enter the password to view comments." -msgstr "Cet article est protégé par un mot de passe. Entrez le mot de passe pour voir les commentaires." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:18 -msgid "No Responses Yet" -msgstr "Aucun commentaire encore" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:19 -msgid "1 Response" -msgstr "1 commentaire" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:20 -msgid "% Responses" -msgstr "% commentaires" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:40 -msgid "ago" -msgstr "plus tôt" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:71 -msgid "Comments are closed." -msgstr "Les commentaires sont fermés." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:81 -#, php-format -msgid "You must %slogin</a> or %sregister</a> to comment" -msgstr "Vous devez %svous connecter</a> ou %svous enregistrer</a> pour commenter" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:89 -msgid "Success! Comment added." -msgstr "Succès ! Commentaire ajouté." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:90 -msgid "Refresh the page to see your comment." -msgstr "Rafraichissez la page pour voir votre commentaire." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:91 -msgid "(If your comment requires moderation it will be added soon.)" -msgstr "(Si votre commentaire nécessite une modération, il sera ajouté rapidement.)" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/comments.php:98 -msgid "Logged in as" -msgstr "Connecté en tant que" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/comments.php:102 -msgid "Leave A Comment" -msgstr "Laisser un commentaire" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/comments.php:105 -#: Settings\JYM\Bureau\wptouch/themes/default/header.php:153 -msgid "Name" -msgstr "Nom" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/comments.php:110 -msgid "Mail (unpublished)" -msgstr "Email (ne sera pas publié)" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/comments.php:115 -msgid "Website" -msgstr "Site Web" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/comments.php:119 -msgid "There was an error posting your comment. Maybe it was too short?" -msgstr "Une erreur est survenue pendant que vous postiez votre commentaire. Peut-être était-il trop court ?" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/comments.php:125 -msgid "Publish" -msgstr "Publier" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/comments.php:128 -msgid "Publishing..." -msgstr "Publication en cours..." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/footer.php:10 -msgid "Powered by" -msgstr "Propulsé par" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/footer.php:10 -msgid "WordPress" -msgstr "WordPress" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/footer.php:10 -msgid "+" -msgstr "+" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/functions.php:105 -msgid "mo" -msgstr "mois" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/functions.php:106 -msgid "wk" -msgstr "sem" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/functions.php:107 -msgid "day" -msgstr "jour" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/functions.php:108 -msgid "hr" -msgstr "hr" - -#: C:\Documents -#: and -#: Settings\JYM\Bureau\wptouch/themes/default/functions.php:109 -msgid "min" -msgstr "min" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:10 -msgid "Notice" -msgstr "Remarque" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:11 -msgid "JavaScript for Mobile Safari is currently turned off." -msgstr "JavaScript pour Safari mobile est actuellement désactivé. " - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:12 -msgid "Turn it on in " -msgstr "Activez-le dans" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:12 -msgid "Settings › Safari" -msgstr "Réglages » Safari" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:12 -msgid " to view this website." -msgstr "pour afficher ce site web." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:18 -msgid "Your Push Notification was sent." -msgstr "Votre notifcation Push a été envoyée." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:20 -msgid "Your Push Notification cannot be delivered at this time." -msgstr "Votre notification Push n'a pas pu être envoyée pour l'instant." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:28 -msgid "Username" -msgstr "Nom d'utilisateur" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:29 -msgid "Password" -msgstr "Mot de passe" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:31 -#: Settings\JYM\Bureau\wptouch/themes/default/header.php:58 -msgid "Login" -msgstr "Connexion" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:42 -#: Settings\JYM\Bureau\wptouch/themes/default/header.php:43 -msgid "Search..." -msgstr "Recherche..." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:53 -msgid "Menu" -msgstr "Menu" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:60 -msgid "My Account" -msgstr "Mon compte" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:88 -msgid "Enter your username and password<br />in the boxes above." -msgstr "Entrez votre nom d'utilisateur et votre mot de passe<br /> dans les champs ci-dessus." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:91 -msgid "Not registered yet?" -msgstr "Pas encore enregistré ?" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:93 -#, php-format -msgid "You can %ssign-up here%s." -msgstr "Vous pouvez %svous inscrire ici%s." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:98 -msgid "Admin" -msgstr "Administrateur" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:101 -msgid "Register for this site" -msgstr "Enregistrez vous pour ce site" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:104 -msgid "Account Profile" -msgstr "Profil de compte" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:105 -msgid "Logout" -msgstr "Déconnexion" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:128 -msgid "Search" -msgstr "Recherche" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:132 -msgid "Message" -msgstr "Message" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:136 -msgid "Twitter" -msgstr "Twitter" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:140 -msgid "Tour Dates" -msgstr "Dates de voyage" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:147 -msgid "Send a Message" -msgstr "Envoyer un message" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:148 -msgid "This message will be pushed to the admin's iPhone instantly." -msgstr "Ce message sera publié dans l'iPhone de l'administrateur instantanément." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:158 -msgid "E-Mail" -msgstr "EMail" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:164 -msgid "Send Now" -msgstr "Envoyer maintenant" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:179 -msgid "Follow me on Twitter" -msgstr "Suivez-moi sur Twitter" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:192 -msgid "No recent Tweets." -msgstr "Pas de Tweets récents." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/header.php:204 -msgid "Upcoming Tour Dates" -msgstr "Prochaines dates de voyage" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/index.php:106 -msgid "Written on" -msgstr "Écrit le" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/index.php:107 -msgid "By" -msgstr "Par" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/index.php:114 -msgid "Read This Post" -msgstr "Lire cet article" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/index.php:122 -msgid "Load more entries..." -msgstr "Charger plus d'entrées..." - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/index.php:129 -msgid "Newer Entries" -msgstr "Entrées plus récentes" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/index.php:132 -msgid "Older Entries" -msgstr "Entrées plus anciennes" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/page.php:38 -msgid "Tag Cloud" -msgstr "Nuage de Tags" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/page.php:45 -msgid "Monthly Archives" -msgstr "Archives mensuelles" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/page.php:76 -msgid "Pages in this article: " -msgstr "Pages dans cet article :" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:7 -msgid "Permanent Link to " -msgstr "Lien permanent vers" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:12 -#: Settings\JYM\Bureau\wptouch/themes/default/single.php:14 -#: Settings\JYM\Bureau\wptouch/themes/default/single.php:18 -msgid "Skip to comments" -msgstr "Aller directement aux commentaires" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:16 -msgid "Leave a comment" -msgstr "Laisser un commentaire" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:31 -msgid "Article Pages" -msgstr "Pages de l'article" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:40 -msgid "Check out this post:" -msgstr "Vérifier cet article :" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:40 -msgid "Mail a link to this post?" -msgstr "Envoyer un lien par email de cet article ?" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:52 -msgid "Del.icio.us" -msgstr "Del.icio.us" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:54 -msgid "Digg" -msgstr "Digg" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:55 -msgid "Technorati" -msgstr "Technorati" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:56 -msgid "Magnolia" -msgstr "Magnolia" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:57 -msgid "Newsvine" -msgstr "Newsvine" - -#: C:\Documents -#: and Settings\JYM\Bureau\wptouch/themes/default/single.php:58 -msgid "Reddit" -msgstr "Reddit" - -#~ msgid "%sBNC on Twitter%s" -#~ msgstr "%sBNC sur Twitter%s" - -#~ msgid "%sBraveNewCode.com%s" -#~ msgstr "%sBraveNewCode.com%s" - -#~ msgid "" -#~ "Here you'll find information on additional WPtouch features and their " -#~ "requirements, including those activated with companion plugins." -#~ msgstr "" -#~ "Vous trouverez ici des informations sur les paramètres additionnels de " -#~ "WPtouch et ce qu'ils requierent, incluant ceux qui sont activés avec des " -#~ "extensions amies." - -#~ msgid "WordPress Pages & Feature Support" -#~ msgstr "Support des Pages WordPress & Réglages" - -#~ msgid "" -#~ "All of your WP links will automatically show on your page called 'Links'." -#~ msgstr "" -#~ "Tous vos liens WP s'afficheront automatiquement sur la page appelée " -#~ "'Liens'." - -#~ msgid "" -#~ "If you create a page called 'Links', all your WP links would display in " -#~ "<em>WPtouch</em> style." -#~ msgstr "" -#~ "Si vous créez une page appelée 'Liens', tous vos liens WP y seront " -#~ "affichés dans le style <em>WPtouch</em>. " - -#~ msgid "" -#~ "All your <a href=\"http://eightface.com/wordpress/flickrrss/\" target=" -#~ "\"_blank\">FlickrRSS</a> images will automatically show on your page " -#~ "called 'Photos'." -#~ msgstr "" -#~ "Toutes vos images <a href=\"http://eightface.com/wordpress/flickrrss/\" " -#~ "target=\"_blank\">FlickrRSS</a> seront automatiquement affichées sur la " -#~ "page nommée 'Photos'." - -#~ msgid "" -#~ "You have a page called 'Photos', but don't have <a href=\"http://" -#~ "eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> " -#~ "installed." -#~ msgstr "" -#~ "Vous avez une page nommée 'Photos', mais ne disposez pas de <a href=" -#~ "\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank" -#~ "\">FlickrRSS</a> installé." - -#~ msgid "" -#~ "If you create a page called 'Photos', all your <a href=\"http://eightface." -#~ "com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> photos would " -#~ "display in <em>WPtouch</em> style." -#~ msgstr "" -#~ "Si vous créez une page nommée 'Photos', toutes vos photos <a href=" -#~ "\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank" -#~ "\">FlickrRSS</a> y seront affichées dans le style <em>WPtouch</em>." - -#~ msgid "" -#~ "If you create a page called 'Photos', and install the <a href=\"http://" -#~ "eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> " -#~ "plugin, your photos would display in <em>WPtouch</em> style." -#~ msgstr "" -#~ "Si vous créez une page nommée 'Photos',et installez l'extension <a href=" -#~ "\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank" -#~ "\">FlickrRSS</a> , vos photos seront affichées dans le style <em>WPtouch</" -#~ "em>." - -#~ msgid "" -#~ "Your tags and your monthly listings will automatically show on your page " -#~ "called 'Archives'." -#~ msgstr "" -#~ "Vos Tags et vos Listes Mensuelles seront automatiquement affichés sur la " -#~ "page nommée 'Archives'." - -#~ msgid "" -#~ "If you had a page called 'Archives', your tags and monthly listings would " -#~ "display in <em>WPtouch</em> style." -#~ msgstr "" -#~ "Si vous ajoutez une page nommée 'Archives', vos Tags et Listes Mensuelles " -#~ "s'afficheront dans le style <em>WPtouch</em>." - -#~ msgid "post_title" -#~ msgstr "post_title" - -#~ msgid "" -#~ "<h3 onclick=\"bnc_showhide_coms_toggle();\" id=\"com-head\"><img id=\"com-" -#~ "arrow\" src=\"" -#~ msgstr "" -#~ "<h3 onclick=\"bnc_showhide_coms_toggle();\" id=\"com-head\"><img id=\"com-" -#~ "arrow\" src=\"" - -#~ msgid "" -#~ "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />1 Comment</h3>" -#~ msgstr "" -#~ "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />1 Commentaire</" -#~ "h3>" - -#~ msgid "" -#~ "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />% Comments</h3>" -#~ msgstr "" -#~ "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />% Commentaires</" -#~ "h3>" - -#~ msgid "WPtouch" -#~ msgstr "WPtouch" - -#~ msgid "http://bravenewcode.com/products/wptouch" -#~ msgstr "http://bravenewcode.com/products/wptouch" - -#~ msgid "" -#~ "A plugin which formats your site with a mobile theme for visitors on " -#~ "Apple <a href=\"http://www.apple.com/iphone/\">iPhone</a> / <a href=" -#~ "\"http://www.apple.com/ipodtouch/\">iPod touch</a>, <a href=\"http://www." -#~ "android.com/\">Google Android</a>, <a href=\"http://www.blackberry.com/" -#~ "\">Blackberry Storm and Torch</a>, <a href=\"http://www.palm.com/us/" -#~ "products/phones/pre/\">Palm Pre</a> and other touch-based smartphones." -#~ msgstr "" -#~ "Une extension qui formate votre site avec un thème pour mobiles pour les " -#~ "visiteurs sur <a href=\"http://www.apple.com/iphone/\">iPhone Apple</a> / " -#~ "<a href=\"http://www.apple.com/ipodtouch/\">iPod touch</a>, <a href=" -#~ "\"http://www.android.com/\"> Android Google</a>, <a href=\"http://www." -#~ "blackberry.com/\">Blackberry Storm and Torch</a>, <a href=\"http://www." -#~ "palm.com/us/products/phones/pre/\">Palm Pre</a> et les autres " -#~ "smartphones à écrans digitaux." - -#~ msgid "Dale Mugford & Duane Storey (BraveNewCode Inc.)" -#~ msgstr "Dale Mugford & Duane Storey (BraveNewCode Inc.)" - -#~ msgid "http://www.bravenewcode.com" -#~ msgstr "http://www.bravenewcode.com" - -#~ msgid "Font Options" -#~ msgstr "Options de Police" - -#~ msgid "Post Thumbnails" -#~ msgstr "Imagettes des Articles" - -#~ msgid "%sSupport Forums%s" -#~ msgstr "%sForums d'Aide%s" - -#~ msgid "%sDonate%s" -#~ msgstr "%sDonation%s" - -#~ msgid "For further documentation visit" -#~ msgstr "Pour plus de documentation, visitez" - -#~ msgid "" -#~ "To report an incompatible plugin, let us know in our %sSupport Forums%s." -#~ msgstr "" -#~ "Pour signaler une extension incompatible, faites-le nous savoir sur notre " -#~ "%sForum d'Aide%s." - -#~ msgid "<br /><br />Not registered yet?<br />You can %ssign-up here%s." -#~ msgstr "" -#~ "<br /><br />Pas encore enregistré ?<br />Vous pouvez %svous enregistrer " -#~ "ici%s." - -#~ msgid "Page" -#~ msgstr "Page" - -#~ msgid "All content Copyright ©" -#~ msgstr "Tout le contenu est sous Copyright copy;" - -#~ msgid "Post to Tweetie" -#~ msgstr "Envoyer vers Tweetie" - -#~ msgid "Post to Twitteriffic" -#~ msgstr "Envoyer vers Twitteriffic" - -#~ msgid "Post to Twittelator Pro" -#~ msgstr "Envoyer vers Twittelator Pro" - -#~ msgid "Latest Support Topics" -#~ msgstr "Dernières occurrences du Support" - -#~ msgid "" -#~ "The flat icon option applies does not alter the home-screen bookmark/logo " -#~ "icon." -#~ msgstr "" -#~ "Appliquer l'option icône plate n'affecte pas les marque-page/icône de " -#~ "logo de l'écran d'accueil." - -#~ msgid "Twitter Topics" -#~ msgstr "Discussions Twitter" - -#~ msgid "%sCURL is required%s on your webserver to load RSS feeds." -#~ msgstr "" -#~ "%sCURL est requise%s sur votre serveur web pour charger les flux RSS." - -#~ msgid "Glossy Effect" -#~ msgstr "Effet Brillant" - -#~ msgid "Flat Icon" -#~ msgstr "Icône Plate" - -#~ msgid "Bookmark Icon Style" -#~ msgstr "Style de l' Icône de Marque-page" - -#~ msgid "%sClick here to refresh the page%s and see your icon." -#~ msgstr "%sCliquez ici pour rafraîchir la page%s et voir votre icône." - -#~ msgid "" -#~ "You can select which icons will be displayed beside the pages you enable " -#~ "in the next section." -#~ msgstr "" -#~ "Vous pouvez sélectionner quelles icones seront affichées devant les pages " -#~ "que vous activerez dans la section suivante." - -#~ msgid "Enable ajax for comments" -#~ msgstr "Activer AJAX pour les commentaires" - -#~ msgid "" -#~ "When this option is checked, comments are submitted and returned in real " -#~ "time using Ajax." -#~ msgstr "" -#~ "Quand cette option est activée, les commentaires sont envoyés et affichés " -#~ "en temps réel, par l'utilisation d'Ajax." - -#~ msgid "" -#~ "However, some server environments and other WordPress plugins prevent " -#~ "WPtouch's Ajax comments from working." -#~ msgstr "" -#~ "Toutefois, certains environements de serveurs et d'autres extensions " -#~ "WordPress empêchent l'option des Commentaires Ajax WPtouch de " -#~ "fonctionner. " - -#~ msgid "" -#~ "Uncheck this option if you're having problems or would prefer to use the " -#~ "standard WordPress comment submission format." -#~ msgstr "" -#~ "Décocher cette option si vous rencontrez des problèmes, ou si vous " -#~ "préférez utiliser le format standard de soumission de commentaires " -#~ "WordPress." - -#~ msgid "" -#~ "The post you are trying to comment on does not curently exist in the " -#~ "database." -#~ msgstr "" -#~ "L'article que vous essayez de commenter n'existe plus actuellement dans " -#~ "la base." - -#~ msgid "Sorry, comments are closed for this item." -#~ msgstr "Désolé, les commentaires sont fermés pour cette discussion." - -#~ msgid "Sorry, you must be logged in to post a comment." -#~ msgstr "Désolé, vous devez être connecté pour poster un commentaire." - -#~ msgid "Error: please fill in the required fields" -#~ msgstr "Erreur : merci de renseigner les champs requis" - -#~ msgid "Error: please enter a valid email address." -#~ msgstr "Erreur : merci d'entrer une adresse email valide." - -#~ msgid "Error: please type something in the comment area." -#~ msgstr "" -#~ "Erreur : merci de taper quelque chose dans le champs de commentaire." - -#~ msgid "Refresh the page" -#~ msgstr "Rafraîchir la page" - -#~ msgid "to post a new comment." -#~ msgstr "pour poster un nouveau commentaire." - -#~ msgid "There was an error. Please refresh the page and try again." -#~ msgstr "" -#~ "Une erreur est survenue. Merci de rafraîchir la page et de réessayer." diff --git a/wp-content/plugins/wptouch/lang/src/ja_JP.po b/wp-content/plugins/wptouch/lang/src/ja_JP.po deleted file mode 100644 index 4a900d2cf3b10b9b49bcb14203ec31f57f53bce4..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/lang/src/ja_JP.po +++ /dev/null @@ -1,1494 +0,0 @@ -# Translation of the WordPress plugin WPtouch 1.9.19 by Dale Mugford & Duane Storey (BraveNewCode Inc.). -# Copyright (C) 2010 Dale Mugford & Duane Storey (BraveNewCode Inc.) -# This file is distributed under the same license as the WPtouch package. -# FIRST AUTHOR <EMAIL@ADDRESS>, 2010. -# -msgid "" -msgstr "" -"Project-Id-Version: wptouch-ja_JP\n" -"Report-Msgid-Bugs-To: \n" -"POT-Creation-Date: 2011-03-20 11:13+0900\n" -"PO-Revision-Date: 2011-03-20 11:21+0900\n" -"Last-Translator: Kenji Yamaguchi <yamk.net@gmail.com>\n" -"Language-Team: yamk <yamk.net@gmail.com>\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=UTF-8\n" -"Content-Transfer-Encoding: 8bit\n" -"X-Poedit-Language: Japanese\n" -"X-Poedit-Country: JAPAN\n" -"X-Poedit-SourceCharset: utf-8\n" -"X-Poedit-KeywordsList: _;_c;_e;__\n" -"X-Poedit-Basepath: .\n" -"X-Poedit-SearchPath-0: /Users/yamk/Work/wptouch\n" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:215 -msgid "Settings" -msgstr "設定" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:401 -msgid "New Ping/Trackback" -msgstr "新規 Ping/トラックバック" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:407 -msgid "New Comment" -msgstr "新規コメント" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:435 -msgid "User Registration" -msgstr "ユーザ登録" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:479 -msgid "Direct Message" -msgstr "ダイレクトメッセージ" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:626 -msgid "Mobile Theme" -msgstr "モバイルテーマ" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:633 -msgid "WPtouch iPhone Theme" -msgstr "WPtouch iPhone テーマ" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:935 -msgid "Settings saved" -msgstr "設定を保存しました" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:940 -msgid "Defaults restored" -msgstr "デフォルト値に戻しました" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:961 -msgid "Save Options" -msgstr "オプションを保存" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:965 -msgid "Restore default WPtouch settings?" -msgstr "WPtouch のデフォルト設定を戻しますか?" - -#: /Users/yamk/Work/wptouch/wptouch/wptouch.php:965 -msgid "Restore Defaults" -msgstr "デフォルト値に戻す" - -#: /Users/yamk/Work/wptouch/wptouch/ajax/file_upload.php:24 -msgid "<p style=\"color:red; padding-top:10px\">There seems to have been an error.<p>Please try your upload again.</p>" -msgstr "<p style=\"color:red; padding-top:10px\">エラーが発生しました。<p>再度アップロードを試してください。</p>" - -#: /Users/yamk/Work/wptouch/wptouch/ajax/file_upload.php:26 -msgid "<p style=\"color:green; padding-top:10px\">File has been saved and added to the pool.</p>" -msgstr "<p style=\"color:green; padding-top:10px\">プールにファイルが追加されました。</p>" - -#: /Users/yamk/Work/wptouch/wptouch/ajax/file_upload.php:29 -msgid "<p style=\"color:orange; padding-top:10px\">Sorry, only PNG, GIF and JPG images are supported.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">PNG, GIF, JPG 画像のみがサポートされています。</p>" - -#: /Users/yamk/Work/wptouch/wptouch/ajax/file_upload.php:31 -msgid "<p style=\"color:orange; padding-top:10px\">Image too large. try something like 59x60.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">画像が大きすぎます。59x60で試してください。</p>" - -#: /Users/yamk/Work/wptouch/wptouch/ajax/file_upload.php:33 -msgid "<p style=\"color:orange; padding-top:10px\">Insufficient privileges.</p><p>You need to either be an admin or have more control over your server.</p>" -msgstr "<p style=\"color:orange; padding-top:10px\">権限がありません。</p><p>管理者または、上位の管理権限が必要です。</p>" - -#: /Users/yamk/Work/wptouch/wptouch/ajax/news.php:16 -#: /Users/yamk/Work/wptouch/wptouch/ajax/support.php:16 -#: /Users/yamk/Work/wptouch/wptouch/ajax/support.php:28 -msgid "<li class=\"ajax-error\">No feed items found to display.</li>" -msgstr "<li class=\"ajax-error\">フィードの項目がありません。</li>" - -#: /Users/yamk/Work/wptouch/wptouch/ajax/news.php:28 -msgid " <li class=\"ajax-error\">No feed items found to display.</li>" -msgstr " <li class=\"ajax-error\">フィードの項目がありません。</li>" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:5 -msgid "Adsense, Stats & Custom Code" -msgstr "Adsense, Stats & カスタムコード" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:8 -msgid "Adsense" -msgstr "Adsense" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:9 -msgid "Enter your Google AdSense ID if you'd like to support mobile advertising in WPtouch posts." -msgstr "WPtouch の投稿画面にモバイル版広告を表示する場合は、Google AdSense ID を入力してください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:10 -msgid "Make sure to include the 'pub-' part of your ID string." -msgstr "ID 文字列には 'pub-' 部分を必ず含むようにしてください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:12 -msgid "Stats & Custom Code" -msgstr "Stats & カスタムコード" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:13 -msgid "If you'd like to capture traffic statistics " -msgstr "トラフィックの流量を記録したい場合は" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:13 -msgid "(Google Analytics, MINT, etc.)" -msgstr "(Google Analytics, MINT, その他)" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:14 -msgid "Enter the code snippet(s) for your statistics tracking." -msgstr "トラッキングのためのコードの一部を入力してください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:14 -msgid "You can also enter custom CSS & other HTML code." -msgstr "カスタム CSS および HTML コードも入力できます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:16 -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:22 -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:31 -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:40 -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:49 -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:60 -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:68 -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:76 -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:86 -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:100 -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:109 -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:111 -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:31 -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:17 -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:49 -msgid "More Info" -msgstr "追加情報" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:17 -msgid "You may enter a custom css file link easily. Simply add the full link to the css file like this:" -msgstr "カスタム CSS ファイルへのリンクでもかまいません。次のように、単に CSS ファイルへの完全なリンクを追加します:" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:18 -msgid "<code><link rel="stylesheet" src="http://path-to-my-css-file" type="text/css" media="screen" /></code>" -msgstr "<code><link rel="stylesheet" src="http://カスタムCSSファイルのPATH" type="text/css" media="screen" /></code>" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:25 -msgid "Google AdSense ID" -msgstr "Google AdSense ID" - -#: /Users/yamk/Work/wptouch/wptouch/html/ads-stats-area.php:26 -msgid "Google AdSense Channel" -msgstr "Google AdSense チャネル" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:5 -msgid "Advanced Options" -msgstr "詳細オプション" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:8 -msgid "Choose to enable/disable advanced features & options available for WPtouch." -msgstr "WPtouch で使用可能な詳細オプションごとに 有効/無効 を選択してください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:9 -msgid "* WPtouch Restricted Mode attempts to fix issues where other plugins load scripts which interfere with WPtouch CSS and JavaScript." -msgstr "* 「WPtouch 制限モード」では、他のプラグインが WPtouch CSS および JavaScript に干渉するスクリプトを読み込む際の問題を修復しようと試みます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:11 -msgid "Custom User-Agents" -msgstr "カスタム User-Agent" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:12 -msgid "Enter a comma-separated list of user-agents to enable WPtouch for a device that isn't currently officially supported." -msgstr "現在、正規にサポートしていないデバイスに対して WPtouch を有効にするために、User-Agent をコンマで区切って入力してください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:13 -#, php-format -msgid "The currently enabled user-agents are: <em class='supported'>%s</em>" -msgstr "現在有効にされている User-Agent : <em class='supported'>%s</em>" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:20 -msgid "Enable Categories tab in the header" -msgstr "ヘッダーで「カテゴリー」タブを有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:23 -msgid "This will add a 'Categories' tab item in the WPtouch drop-down." -msgstr "WPtouch のドロップダウンメニューに「カテゴリー」タブを追加します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:24 -msgid "It will display a list of your popular categories." -msgstr "よく使用されるカテゴリーが表示されます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:29 -msgid "Enable Tags tab in the header" -msgstr "ヘッダーで「タグ」タブを有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:32 -msgid "This will add a 'Tags' tab item in the WPtouch drop-down." -msgstr "WPtouch のドロップダウンメニューに「タグ」タブを追加します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:33 -msgid "It will display a list of your popular tags." -msgstr "よく使用されるタグが表示されます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:38 -msgid "Enable Search link in the header" -msgstr "ヘッダーで「検索」リンクを有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:41 -msgid "This will add a 'Search' item in the WPtouch sub header." -msgstr "WPtouch のサブヘッダーに「検索」を追加します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:42 -msgid "It will display an overlay on the title area allowing users to search your website." -msgstr "タイトルエリアで、ユーザにウェブサイト内検索のオーバーレイが表示されます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:47 -msgid "Enable Login/My Account tab in the header" -msgstr "ヘッダーで「ログイン/マイアカウント」タブを有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:50 -msgid "This will add a 'Login' tab in the WPtouch sub header beside the Tags and Categories tabs if they are also enabled." -msgstr "「タグ」と「カテゴリー」タブが有効な場合、WPtouch サブヘッダーに「ログイン」タブを追加します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:51 -msgid "It will display a username/password drop-down, allowing users to login plus be automatically re-directed back to the page they logged in from without seeing the WP admin." -msgstr "ドロップダウンにユーザ名/パスワード欄が表示され、ログイン後はWordPress管理画面を見ることなく元のページに戻ります。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:52 -msgid "Once logged in, a new 'My Account' button will appear. The 'My Account' button shows useful links depending on the type of account (subscriber, admin, etc.)." -msgstr "一旦ログインすると、「マイアカウント」ボタンが表示されます。「マイアカウントボタン」は、アカウントの種類(購読者、管理者、その他)ごとに、よく使用されるリンクを表示します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:53 -msgid "NOTE: The Account tab/links will always appear if you have enabled registration on your site or require users to login for comments." -msgstr "注意: このサイトで登録(registration) を有効にしている、またはコメントの入力にログインを要求している場合は、「アカウント」タブ/リンク が常に表示されます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:58 -msgid "Display Upcoming Dates link in the header (requires <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> or higher)" -msgstr "「Upcoming Dates」リンクをヘッダーに表示する (要 <a href='http://gigpress.com/' target='_blank'>GigPress 2.0.3</a> 以上)" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:61 -msgid "When this option is checked and the GigPress plugin is installed, a list of your Upcoming Shows will be viewable from a drop-down in the WPtouch header." -msgstr "このオプションにチェックを入れ、GigPress プラグインがインストールされている場合は、WPtouch ヘッダーのドロップダウン内に 「Upcoming Shows」が表示されます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:66 -msgid "Display Twitter link in the header (requires <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> or higher)" -msgstr "Twitter リンクをヘッダーに表示する (要 <a href='http://www.bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> 以上)" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:69 -msgid "When this option is checked and the WordTwit plugin is installed, a list of your Tweets will be viewable from a drop-down in the WPtouch header." -msgstr "このオプションにチェックを入れ、WordTwit プラグインがインストールされている場合は、WPtouch ヘッダーのドロップダウンの中に、あなたのツイート一覧が表示されます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:74 -msgid "Enable comments on posts" -msgstr "記事へのコメントを有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:77 -msgid "If unchecked, this will hide all commenting features on posts and blog listings." -msgstr "チェックを外すと、記事やブログ一覧でのコメント画面が表示されません。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:84 -msgid "Enable comments on pages" -msgstr "ページでのコメントを有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:87 -msgid "This will add the comment form to all pages with 'Allow Comments' checked in your WordPress admin." -msgstr "WordPress 管理者が「コメントを許可」しているすべてのページで、コメントが追加されます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:93 -msgid "Enable gravatars in comments" -msgstr "コメント内で Gravatar を有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:98 -#, php-format -msgid "1%sst%s visit mobile users will see desktop theme" -msgstr "モバイルユーザが最初に (1%sst%s) 訪問したときデスクトップ版を表示する" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:101 -msgid "When this option is checked, users will see your regular site theme first, and have the option in your footer to switch to the WPtouch mobile view." -msgstr "このオプションをチェックすると、最初にこのサイトに訪問したユーザはデスクトップ版のサイトとして表示され、ページのフッタに表示されるスイッチで WPtouch モバイル表示に切り替えることができます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:102 -msgid "They'll be able to change back and forth either way. Make sure you have the wp_footer(); function call in your regular theme's footer.php file for the switch link to work properly." -msgstr "訪問ユーザはその後どちらにも切り替えることができます。正しく動作させるには、使用しているテーマの footer.php ファイルで、wp_footer(); 関数が正しく呼ばれる必要があります。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:107 -msgid "Enable WPtouch Restricted Mode" -msgstr "WPtouch 制限モードを有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:110 -msgid "Disallow other plugins from loading into scripts into WPtouch's header and footer." -msgstr "WPtouch のヘッダやフッタで読み込まれる、他のスクリプトでの読み込みを禁止します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:111 -msgid "Sometimes fixes incompatibilities and speeds up WPtouch." -msgstr "WPtouch との非互換を解消したり、スピードアップさせる場合があります。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:112 -msgid "Some plugins load conflicting javascript, extra CSS style sheets, and other functional code into your theme to accomplish what they add to your site. As WPtouch works complete on its own without any other plugin installed, in some cases (where you have several plugins or find something doesn't work right with WPtouch) you may want to enable Restricted Mode to ensure that WPtouch works properly, and loads quickly for mobile users." -msgstr "プラグインによっては、Javascript, CSS スタイルシートの拡張, サイトに機能追加するコードを読み込み、コンフリクトを起こします。WPtouch は他のプラグインが読み込まれていない状態では、単体で完全に動作しますが、ケースによっては(いくつかのプラグインや WPtouch と一緒には正常に動作しないものを入れている等)、WPtouch を正常動作させ、モバイルユーザ向けに読み込みを速くさせるため、「制限モード」を有効にしたいかもしれません。" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:117 -msgid "Custom user-agents" -msgstr "カスタム User-Agent" - -#: /Users/yamk/Work/wptouch/wptouch/html/advanced-area.php:119 -msgid "After changing the user-agents, please visit the WP Super Cache admin page and update your rewrite rules." -msgstr "User-Agent を変更した後は、WP Super Cache の管理者ページで、Rewrite Rule をアップデートしてください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:5 -msgid "General Settings" -msgstr "一般設定" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:8 -msgid "Regionalization Settings" -msgstr "地域設定" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:9 -msgid "Select the language for WPtouch. Custom .mo files should be placed in wp-content/wptouch/lang." -msgstr "WPtouch の言語を選択します。カスタム .mo ファイルは wp-content/wptouch/lang に置いてください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:12 -msgid "Home Page Re-Direction" -msgstr "ホームページリダイレクト" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:13 -#, php-format -msgid "WPtouch by default follows your %sWordPress » Reading Options%s." -msgstr "WPtouch は、デフォルトでは %sWordPress » 表示設定%s に従います。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:15 -msgid "Site Title" -msgstr "サイトのタイトル" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:16 -msgid "You can change your site title (if needed) in WPtouch." -msgstr "WPtouch では(必要に応じて)サイトのタイトルを変更することができます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:20 -msgid "Excluded Categories" -msgstr "除外するカテゴリー" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:21 -msgid "Categories by ID you want excluded everywhere in WPtouch." -msgstr "WPtouch で表示する際の、除外するカテゴリー ID を指定します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:23 -msgid "Excluded Tags" -msgstr "除外するタグ" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:24 -msgid "Tags by ID you want excluded everywhere in WPtouch." -msgstr "WPtouch の各画面で表示しないタグ ID を指定します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:28 -msgid "Text Justification Options" -msgstr "テキスト行末揃えオプション" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:29 -msgid "Set the alignment for text." -msgstr "テキストのアライメントを指定します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:33 -msgid "Post Listings Options" -msgstr "記事一覧オプション" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:34 -msgid "Choose between calendar Icons, post thumbnails (WP 2.9) or none for your post listings." -msgstr "記事一覧画面に、カレンダーアイコン, 記事のサムネイル画像 (WP 2.9以上), または非表示を選択します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:35 -msgid "Select which meta items are shown below titles on main, search, & archives pages." -msgstr "本文、検索、「アーカイブされたページ」の下に、「メタ」項目を表示するか選択します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:39 -msgid "Footer Message" -msgstr "フッターメッセージ" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:40 -msgid "Customize the default footer message shown in WPtouch here." -msgstr "WPtouch で表示されるデフォルトのフッターメッセージをここで変更します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:44 -msgid "WPtouch Language" -msgstr "WPtouch の言語" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:48 -msgid "Automatically detected" -msgstr "自動選択" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:66 -msgid "WPtouch Home Page" -msgstr "WPtouch ホームページ" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:71 -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:63 -msgid "You have no pages yet. Create some first!" -msgstr "まだページが一つも作成されていません。先にページを新規作成してください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:77 -msgid "Site title text" -msgstr "サイトのタイトルの文字列" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:83 -msgid "Comma list of Category IDs, eg: 1,2,3" -msgstr "カテゴリー ID をコンマで区切って列挙してください。 例: 1,2,3" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:84 -msgid "Comma list of Tag IDs, eg: 1,2,3" -msgstr "タグ ID をコンマで区切って列挙してください。 例: 1,2,3" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:85 -msgid "Minimum number of posts in tags/categories to be shown in drop-down menu" -msgstr "ドロップダウンメニュー内でタグ・カテゴリーごとに表示される記事の数" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:93 -msgid "Left" -msgstr "左寄せ" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:94 -msgid "Full" -msgstr "両端揃え" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:96 -msgid "Font justification" -msgstr "フォントジャスティフィケーション" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:104 -msgid "Calendar Icons" -msgstr "カレンダーアイコン" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:105 -msgid "Post Thumbnails / Featured Images" -msgstr "記事のサムネイルまたは指定画像を投稿" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:106 -msgid "Post Thumbnails / Featured Images (Random)" -msgstr "記事のサムネイルまたは指定画像(ランダム)を投稿" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:107 -msgid "No Icon or Thumbnail" -msgstr "アイコンまたはサムネイルは表示しない" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:109 -msgid "Post Listings Display" -msgstr "記事一覧表示" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:109 -msgid "Thumbnails Requires WordPress 2.9+" -msgstr "サムネイルは WordPress 2.9 以上が必要" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:112 -msgid "This will change the display of blog and post listings between Calendar Icons view and Post Thumbnails view." -msgstr "ブログ画面、または記事一覧画面で、カレンダーアイコンや記事のサムネイル表示を行うかを変更します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:113 -msgid "The <em>Post Thumbnails w/ Random</em> option will fill missing post thumbnails with random abstract images. (WP 2.9+)" -msgstr "<em>記事のサムネイル表示 (ランダム)</em> オプションは、記事のサムネイル画像がないときに、ランダムな概要イメージで補完します。 (WP 2.9以上)" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:120 -msgid "Enable Truncated Titles" -msgstr "タイトルの省略を有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:120 -msgid "Will use ellipses when titles are too long instead of wrapping them" -msgstr "タイトルが長い場合に、折りたたまず省略する" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:124 -msgid "Show Author's Name" -msgstr "投稿者名を表示" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:128 -msgid "Show Categories" -msgstr "カテゴリーを表示" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:132 -msgid "Show Tags" -msgstr "タグを表示" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:136 -msgid "Hide Excerpts" -msgstr "抜粋を表示" - -#: /Users/yamk/Work/wptouch/wptouch/html/general-settings-area.php:141 -msgid "Footer message" -msgstr "フッターメッセージ" - -#: /Users/yamk/Work/wptouch/wptouch/html/head-area.php:13 -#, php-format -msgid "%sGet WPtouch Pro%s" -msgstr "%sGet WPtouch Pro%s" - -#: /Users/yamk/Work/wptouch/wptouch/html/head-area.php:14 -#, php-format -msgid "%sJoin our FREE WPtouch Pro Affiliate Program%s" -msgstr "%sWPtouch Pro フリーアフィリエイトプログラムに参加%s" - -#: /Users/yamk/Work/wptouch/wptouch/html/head-area.php:15 -#, php-format -msgid "%sFollow Us on Twitter%s" -msgstr "%sTwiter でフォロー%s" - -#: /Users/yamk/Work/wptouch/wptouch/html/head-area.php:24 -msgid "WPtouch Wire" -msgstr "WPtouch Wire" - -#: /Users/yamk/Work/wptouch/wptouch/html/head-area.php:33 -msgid "Find Out More ››" -msgstr "もっと詳しく ››" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:24 -msgid "Default & Custom Icon Pool" -msgstr "デフォルト & カスタムアイコンプール" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:27 -msgid "Adding Icons" -msgstr "アイコンの追加" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:28 -msgid "To add icons to the pool, simply upload a .png, .jpeg or .gif image from your computer." -msgstr "プールにアイコンを追加するには、.png, .jpeg, .gif 画像をコンピュータからアップロードするだけです。" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:30 -#, php-format -msgid "Default icons generously provided by %sMarcelo Marfil%s." -msgstr "デフォルトのアイコンは、 %sMarcelo Marfil%s により寛大に提供されました。" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:32 -msgid "Logo/Bookmark Icons" -msgstr "ロゴ/ブックマークアイコン" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:33 -msgid "If you're adding a logo icon, the best dimensions for it are 59x60px (png) when used as a bookmark icon." -msgstr "ロゴのアイコンを追加する際、ブックマークアイコンとして使う場合は 59x60 ピクセル (PNG) が最適なサイズです。" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:34 -#, php-format -msgid "Need help? You can use %sthis easy online icon generator%s to make one." -msgstr "お手伝いしましょうか? %sこの簡単オンラインアイコンジェネレータ%s で作ることもできます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:35 -msgid "These files will be stored in this folder we create: .../wp-content/uploads/wptouch/custom-icons" -msgstr "これらのファイルは .../wp-content/uploads/wptouch/custom-icons フォルダに保存されます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:36 -msgid "If an upload fails (usually it's a permission problem) check your wp-content path settings in WordPress' Miscellaneous Settings, or create the folder yourself using FTP and try again." -msgstr "もしアップロードに失敗した場合 (大抵はパーミッションの問題です) 、WordPress のその他の設定で、wp-content path の設定を確認する、またはFTP等でフォルダを作成して再度試してください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:38 -msgid "Upload Icon" -msgstr "アップロード" - -#: /Users/yamk/Work/wptouch/wptouch/html/icon-area.php:42 -msgid "Uploading..." -msgstr "アップロード中..." - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:5 -msgid "Logo Icon // Menu Items & Pages Icons" -msgstr "ロゴアイコン // メニュー項目 & ページアイコン" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:8 -msgid "Logo / Home Screen Icon <br />& Default Menu Items" -msgstr "ロゴ / ホーム画面アイコン <br />& デフォルトメニュー項目" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:9 -#, php-format -msgid "If you do not want your logo to have the glossy effect added to it, make sure you select %sEnable Flat Bookmark Icon%s" -msgstr "自分のロゴに光沢(glossy)効果をつけたくない場合は、%s平らなブックマークアイコンを有効%s を選択してください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:10 -msgid "Choose the logo displayed in the header (also your bookmark icon), and the pages you want included in the WPtouch drop-down menu." -msgstr "ヘッダーで表示(自分のブックマークアイコン) および、WPtouch ドロップダウンメニューでページに含めたいロゴを選択します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:11 -msgid "Remember, only those checked will be shown." -msgstr "チェックするだけで表示されることに注意してください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:12 -msgid "Enable/Disable default items in the WPtouch site menu." -msgstr "WPtouch サイトメニューでのデフォルト項目を有効または無効にします。" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:14 -msgid "Pages + Icons" -msgstr "ページ + アイコン" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:15 -msgid "Next, select the icons from the lists that you want to pair with each page menu item." -msgstr "次に、各ページのメニュー項目ごとに、一覧からアイコンを割り当てます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:16 -msgid "You can also decide if pages are listed by the page order (ID) in WordPress, or by name (default)." -msgstr "ページが一覧表示される際、WordPress のページ順(ID) か、ページの名前順 (デフォルト) かを選択できます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:24 -msgid "Logo & Home Screen Bookmark Icon" -msgstr "ロゴ & ホームスクリーンブックマークアイコン" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:29 -msgid "Enable Flat Bookmark Icon" -msgstr "平らなブックマークアイコンを有効" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:32 -msgid "The default applies for iPhone/iPod touch applies a glossy effect to the home-screen bookmark/logo icon you select." -msgstr "iPhone/iPod touch では、ホームスクリーンへのブックマークロゴアイコンを、デフォルトで光沢(glossy) 効果をつけます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:33 -msgid "When checked your icon will not have the glossy effect automatically applied to it." -msgstr "チェックすると、自分のアイコンに自動的に光沢効果をつけさせないようになります。" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:36 -msgid "Enable Home Menu Item" -msgstr "ホームメニュー項目を有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:37 -msgid "Enable RSS Menu Item" -msgstr "RSSメニュー項目を有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:38 -msgid "Enable Email Menu Item" -msgstr "Email メニュー項目を有効にする" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:38 -msgid "Uses default WordPress admin e-mail" -msgstr "デフォルトで WordPress の管理者 E-mail アドレスを使用" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:43 -msgid "By Name" -msgstr "名前順" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:44 -msgid "By Page ID" -msgstr "ページ ID 順" - -#: /Users/yamk/Work/wptouch/wptouch/html/page-area.php:46 -msgid "Menu List Sort Order" -msgstr "メニューリストのソート順" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:7 -msgid "Plugin Support & Compatibility" -msgstr "プラグインサポート & 互換性" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:13 -msgid "WordPress version: " -msgstr "WordPress version: " - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:16 -#, php-format -msgid "WPtouch %s support: " -msgstr "WPtouch %s サポート: " - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:18 -#, php-format -msgid "%sUnverified%s" -msgstr "%s未確認%s" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:20 -#, php-format -msgid "%sSupported%s" -msgstr "%sサポート済%s" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:22 -#, php-format -msgid "%sUnsupported. Upgrade Required.%s" -msgstr "%s未サポート, 要アップグレード%s" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:27 -msgid "Here you'll find information on plugin compatibility." -msgstr "各プラグインの互換性についての情報を確認してください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:32 -msgid "Known Plugin Support & Conflicts" -msgstr "既知のプラグインのサポート & コンフリクト" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:36 -#, php-format -msgid "%sPeter's Custom Anti-Spam%s is fully supported." -msgstr "%sPeter's Custom Anti-Spam%s はフルサポートしています。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:41 -#, php-format -msgid "%sWP Spam Free%s is fully supported." -msgstr "%sWP Spam Free%s はフルサポートしています。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:46 -#, php-format -msgid "%sFlickrRSS%s: Your photos will automatically show on a page with the slug \"photos\" if you have it. Fully supported." -msgstr "%sFlickrRSS%s: \"photos\" という名前のページがある場合、自動的に写真が表示されます。フルサポートしています。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:51 -#, php-format -msgid "WP Cache is supported, but requires configuration. %sFollow this video tutorial%s for more information." -msgstr "WP Cache はサポートされていますが、設定が必要です。詳しい情報は %sこのビデオチュートリアルに従ってください%s 。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:56 -#, php-format -msgid "WP Super Cache is supported, but requires configuration. %sFollow this video tutorial%s for more information." -msgstr "WP Super Cache はサポートされていますが、設定が必要です。詳しい情報は %sこのビデオチュートリアルに従ってください%s 。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:61 -#, php-format -msgid "W3 Total Cache is supported, but requires configuration. %sFollow this video tutorial%s for more information." -msgstr "W3 Total Cache はサポートされていますが、設定が必要です。詳しい情報は %sこのビデオチュートリアルに従ってください%s 。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:66 -#, php-format -msgid "%sWP CSS%s is supported, but does\tnot compress WPtouch's CSS. WPtouch files are pre-optimized for mobile devices already." -msgstr "%sWP CSS%s はサポートされていますが、\tWPtouch の CSS は圧縮しないでください。WPtouch ファイルはすでにモバイルデバイス用に最適化されています。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:71 -#, php-format -msgid "%sShare This%s is supported, but requires the WPtouch setting \"Enable Restrictive Mode\" turned on to work properly." -msgstr "%sShare This%s はサポートされていますが、WPtouch の設定で \"制限モードを有効にする\" にチェックを入れないと、正しく動作しません。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:76 -#, php-format -msgid "WordPress Admin Bar requires additional configuration to work with WPtouch. %sFollow this comment%s on the developer's official site." -msgstr "WordPress Admin Bar を WPtouch で動作させるには、追加の設定が必要です。開発者の正式サイトで %sこのコメントをフォロー%s してください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:81 -#, php-format -msgid "%sWP Simple Captcha%s is not currently supported." -msgstr "%sWP Simple Captcha%s は現在サポートされていません。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:86 -#, php-format -msgid "%sNextGEN Gallery%s is not currently supported." -msgstr "%sNextGEN Gallery%s は現在サポートされていません。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:91 -#, php-format -msgid "%sYet another ajax paged comments%s (YAAPC) is not currently supported. WPtouch uses its own ajaxed comments. WPtouch Pro supports WP 2.7+ comments out-of-the-box." -msgstr "%sYet another ajax paged comments%s (YAAPC) は現在サポートされていません。WPtouch は独自にコメントをAJAX化します。WPtouch Pro は WordPress 2.7以上でボックス外でのコメントをサポートします。" - -#: /Users/yamk/Work/wptouch/wptouch/html/plugin-compat-area.php:96 -#, php-format -msgid "%sLightview Plus%s is not currently supported. Images may not open in a viewer or separate page." -msgstr "%sLightview Plus%s は現在サポートされていません。画像は、ビューワおよび独立ページで開きません。" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:4 -msgid "Push Notification Options" -msgstr "プッシュ通知オプション" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:7 -#, php-format -msgid "Here you can configure WPtouch to push selected notifications through your %sProwl%s account to your iPhone, iPod touch and Growl-enabled Mac or PC." -msgstr "ここで、あなたの iPhone, iPod touch、および Growl が有効になっている Mac または PC に %sProwl%s アカウントを使ってプッシュ通知を行うよう、WPtouch を設定できます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:8 -#, php-format -msgid "%sMake sure you generate a Prowl API key to use here%s otherwise no notifications will be pushed to you." -msgstr "%sここで使用するための Prowl API キーを正しく生成してください。%s さもなくば、あなたにプッシュ通知されることはありません。" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:15 -msgid "Prowl API Key" -msgstr "Prowl API キー" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:15 -#, php-format -msgid "%sCreate a key now%s" -msgstr "%sキーを作成する%s" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:18 -msgid "In order to enable Prowl notifications, you must create a Prowl account, and download/configure the Prowl application for iPhone." -msgstr "Prowl 通知を有効にするためには、まず Prowl アカウントを作成し, iPhone 向けには Prowl アプリをダウンロード設定する必要があります。" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:19 -msgid "Next, visit the Prowl website and generate your API key, which we use to connect securely and send your notifications." -msgstr "次に、Prowl のウェブサイトで API キーを生成してください。あなたに通知を送る際に安全に接続するために使用します。" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:21 -#, php-format -msgid "%sVisit the Prowl Website%s" -msgstr "%sProwl ウェブサイトを開く%s" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:21 -#, php-format -msgid "%sVisit iTunes to Download Prowl%s" -msgstr "%siTunes で Prowl をダウンロード%s" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:25 -msgid "Your Prowl API key has been verified." -msgstr "Prowl API キーを確認しました。" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:28 -msgid "Sorry, your Prowl API key is not verified." -msgstr "申し訳ありませんが、Prowl API キーを確認できません。" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:29 -msgid "Please check your key and make sure there are no spaces or extra characters." -msgstr "あなたのキー文字列をチェックし、スペースや余分な文字がないようにしてください。" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:39 -msgid "Notify me of new comments & pingbacks/tracksbacks" -msgstr "新しいコメント・ピンバック・トラックバックがあったとき通知する" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:43 -msgid "Notify me of new account registrations" -msgstr "新規アカウント登録があったとき通知する" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:47 -msgid "Allow users to send me direct messages" -msgstr "利用者に自分へのダイレクトメッセージの送信を許可する" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:50 -msgid "This enables a new link to a drop-down in the submenu bar for WPtouch ('Message Me')." -msgstr "WPtouch サブメニューバー内のドロップダウンメニューに、'Message Me' の新規リンクを表示する" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:51 -msgid "When opened, a form is shown for users to fill in. The name, e-mail address, and message area is shown. Thier IP will also be sent to you, in case you want to ban it in the WordPress admin." -msgstr "開いたとき、ユーザに入力を促すフォームが表示されます。名前、メールアドレス、メッセージエリアが表示されます。WordPress 管理者によって ban(拒否) する場合の IP アドレスもあなたに送信されます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/push-area.php:55 -#, php-format -msgid "%sCURL is required%s on your webserver to use Push capabilities in WPtouch." -msgstr "WPtouch の Push 通知機能を Web サーバから使用するには %sCURL が必要です%s 。" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:5 -msgid "Style & Color Options" -msgstr "スタイル & カラーオプション" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:8 -msgid "Here you can customize some of the more visible features of WPtouch." -msgstr "ここで、WPtouch の表示関連の機能をカスタマイズできます。" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:17 -msgid "The default WPtouch theme emulates a native iPhone application." -msgstr "デフォルトの WPtouch テーマは、ネイティブ iPhone アプリをエミュレートします。" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:21 -msgid "Classic" -msgstr "クラシック" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:24 -msgid "Horizontal Grey" -msgstr "ホリゾンタル グレー" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:27 -msgid "Diagonal Grey" -msgstr "ダイアグナル グレー" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:30 -msgid "Skated Concrete" -msgstr "スケーテッドコンクリート" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:33 -msgid "Argyle Tie" -msgstr "ひし形格子" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:36 -msgid "Thatches" -msgstr "わらぶき" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:39 -msgid "Background" -msgstr "背景" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:43 -msgid "Helvetica Neue" -msgstr "Helvetica Neue" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:46 -msgid "Helvetica" -msgstr "Helvetica" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:49 -msgid "Thonburi" -msgstr "Thonburi" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:52 -msgid "Georgia" -msgstr "Georgia" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:55 -msgid "Geeza Pro" -msgstr "Geeza Pro" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:58 -msgid "Verdana" -msgstr "Verdana" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:61 -msgid "Arial Rounded MT Bold" -msgstr "Arial Rounded MT Bold" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:64 -msgid "Post Title H2 Font" -msgstr "投稿タイトルのH2フォント" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:66 -msgid "Title text color" -msgstr "タイトルテキストの色" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:67 -msgid "Header background color" -msgstr "ヘッダーの背景色" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:68 -msgid "Sub-header background color" -msgstr "サブヘッダーの背景色" - -#: /Users/yamk/Work/wptouch/wptouch/html/style-area.php:69 -msgid "Site-wide links color" -msgstr "サイト全体のリンクの色" - -#: /Users/yamk/Work/wptouch/wptouch/include/submit.php:7 -msgid "Nonce Failure" -msgstr "一回だけの失敗" - -#: /Users/yamk/Work/wptouch/wptouch/include/submit.php:12 -msgid "Security failure. Please log in again." -msgstr "セキュリティ上の障害です。再度ログインしてください。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:22 -#, php-format -msgid "%sHome%s" -msgstr "%sホーム%s" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:41 -#, php-format -msgid "%sRSS Feed%s" -msgstr "%sRSS フィード%s" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:47 -#, php-format -msgid "%sE-Mail%s" -msgstr "%sE-Mail%s" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:54 -#, php-format -msgid "%sWarning%s" -msgstr "%s警告%s" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:56 -msgid "Sorry, this theme is only meant for use on touch smartphones." -msgstr "申し訳ありません、このテーマはタッチ式スマートフォンで利用するためのものです。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:89 -#: /Users/yamk/Work/wptouch/wptouch/themes/default/index.php:130 -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:38 -msgid "Tags" -msgstr "タグ" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:93 -#: /Users/yamk/Work/wptouch/wptouch/themes/default/index.php:129 -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:37 -msgid "Categories" -msgstr "カテゴリー" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:158 -#, php-format -msgid "Search results › %s" -msgstr "検索結果 › %s" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:160 -#, php-format -msgid "Categories › %s" -msgstr "カテゴリー › %s" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:162 -#, php-format -msgid "Tags › %s" -msgstr "タグ › %s" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:164 -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:166 -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:168 -#, php-format -msgid "Archives › %s" -msgstr "アーカイブ › %s" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:180 -msgid "No more entries to display." -msgstr "これ以上表示する項目がありません。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:182 -msgid "No more search results to display." -msgstr "これ以上検索結果がありません。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:184 -msgid "No search results results found." -msgstr "検索結果はありません。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:184 -msgid "Try another query." -msgstr "他の問い合わせを試してください。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:187 -msgid "404 Not Found" -msgstr "404 ページがありません" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:188 -msgid "The page or post you were looking for is missing or has been removed." -msgstr "お探しのページまたは投稿は、存在しないか削除されました。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:241 -msgid "edit" -msgstr "編集" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:242 -msgid "del" -msgstr "削除" - -#: /Users/yamk/Work/wptouch/wptouch/themes/core/core-functions.php:243 -msgid "spam" -msgstr "spam" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:7 -msgid "This post is password protected. Enter the password to view comments." -msgstr "この投稿はパスワードで保護されています。コメントを見るにはパスワードを入力してください。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:18 -msgid "No Responses Yet" -msgstr "レスポンスなし" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:19 -msgid "1 Response" -msgstr "1件のレスポンス" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:20 -msgid "% Responses" -msgstr "% 件のレスポンス" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:40 -msgid "ago" -msgstr "前" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:71 -msgid "Comments are closed." -msgstr "コメントはクローズされました。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:81 -#, php-format -msgid "You must %slogin</a> or %sregister</a> to comment" -msgstr "コメントを入れるには、%sログイン</a> または %sユーザ登録</a> する必要があります。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:89 -msgid "Success! Comment added." -msgstr "成功です! コメントが追加されました。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:90 -msgid "Refresh the page to see your comment." -msgstr "コメントを表示するには、このページを再読込してください。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:91 -msgid "(If your comment requires moderation it will be added soon.)" -msgstr "(コメントに承認が必要な場合は、近いうちに追加されます。)" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:98 -msgid "Logged in as" -msgstr "ログイン: " - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:102 -msgid "Leave A Comment" -msgstr "コメントを入れる" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:105 -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:153 -msgid "Name" -msgstr "名前" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:110 -msgid "Mail (unpublished)" -msgstr "メール(非表示)" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:115 -msgid "Website" -msgstr "Webサイト" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:119 -msgid "There was an error posting your comment. Maybe it was too short?" -msgstr "コメントを登録する際にエラーが発生しました。短すぎたりしませんか?" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:125 -msgid "Publish" -msgstr "登録" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/comments.php:128 -msgid "Publishing..." -msgstr "登録中..." - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/footer.php:10 -msgid "Powered by" -msgstr "Powered by" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/footer.php:10 -msgid "WordPress" -msgstr "WordPress" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/footer.php:10 -msgid "+" -msgstr "+" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/functions.php:75 -msgid "mo" -msgstr "月" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/functions.php:76 -msgid "wk" -msgstr "週" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/functions.php:77 -msgid "day" -msgstr "日" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/functions.php:78 -msgid "hr" -msgstr "時" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/functions.php:79 -msgid "min" -msgstr "分" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:10 -msgid "Notice" -msgstr "注意" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:11 -msgid "JavaScript for Mobile Safari is currently turned off." -msgstr "Mobile Safari の Javascript は現在オフになっています。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:12 -msgid "Turn it on in " -msgstr "オンに変更してください。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:12 -msgid "Settings › Safari" -msgstr "設定 %rsaquo; Safari" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:12 -msgid " to view this website." -msgstr "このWebサイトを見るために。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:18 -msgid "Your Push Notification was sent." -msgstr "Push 通知を送信しました。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:20 -msgid "Your Push Notification cannot be delivered at this time." -msgstr "Push 通知は現在送信できません。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:28 -msgid "Username" -msgstr "ユーザ名" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:29 -msgid "Password" -msgstr "パスワード" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:31 -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:58 -msgid "Login" -msgstr "ログイン" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:42 -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:43 -msgid "Search..." -msgstr "検索中..." - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:53 -msgid "Menu" -msgstr "メニュー" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:60 -msgid "My Account" -msgstr "マイアカウント" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:88 -msgid "Enter your username and password<br />in the boxes above." -msgstr "上のボックスに<br />ユーザ名・パスワードを入れてください。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:91 -msgid "Not registered yet?" -msgstr "まだ未登録ですか?" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:93 -#, php-format -msgid "You can %ssign-up here%s." -msgstr "%sここでサインアップ%s することができます。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:98 -msgid "Admin" -msgstr "管理" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:101 -msgid "Register for this site" -msgstr "このサイトに登録" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:104 -msgid "Account Profile" -msgstr "アカウントのプロファイル" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:105 -msgid "Logout" -msgstr "ログアウト" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:128 -msgid "Search" -msgstr "検索" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:132 -msgid "Message" -msgstr "メッセージ" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:136 -msgid "Twitter" -msgstr "Twitter" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:140 -msgid "Tour Dates" -msgstr "Tour Dates" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:147 -msgid "Send a Message" -msgstr "メッセージを送信" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:148 -msgid "This message will be pushed to the admin's iPhone instantly." -msgstr "このメッセージは、管理者のiPhoneへ直ちにプッシュされます。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:158 -msgid "E-Mail" -msgstr "E-Mail" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:164 -msgid "Send Now" -msgstr "送信" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:179 -msgid "Follow me on Twitter" -msgstr "Twiter でフォローする" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:192 -msgid "No recent Tweets." -msgstr "最近のツイートはありません。" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/header.php:204 -msgid "Upcoming Tour Dates" -msgstr "最近の Tour Dates" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/index.php:127 -msgid "Written on" -msgstr "投稿: " - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/index.php:127 -msgid "at" -msgstr "at" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/index.php:128 -msgid "By" -msgstr "By" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/index.php:135 -msgid "Read This Post" -msgstr "この投稿を読む" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/index.php:146 -msgid "Load more entries..." -msgstr "次のエントリを表示..." - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/index.php:154 -msgid "Newer Entries" -msgstr "新しいエントリ" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/index.php:157 -msgid "Older Entries" -msgstr "以前のエントリ" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/page.php:38 -msgid "Tag Cloud" -msgstr "タグクラウド" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/page.php:45 -msgid "Monthly Archives" -msgstr "月次アーカイブ" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/page.php:76 -msgid "Pages in this article: " -msgstr "この記事内のページ:" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:7 -msgid "Permanent Link to " -msgstr "パーマネントリンク" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:13 -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:15 -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:19 -msgid "Skip to comments" -msgstr "コメントまでスキップ" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:17 -msgid "Leave a comment" -msgstr "コメントを入れる" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:36 -msgid "Article Pages" -msgstr "記事のページ" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:46 -msgid "Check out this post:" -msgstr "この投稿をチェックアウト:" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:46 -msgid "Mail a link to this post?" -msgstr "この投稿へのリンクをメールしますか?" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:59 -msgid "Del.icio.us" -msgstr "Del.icio.us" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:61 -msgid "Digg" -msgstr "Digg" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:62 -msgid "Technorati" -msgstr "Technorati" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:63 -msgid "Magnolia" -msgstr "Magnolia" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:64 -msgid "Newsvine" -msgstr "Newsvine" - -#: /Users/yamk/Work/wptouch/wptouch/themes/default/single.php:65 -msgid "Reddit" -msgstr "Reddit" - -#: /Users/yamk/Work/wptouch/wptouch-1.9.22/html/general-settings-area.php:9 -msgid "Select the language you would like WPtouch to appear in. Custom language .mo files should be placed in wp-content/wptouch/lang." -msgstr "WPtouch で使用したい言語を選択します。カスタム 言語.mo ファイルは wp-content/wptouch/lang に置く必要があります。" - -#: /Users/yamk/Work/wptouch/wptouch-1.9.22/html/general-settings-area.php:12 -#, php-format -msgid "WPtouch by default follows your %sWordPress » Reading Options%s. You can also set a different one for WPtouch." -msgstr "WPtouch は、デフォルトでは %sWordPress » 表示設定%s に従います。WPtouch では別の設定にすることもできます。" - -#: /Users/yamk/Work/wptouch/wptouch-1.9.22/html/general-settings-area.php:15 -msgid "You can shorten your site title here so it won't be truncated by WPtouch." -msgstr "サイトのタイトルを短くすることができます。WPtouch では短縮はしません。" - -#: /Users/yamk/Work/wptouch/wptouch-1.9.22/html/general-settings-area.php:18 -msgid "Choose categories you want excluded from the main post listings in WPtouch." -msgstr "WPtouch 記事一覧画面で表示する際の、除外するカテゴリーを選択します。" - -#: /Users/yamk/Work/wptouch/wptouch-1.9.22/html/general-settings-area.php:27 -msgid "Also, choose if excerpts are shown/hidden (default is hidden)." -msgstr "抜粋を表示するかも選択してください。(デフォルトは非表示)" - -#: /Users/yamk/Work/wptouch/wptouch-1.9.22/html/head-area.php:14 -#, php-format -msgid "%sFREE Affiliate Program%s" -msgstr "%sフリーアフィリエイトプログラム%s" - -#: /Users/yamk/Work/wptouch/wptouch-1.9.22/html/head-area.php:33 -msgid "Find Out More ›" -msgstr "もっと詳しく ›" - -#~ msgid "%sBNC on Twitter%s" -#~ msgstr "%sBNC on Twitter%s" - -#~ msgid "%sBraveNewCode.com%s" -#~ msgstr "%sBraveNewCode.com%s" - -#~ msgid "" -#~ "Here you'll find information on additional WPtouch features and " -#~ "requirements, including those activated with companion plugins." -#~ msgstr "" -#~ "ここでは、WPtouch の情報や追加機能、それらの必要要件を示しています。同時に" -#~ "使用するプラグインを有効にするための情報もあります。" - -#~ msgid "WordPress Pages & Feature Support" -#~ msgstr "WordPress ページ & 機能サポート" - -#~ msgid "" -#~ "All of your WP links will automatically show on your page called 'Links'." -#~ msgstr "" -#~ "あなたの Wordpress のすべてのリンクは、「リンク」というページに表示されま" -#~ "す。" - -#~ msgid "" -#~ "If you create a page called 'Links', all your WP links would display in " -#~ "<em>WPtouch</em> style." -#~ msgstr "" -#~ "「Links」という名前のページを作ると、全ての WordPress リンクは " -#~ "<em>WPtouch</em> スタイルで表示されます。" - -#~ msgid "" -#~ "All your <a href=\"http://eightface.com/wordpress/flickrrss/\" target=" -#~ "\"_blank\">FlickrRSS</a> images will automatically show on your page " -#~ "called 'Photos'." -#~ msgstr "" -#~ "<a href=\"http://eightface.com/wordpress/flickrrss/\" target=\"_blank" -#~ "\">FlickrRSS</a> の画像はすべて、「Photos」というページに自動的に表示され" -#~ "ます。" - -#~ msgid "" -#~ "You have a page called 'Photos', but don't have <a href=\"http://" -#~ "eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> " -#~ "installed." -#~ msgstr "" -#~ "「Photos」という名前のページはありますが、<a href=\"http://eightface.com/" -#~ "wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> がインストールされ" -#~ "ていません。" - -#~ msgid "" -#~ "If you create a page called 'Photos', all your <a href=\"http://eightface." -#~ "com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> photos would " -#~ "display in <em>WPtouch</em> style." -#~ msgstr "" -#~ "「Photos」という名前のページを作ると、 <a href=\"http://eightface.com/" -#~ "wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> の画像は " -#~ "<em>WPtouch</em> スタイルで表示されます。" - -#~ msgid "" -#~ "If you create a page called 'Photos', and install the <a href=\"http://" -#~ "eightface.com/wordpress/flickrrss/\" target=\"_blank\">FlickrRSS</a> " -#~ "plugin, your photos would display in <em>WPtouch</em> style." -#~ msgstr "" -#~ "「Photos」というページを作成し、 <a href=\"http://eightface.com/wordpress/" -#~ "flickrrss/\" target=\"_blank\">FlickrRSS</a> プラグインをインストールする" -#~ "と、あなたの写真は <em>WPtouch</em> スタイルで表示されます。" - -#~ msgid "" -#~ "Your tags and your monthly listings will automatically show on your page " -#~ "called 'Archives'." -#~ msgstr "" -#~ "タグと月ごとの一覧を、自動的に「Archives」というページに表示します。" - -#~ msgid "" -#~ "If you had a page called 'Archives', your tags and monthly listings would " -#~ "display in <em>WPtouch</em> style." -#~ msgstr "" -#~ "「Archives」という名前のページがある場合、タグと月ごとの一覧が、自動的に " -#~ "<em>WPtouch</em> スタイルで表示されます。" - -#~ msgid "post_title" -#~ msgstr "post_title" - -#~ msgid "" -#~ "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />1 Comment</h3>" -#~ msgstr "" -#~ "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />1件のコメント</" -#~ "h3>" - -#~ msgid "" -#~ "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />% Comments</h3>" -#~ msgstr "" -#~ "/themes/core/core-images/com_arrow.png\" alt=\"arrow\" />% 件のコメント</" -#~ "h3>" - -#~ msgid "WPtouch" -#~ msgstr "WPtouch" - -#~ msgid "http://bravenewcode.com/products/wptouch" -#~ msgstr "http://bravenewcode.com/products/wptouch" - -#~ msgid "" -#~ "A plugin which formats your site with a mobile theme for visitors on " -#~ "Apple <a href=\"http://www.apple.com/iphone/\">iPhone</a> / <a href=" -#~ "\"http://www.apple.com/ipodtouch/\">iPod touch</a>, <a href=\"http://www." -#~ "android.com/\">Google Android</a>, <a href=\"http://www.blackberry.com/" -#~ "\">Blackberry Storm and Torch</a>, <a href=\"http://www.palm.com/us/" -#~ "products/phones/pre/\">Palm Pre</a> and other touch-based smartphones." -#~ msgstr "" -#~ "Apple <a href=\"http://www.apple.com/iphone/\">iPhone</a> / <a href=" -#~ "\"http://www.apple.com/ipodtouch/\">iPod touch</a>, <a href=\"http://www." -#~ "android.com/\">Google Android</a>, <a href=\"http://www.blackberry.com/" -#~ "\">Blackberry Storm and Torch</a>, <a href=\"http://www.palm.com/us/" -#~ "products/phones/pre/\">Palm Pre</a> およびその他タッチベースのスマートフォ" -#~ "ン向けモバイルテーマのプラグイン。" - -#~ msgid "Dale Mugford & Duane Storey (BraveNewCode Inc.)" -#~ msgstr "Dale Mugford & Duane Storey (BraveNewCode Inc.)" - -#~ msgid "http://www.bravenewcode.com" -#~ msgstr "http://www.bravenewcode.com" diff --git a/wp-content/plugins/wptouch/lang/src/wptouch.pot b/wp-content/plugins/wptouch/lang/src/wptouch.pot deleted file mode 100644 index d9436e0d2864714fa8a16bbfa343287fafa91122..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/lang/src/wptouch.pot +++ /dev/null @@ -1,1474 +0,0 @@ -# Translation of the WordPress plugin WPtouch 1.9.23.1 by Dale Mugford & Duane Storey (BraveNewCode Inc.). -# Copyright (C) 2011 Dale Mugford & Duane Storey (BraveNewCode Inc.) -# This file is distributed under the same license as the WPtouch package. -# FIRST AUTHOR <EMAIL@ADDRESS>, 2011. -# -#, fuzzy -msgid "" -msgstr "" -"Project-Id-Version: WPtouch 1.9.23.1\n" -"Report-Msgid-Bugs-To: http://wordpress.org/tag/wptouch\n" -"POT-Creation-Date: 2011-03-10 17:51-0500\n" -"PO-Revision-Date: 2011-MO-DA HO:MI+ZONE\n" -"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n" -"Language-Team: LANGUAGE <LL@li.org>\n" -"MIME-Version: 1.0\n" -"Content-Type: text/plain; charset=utf-8\n" -"Content-Transfer-Encoding: 8bit\n" - -#: ajax/file_upload.php:24 -msgid "" -"<p style=\"color:red; padding-top:10px\">There seems to have been an error." -"<p>Please try your upload again.</p>" -msgstr "" - -#: ajax/file_upload.php:26 -msgid "" -"<p style=\"color:green; padding-top:10px\">File has been saved and added to " -"the pool.</p>" -msgstr "" - -#: ajax/file_upload.php:29 -msgid "" -"<p style=\"color:orange; padding-top:10px\">Sorry, only PNG, GIF and JPG " -"images are supported.</p>" -msgstr "" - -#: ajax/file_upload.php:31 -msgid "" -"<p style=\"color:orange; padding-top:10px\">Image too large. try something " -"like 59x60.</p>" -msgstr "" - -#: ajax/file_upload.php:33 -msgid "" -"<p style=\"color:orange; padding-top:10px\">Insufficient privileges.</" -"p><p>You need to either be an admin or have more control over your server.</" -"p>" -msgstr "" - -#: ajax/news.php:16 ajax/support.php:16 ajax/support.php:28 -msgid "<li class=\"ajax-error\">No feed items found to display.</li>" -msgstr "" - -#: ajax/news.php:28 -msgid " <li class=\"ajax-error\">No feed items found to display.</li>" -msgstr "" - -#: html/ads-stats-area.php:5 -msgid "Adsense, Stats & Custom Code" -msgstr "" - -#: html/ads-stats-area.php:8 -msgid "Adsense" -msgstr "" - -#: html/ads-stats-area.php:9 -msgid "" -"Enter your Google AdSense ID if you'd like to support mobile advertising in " -"WPtouch posts." -msgstr "" - -#: html/ads-stats-area.php:10 -msgid "Make sure to include the 'pub-' part of your ID string." -msgstr "" - -#: html/ads-stats-area.php:12 -msgid "Stats & Custom Code" -msgstr "" - -#: html/ads-stats-area.php:13 -msgid "If you'd like to capture traffic statistics " -msgstr "" - -#: html/ads-stats-area.php:13 -msgid "(Google Analytics, MINT, etc.)" -msgstr "" - -#: html/ads-stats-area.php:14 -msgid "Enter the code snippet(s) for your statistics tracking." -msgstr "" - -#: html/ads-stats-area.php:14 -msgid "You can also enter custom CSS & other HTML code." -msgstr "" - -#: html/ads-stats-area.php:16 html/advanced-area.php:22 -#: html/advanced-area.php:31 html/advanced-area.php:40 -#: html/advanced-area.php:49 html/advanced-area.php:60 -#: html/advanced-area.php:68 html/advanced-area.php:76 -#: html/advanced-area.php:86 html/advanced-area.php:100 -#: html/advanced-area.php:109 html/general-settings-area.php:100 -#: html/page-area.php:31 html/push-area.php:17 html/push-area.php:49 -msgid "More Info" -msgstr "" - -#: html/ads-stats-area.php:17 -msgid "" -"You may enter a custom css file link easily. Simply add the full link to the " -"css file like this:" -msgstr "" - -#: html/ads-stats-area.php:18 -msgid "" -"<code><link rel="stylesheet" src="http://path-to-my-css-" -"file" type="text/css" media="screen" /></code>" -msgstr "" - -#: html/ads-stats-area.php:25 -msgid "Google AdSense ID" -msgstr "" - -#: html/ads-stats-area.php:26 -msgid "Google AdSense Channel" -msgstr "" - -#: html/advanced-area.php:5 -msgid "Advanced Options" -msgstr "" - -#: html/advanced-area.php:8 -msgid "" -"Choose to enable/disable advanced features & options available for " -"WPtouch." -msgstr "" - -#: html/advanced-area.php:9 -msgid "" -"* WPtouch Restricted Mode attempts to fix issues where other plugins load " -"scripts which interfere with WPtouch CSS and JavaScript." -msgstr "" - -#: html/advanced-area.php:11 -msgid "Custom User-Agents" -msgstr "" - -#: html/advanced-area.php:12 -msgid "" -"Enter a comma-separated list of user-agents to enable WPtouch for a device " -"that isn't currently officially supported." -msgstr "" - -#: html/advanced-area.php:13 -#, php-format -msgid "The currently enabled user-agents are: <em class='supported'>%s</em>" -msgstr "" - -#: html/advanced-area.php:20 -msgid "Enable Categories tab in the header" -msgstr "" - -#: html/advanced-area.php:23 -msgid "This will add a 'Categories' tab item in the WPtouch drop-down." -msgstr "" - -#: html/advanced-area.php:24 -msgid "It will display a list of your popular categories." -msgstr "" - -#: html/advanced-area.php:29 -msgid "Enable Tags tab in the header" -msgstr "" - -#: html/advanced-area.php:32 -msgid "This will add a 'Tags' tab item in the WPtouch drop-down." -msgstr "" - -#: html/advanced-area.php:33 -msgid "It will display a list of your popular tags." -msgstr "" - -#: html/advanced-area.php:38 -msgid "Enable Search link in the header" -msgstr "" - -#: html/advanced-area.php:41 -msgid "This will add a 'Search' item in the WPtouch sub header." -msgstr "" - -#: html/advanced-area.php:42 -msgid "" -"It will display an overlay on the title area allowing users to search your " -"website." -msgstr "" - -#: html/advanced-area.php:47 -msgid "Enable Login/My Account tab in the header" -msgstr "" - -#: html/advanced-area.php:50 -msgid "" -"This will add a 'Login' tab in the WPtouch sub header beside the Tags and " -"Categories tabs if they are also enabled." -msgstr "" - -#: html/advanced-area.php:51 -msgid "" -"It will display a username/password drop-down, allowing users to login plus " -"be automatically re-directed back to the page they logged in from without " -"seeing the WP admin." -msgstr "" - -#: html/advanced-area.php:52 -msgid "" -"Once logged in, a new 'My Account' button will appear. The 'My Account' " -"button shows useful links depending on the type of account (subscriber, " -"admin, etc.)." -msgstr "" - -#: html/advanced-area.php:53 -msgid "" -"NOTE: The Account tab/links will always appear if you have enabled " -"registration on your site or require users to login for comments." -msgstr "" - -#: html/advanced-area.php:58 -msgid "" -"Display Upcoming Dates link in the header (requires <a href='http://gigpress." -"com/' target='_blank'>GigPress 2.0.3</a> or higher)" -msgstr "" - -#: html/advanced-area.php:61 -msgid "" -"When this option is checked and the GigPress plugin is installed, a list of " -"your Upcoming Shows will be viewable from a drop-down in the WPtouch header." -msgstr "" - -#: html/advanced-area.php:66 -msgid "" -"Display Twitter link in the header (requires <a href='http://www." -"bravenewcode.com/wordtwit/' target='_blank'>WordTwit 2.3.3</a> or higher)" -msgstr "" - -#: html/advanced-area.php:69 -msgid "" -"When this option is checked and the WordTwit plugin is installed, a list of " -"your Tweets will be viewable from a drop-down in the WPtouch header." -msgstr "" - -#: html/advanced-area.php:74 -msgid "Enable comments on posts" -msgstr "" - -#: html/advanced-area.php:77 -msgid "" -"If unchecked, this will hide all commenting features on posts and blog " -"listings." -msgstr "" - -#: html/advanced-area.php:84 -msgid "Enable comments on pages" -msgstr "" - -#: html/advanced-area.php:87 -msgid "" -"This will add the comment form to all pages with 'Allow Comments' checked in " -"your WordPress admin." -msgstr "" - -#: html/advanced-area.php:93 -msgid "Enable gravatars in comments" -msgstr "" - -#: html/advanced-area.php:98 -#, php-format -msgid "1%sst%s visit mobile users will see desktop theme" -msgstr "" - -#: html/advanced-area.php:101 -msgid "" -"When this option is checked, users will see your regular site theme first, " -"and have the option in your footer to switch to the WPtouch mobile view." -msgstr "" - -#: html/advanced-area.php:102 -msgid "" -"They'll be able to change back and forth either way. Make sure you have the " -"wp_footer(); function call in your regular theme's footer.php file for the " -"switch link to work properly." -msgstr "" - -#: html/advanced-area.php:107 -msgid "Enable WPtouch Restricted Mode" -msgstr "" - -#: html/advanced-area.php:110 -msgid "" -"Disallow other plugins from loading into scripts into WPtouch's header and " -"footer." -msgstr "" - -#: html/advanced-area.php:111 -msgid "Sometimes fixes incompatibilities and speeds up WPtouch." -msgstr "" - -#: html/advanced-area.php:112 -msgid "" -"Some plugins load conflicting javascript, extra CSS style sheets, and other " -"functional code into your theme to accomplish what they add to your site. As " -"WPtouch works complete on its own without any other plugin installed, in " -"some cases (where you have several plugins or find something doesn't work " -"right with WPtouch) you may want to enable Restricted Mode to ensure that " -"WPtouch works properly, and loads quickly for mobile users." -msgstr "" - -#: html/advanced-area.php:117 -msgid "Custom user-agents" -msgstr "" - -#: html/advanced-area.php:119 -msgid "" -"After changing the user-agents, please visit the WP Super Cache admin page " -"and update your rewrite rules." -msgstr "" - -#: html/general-settings-area.php:5 -msgid "General Settings" -msgstr "" - -#: html/general-settings-area.php:8 -msgid "Regionalization Settings" -msgstr "" - -#: html/general-settings-area.php:9 -msgid "" -"Select the language you would like WPtouch to appear in. Custom language ." -"mo files should be placed in wp-content/wptouch/lang." -msgstr "" - -#: html/general-settings-area.php:11 -msgid "Home Page Re-Direction" -msgstr "" - -#: html/general-settings-area.php:12 -#, php-format -msgid "" -"WPtouch by default follows your %sWordPress » Reading Options%s. You " -"can also set a different one for WPtouch." -msgstr "" - -#: html/general-settings-area.php:14 -msgid "Site Title" -msgstr "" - -#: html/general-settings-area.php:15 -msgid "" -"You can shorten your site title here so it won't be truncated by WPtouch." -msgstr "" - -#: html/general-settings-area.php:17 -msgid "Excluded Categories" -msgstr "" - -#: html/general-settings-area.php:18 -msgid "" -"Choose categories you want excluded from the main post listings in WPtouch." -msgstr "" - -#: html/general-settings-area.php:20 -msgid "Text Justification Options" -msgstr "" - -#: html/general-settings-area.php:21 -msgid "Set the alignment for text." -msgstr "" - -#: html/general-settings-area.php:24 -msgid "Post Listings Options" -msgstr "" - -#: html/general-settings-area.php:25 -msgid "" -"Choose between calendar Icons, post thumbnails (WP 2.9) or none for your " -"post listings." -msgstr "" - -#: html/general-settings-area.php:26 -msgid "" -"Select which meta items are shown below titles on main, search, & " -"archives pages." -msgstr "" - -#: html/general-settings-area.php:27 -msgid "Also, choose if excerpts are shown/hidden (default is hidden)." -msgstr "" - -#: html/general-settings-area.php:29 -msgid "Footer Message" -msgstr "" - -#: html/general-settings-area.php:30 -msgid "Customize the default footer message shown in WPtouch here." -msgstr "" - -#: html/general-settings-area.php:34 -msgid "WPtouch Language" -msgstr "" - -#: html/general-settings-area.php:38 -msgid "Automatically detected" -msgstr "" - -#: html/general-settings-area.php:56 -msgid "WPtouch Home Page" -msgstr "" - -#: html/general-settings-area.php:61 html/page-area.php:63 -msgid "You have no pages yet. Create some first!" -msgstr "" - -#: html/general-settings-area.php:67 -msgid "Site title text" -msgstr "" - -#: html/general-settings-area.php:73 -msgid "Comma list of Category IDs, eg: 1,2,3" -msgstr "" - -#: html/general-settings-area.php:74 -msgid "Comma list of Tag IDs, eg: 1,2,3" -msgstr "" - -#: html/general-settings-area.php:82 -msgid "Left" -msgstr "" - -#: html/general-settings-area.php:83 -msgid "Full" -msgstr "" - -#: html/general-settings-area.php:85 -msgid "Font justification" -msgstr "" - -#: html/general-settings-area.php:93 -msgid "Calendar Icons" -msgstr "" - -#: html/general-settings-area.php:94 -msgid "Post Thumbnails / Featured Images" -msgstr "" - -#: html/general-settings-area.php:95 -msgid "Post Thumbnails / Featured Images (Random)" -msgstr "" - -#: html/general-settings-area.php:96 -msgid "No Icon or Thumbnail" -msgstr "" - -#: html/general-settings-area.php:98 -msgid "Post Listings Display" -msgstr "" - -#: html/general-settings-area.php:98 -msgid "Thumbnails Requires WordPress 2.9+" -msgstr "" - -#: html/general-settings-area.php:101 -msgid "" -"This will change the display of blog and post listings between Calendar " -"Icons view and Post Thumbnails view." -msgstr "" - -#: html/general-settings-area.php:102 -msgid "" -"The <em>Post Thumbnails w/ Random</em> option will fill missing post " -"thumbnails with random abstract images. (WP 2.9+)" -msgstr "" - -#: html/general-settings-area.php:109 -msgid "Enable Truncated Titles" -msgstr "" - -#: html/general-settings-area.php:109 -msgid "Will use ellipses when titles are too long instead of wrapping them" -msgstr "" - -#: html/general-settings-area.php:113 -msgid "Show Author's Name" -msgstr "" - -#: html/general-settings-area.php:117 -msgid "Show Categories" -msgstr "" - -#: html/general-settings-area.php:121 -msgid "Show Tags" -msgstr "" - -#: html/general-settings-area.php:125 -msgid "Hide Excerpts" -msgstr "" - -#: html/general-settings-area.php:129 -msgid "Footer message" -msgstr "" - -#: html/head-area.php:13 -#, php-format -msgid "%sGet WPtouch Pro%s" -msgstr "" - -#: html/head-area.php:14 -#, php-format -msgid "%sJoin our FREE WPtouch Pro Affiliate Program%s" -msgstr "" - -#: html/head-area.php:15 -#, php-format -msgid "%sFollow Us on Twitter%s" -msgstr "" - -#: html/head-area.php:24 -msgid "WPtouch Wire" -msgstr "" - -#: html/head-area.php:33 -msgid "Find Out More ››" -msgstr "" - -#: html/icon-area.php:24 -msgid "Default & Custom Icon Pool" -msgstr "" - -#: html/icon-area.php:27 -msgid "Adding Icons" -msgstr "" - -#: html/icon-area.php:28 -msgid "" -"To add icons to the pool, simply upload a .png, .jpeg or .gif image from " -"your computer." -msgstr "" - -#: html/icon-area.php:30 -#, php-format -msgid "Default icons generously provided by %sMarcelo Marfil%s." -msgstr "" - -#: html/icon-area.php:32 -msgid "Logo/Bookmark Icons" -msgstr "" - -#: html/icon-area.php:33 -msgid "" -"If you're adding a logo icon, the best dimensions for it are 59x60px (png) " -"when used as a bookmark icon." -msgstr "" - -#: html/icon-area.php:34 -#, php-format -msgid "Need help? You can use %sthis easy online icon generator%s to make one." -msgstr "" - -#: html/icon-area.php:35 -msgid "" -"These files will be stored in this folder we create: .../wp-content/uploads/" -"wptouch/custom-icons" -msgstr "" - -#: html/icon-area.php:36 -msgid "" -"If an upload fails (usually it's a permission problem) check your wp-content " -"path settings in WordPress' Miscellaneous Settings, or create the folder " -"yourself using FTP and try again." -msgstr "" - -#: html/icon-area.php:38 -msgid "Upload Icon" -msgstr "" - -#: html/icon-area.php:42 -msgid "Uploading..." -msgstr "" - -#: html/page-area.php:5 -msgid "Logo Icon // Menu Items & Pages Icons" -msgstr "" - -#: html/page-area.php:8 -msgid "Logo / Home Screen Icon <br />& Default Menu Items" -msgstr "" - -#: html/page-area.php:9 -#, php-format -msgid "" -"If you do not want your logo to have the glossy effect added to it, make " -"sure you select %sEnable Flat Bookmark Icon%s" -msgstr "" - -#: html/page-area.php:10 -msgid "" -"Choose the logo displayed in the header (also your bookmark icon), and the " -"pages you want included in the WPtouch drop-down menu." -msgstr "" - -#: html/page-area.php:11 -msgid "Remember, only those checked will be shown." -msgstr "" - -#: html/page-area.php:12 -msgid "Enable/Disable default items in the WPtouch site menu." -msgstr "" - -#: html/page-area.php:14 -msgid "Pages + Icons" -msgstr "" - -#: html/page-area.php:15 -msgid "" -"Next, select the icons from the lists that you want to pair with each page " -"menu item." -msgstr "" - -#: html/page-area.php:16 -msgid "" -"You can also decide if pages are listed by the page order (ID) in WordPress, " -"or by name (default)." -msgstr "" - -#: html/page-area.php:24 -msgid "Logo & Home Screen Bookmark Icon" -msgstr "" - -#: html/page-area.php:29 -msgid "Enable Flat Bookmark Icon" -msgstr "" - -#: html/page-area.php:32 -msgid "" -"The default applies for iPhone/iPod touch applies a glossy effect to the " -"home-screen bookmark/logo icon you select." -msgstr "" - -#: html/page-area.php:33 -msgid "" -"When checked your icon will not have the glossy effect automatically applied " -"to it." -msgstr "" - -#: html/page-area.php:36 -msgid "Enable Home Menu Item" -msgstr "" - -#: html/page-area.php:37 -msgid "Enable RSS Menu Item" -msgstr "" - -#: html/page-area.php:38 -msgid "Enable Email Menu Item" -msgstr "" - -#: html/page-area.php:38 -msgid "Uses default WordPress admin e-mail" -msgstr "" - -#: html/page-area.php:43 -msgid "By Name" -msgstr "" - -#: html/page-area.php:44 -msgid "By Page ID" -msgstr "" - -#: html/page-area.php:46 -msgid "Menu List Sort Order" -msgstr "" - -#: html/plugin-compat-area.php:7 -msgid "Plugin Support & Compatibility" -msgstr "" - -#: html/plugin-compat-area.php:13 -msgid "WordPress version: " -msgstr "" - -#: html/plugin-compat-area.php:16 -#, php-format -msgid "WPtouch %s support: " -msgstr "" - -#: html/plugin-compat-area.php:18 -#, php-format -msgid "%sUnverified%s" -msgstr "" - -#: html/plugin-compat-area.php:20 -#, php-format -msgid "%sSupported%s" -msgstr "" - -#: html/plugin-compat-area.php:22 -#, php-format -msgid "%sUnsupported. Upgrade Required.%s" -msgstr "" - -#: html/plugin-compat-area.php:27 -msgid "Here you'll find information on plugin compatibility." -msgstr "" - -#: html/plugin-compat-area.php:32 -msgid "Known Plugin Support & Conflicts" -msgstr "" - -#: html/plugin-compat-area.php:36 -#, php-format -msgid "%sPeter's Custom Anti-Spam%s is fully supported." -msgstr "" - -#: html/plugin-compat-area.php:41 -#, php-format -msgid "%sWP Spam Free%s is fully supported." -msgstr "" - -#: html/plugin-compat-area.php:46 -#, php-format -msgid "" -"%sFlickrRSS%s: Your photos will automatically show on a page with the slug " -"\"photos\" if you have it. Fully supported." -msgstr "" - -#: html/plugin-compat-area.php:51 -#, php-format -msgid "" -"WP Cache is supported, but requires configuration. %sFollow this video " -"tutorial%s for more information." -msgstr "" - -#: html/plugin-compat-area.php:56 -#, php-format -msgid "" -"WP Super Cache is supported, but requires configuration. %sFollow this video " -"tutorial%s for more information." -msgstr "" - -#: html/plugin-compat-area.php:61 -#, php-format -msgid "" -"W3 Total Cache is supported, but requires configuration. %sFollow this video " -"tutorial%s for more information." -msgstr "" - -#: html/plugin-compat-area.php:66 -#, php-format -msgid "" -"%sWP CSS%s is supported, but does\tnot compress WPtouch's CSS. WPtouch files " -"are pre-optimized for mobile devices already." -msgstr "" - -#: html/plugin-compat-area.php:71 -#, php-format -msgid "" -"%sShare This%s is supported, but requires the WPtouch setting \"Enable " -"Restrictive Mode\" turned on to work properly." -msgstr "" - -#: html/plugin-compat-area.php:76 -#, php-format -msgid "" -"WordPress Admin Bar requires additional configuration to work with WPtouch. %" -"sFollow this comment%s on the developer's official site." -msgstr "" - -#: html/plugin-compat-area.php:81 -#, php-format -msgid "%sWP Simple Captcha%s is not currently supported." -msgstr "" - -#: html/plugin-compat-area.php:86 -#, php-format -msgid "%sNextGEN Gallery%s is not currently supported." -msgstr "" - -#: html/plugin-compat-area.php:91 -#, php-format -msgid "" -"%sYet another ajax paged comments%s (YAAPC) is not currently supported. " -"WPtouch uses its own ajaxed comments. WPtouch Pro supports WP 2.7+ comments " -"out-of-the-box." -msgstr "" - -#: html/plugin-compat-area.php:96 -#, php-format -msgid "" -"%sLightview Plus%s is not currently supported. Images may not open in a " -"viewer or separate page." -msgstr "" - -#: html/push-area.php:4 -msgid "Push Notification Options" -msgstr "" - -#: html/push-area.php:7 -#, php-format -msgid "" -"Here you can configure WPtouch to push selected notifications through your %" -"sProwl%s account to your iPhone, iPod touch and Growl-enabled Mac or PC." -msgstr "" - -#: html/push-area.php:8 -#, php-format -msgid "" -"%sMake sure you generate a Prowl API key to use here%s otherwise no " -"notifications will be pushed to you." -msgstr "" - -#: html/push-area.php:15 -msgid "Prowl API Key" -msgstr "" - -#: html/push-area.php:15 -#, php-format -msgid "%sCreate a key now%s" -msgstr "" - -#: html/push-area.php:18 -msgid "" -"In order to enable Prowl notifications, you must create a Prowl account, and " -"download/configure the Prowl application for iPhone." -msgstr "" - -#: html/push-area.php:19 -msgid "" -"Next, visit the Prowl website and generate your API key, which we use to " -"connect securely and send your notifications." -msgstr "" - -#: html/push-area.php:21 -#, php-format -msgid "%sVisit the Prowl Website%s" -msgstr "" - -#: html/push-area.php:21 -#, php-format -msgid "%sVisit iTunes to Download Prowl%s" -msgstr "" - -#: html/push-area.php:25 -msgid "Your Prowl API key has been verified." -msgstr "" - -#: html/push-area.php:28 -msgid "Sorry, your Prowl API key is not verified." -msgstr "" - -#: html/push-area.php:29 -msgid "" -"Please check your key and make sure there are no spaces or extra characters." -msgstr "" - -#: html/push-area.php:39 -msgid "Notify me of new comments & pingbacks/tracksbacks" -msgstr "" - -#: html/push-area.php:43 -msgid "Notify me of new account registrations" -msgstr "" - -#: html/push-area.php:47 -msgid "Allow users to send me direct messages" -msgstr "" - -#: html/push-area.php:50 -msgid "" -"This enables a new link to a drop-down in the submenu bar for WPtouch " -"('Message Me')." -msgstr "" - -#: html/push-area.php:51 -msgid "" -"When opened, a form is shown for users to fill in. The name, e-mail address, " -"and message area is shown. Thier IP will also be sent to you, in case you " -"want to ban it in the WordPress admin." -msgstr "" - -#: html/push-area.php:55 -#, php-format -msgid "" -"%sCURL is required%s on your webserver to use Push capabilities in WPtouch." -msgstr "" - -#: html/style-area.php:5 -msgid "Style & Color Options" -msgstr "" - -#: html/style-area.php:8 -msgid "Here you can customize some of the more visible features of WPtouch." -msgstr "" - -#: html/style-area.php:17 -msgid "The default WPtouch theme emulates a native iPhone application." -msgstr "" - -#: html/style-area.php:21 -msgid "Classic" -msgstr "" - -#: html/style-area.php:24 -msgid "Horizontal Grey" -msgstr "" - -#: html/style-area.php:27 -msgid "Diagonal Grey" -msgstr "" - -#: html/style-area.php:30 -msgid "Skated Concrete" -msgstr "" - -#: html/style-area.php:33 -msgid "Argyle Tie" -msgstr "" - -#: html/style-area.php:36 -msgid "Thatches" -msgstr "" - -#: html/style-area.php:39 -msgid "Background" -msgstr "" - -#: html/style-area.php:43 -msgid "Helvetica Neue" -msgstr "" - -#: html/style-area.php:46 -msgid "Helvetica" -msgstr "" - -#: html/style-area.php:49 -msgid "Thonburi" -msgstr "" - -#: html/style-area.php:52 -msgid "Georgia" -msgstr "" - -#: html/style-area.php:55 -msgid "Geeza Pro" -msgstr "" - -#: html/style-area.php:58 -msgid "Verdana" -msgstr "" - -#: html/style-area.php:61 -msgid "Arial Rounded MT Bold" -msgstr "" - -#: html/style-area.php:64 -msgid "Post Title H2 Font" -msgstr "" - -#: html/style-area.php:66 -msgid "Title text color" -msgstr "" - -#: html/style-area.php:67 -msgid "Header background color" -msgstr "" - -#: html/style-area.php:68 -msgid "Sub-header background color" -msgstr "" - -#: html/style-area.php:69 -msgid "Site-wide links color" -msgstr "" - -#: include/submit.php:7 -msgid "Nonce Failure" -msgstr "" - -#: include/submit.php:12 -msgid "Security failure. Please log in again." -msgstr "" - -#: themes/core/core-functions.php:22 -#, php-format -msgid "%sHome%s" -msgstr "" - -#: themes/core/core-functions.php:35 -msgid "post_title" -msgstr "" - -#: themes/core/core-functions.php:41 -#, php-format -msgid "%sRSS Feed%s" -msgstr "" - -#: themes/core/core-functions.php:47 -#, php-format -msgid "%sE-Mail%s" -msgstr "" - -#: themes/core/core-functions.php:54 -#, php-format -msgid "%sWarning%s" -msgstr "" - -#: themes/core/core-functions.php:56 -msgid "Sorry, this theme is only meant for use on touch smartphones." -msgstr "" - -#: themes/core/core-functions.php:89 themes/default/index.php:130 -#: themes/default/single.php:38 -msgid "Tags" -msgstr "" - -#: themes/core/core-functions.php:93 themes/default/index.php:129 -#: themes/default/single.php:37 -msgid "Categories" -msgstr "" - -#: themes/core/core-functions.php:132 -#, php-format -msgid "Search results › %s" -msgstr "" - -#: themes/core/core-functions.php:134 -#, php-format -msgid "Categories › %s" -msgstr "" - -#: themes/core/core-functions.php:136 -#, php-format -msgid "Tags › %s" -msgstr "" - -#: themes/core/core-functions.php:138 themes/core/core-functions.php:140 -#: themes/core/core-functions.php:142 -#, php-format -msgid "Archives › %s" -msgstr "" - -#: themes/core/core-functions.php:154 -msgid "No more entries to display." -msgstr "" - -#: themes/core/core-functions.php:156 -msgid "No more search results to display." -msgstr "" - -#: themes/core/core-functions.php:158 -msgid "No search results results found." -msgstr "" - -#: themes/core/core-functions.php:158 -msgid "Try another query." -msgstr "" - -#: themes/core/core-functions.php:161 -msgid "404 Not Found" -msgstr "" - -#: themes/core/core-functions.php:162 -msgid "The page or post you were looking for is missing or has been removed." -msgstr "" - -#: themes/core/core-functions.php:169 wptouch.php:605 -msgid "Mobile Theme" -msgstr "" - -#: themes/core/core-functions.php:215 -msgid "edit" -msgstr "" - -#: themes/core/core-functions.php:216 -msgid "del" -msgstr "" - -#: themes/core/core-functions.php:217 -msgid "spam" -msgstr "" - -#: themes/default/comments.php:7 -msgid "This post is password protected. Enter the password to view comments." -msgstr "" - -#: themes/default/comments.php:18 -msgid "No Responses Yet" -msgstr "" - -#: themes/default/comments.php:19 -msgid "1 Response" -msgstr "" - -#: themes/default/comments.php:20 -msgid "% Responses" -msgstr "" - -#: themes/default/comments.php:40 -msgid "ago" -msgstr "" - -#: themes/default/comments.php:71 -msgid "Comments are closed." -msgstr "" - -#: themes/default/comments.php:81 -#, php-format -msgid "You must %slogin</a> or %sregister</a> to comment" -msgstr "" - -#: themes/default/comments.php:89 -msgid "Success! Comment added." -msgstr "" - -#: themes/default/comments.php:90 -msgid "Refresh the page to see your comment." -msgstr "" - -#: themes/default/comments.php:91 -msgid "(If your comment requires moderation it will be added soon.)" -msgstr "" - -#: themes/default/comments.php:98 -msgid "Logged in as" -msgstr "" - -#: themes/default/comments.php:102 -msgid "Leave A Comment" -msgstr "" - -#: themes/default/comments.php:105 themes/default/header.php:153 -msgid "Name" -msgstr "" - -#: themes/default/comments.php:110 -msgid "Mail (unpublished)" -msgstr "" - -#: themes/default/comments.php:115 -msgid "Website" -msgstr "" - -#: themes/default/comments.php:119 -msgid "There was an error posting your comment. Maybe it was too short?" -msgstr "" - -#: themes/default/comments.php:125 -msgid "Publish" -msgstr "" - -#: themes/default/comments.php:128 -msgid "Publishing..." -msgstr "" - -#: themes/default/footer.php:10 -msgid "Powered by" -msgstr "" - -#: themes/default/footer.php:10 -msgid "WordPress" -msgstr "" - -#: themes/default/footer.php:10 -msgid "+" -msgstr "" - -#: themes/default/functions.php:105 -msgid "mo" -msgstr "" - -#: themes/default/functions.php:106 -msgid "wk" -msgstr "" - -#: themes/default/functions.php:107 -msgid "day" -msgstr "" - -#: themes/default/functions.php:108 -msgid "hr" -msgstr "" - -#: themes/default/functions.php:109 -msgid "min" -msgstr "" - -#: themes/default/header.php:10 -msgid "Notice" -msgstr "" - -#: themes/default/header.php:11 -msgid "JavaScript for Mobile Safari is currently turned off." -msgstr "" - -#: themes/default/header.php:12 -msgid "Turn it on in " -msgstr "" - -#: themes/default/header.php:12 -msgid "Settings › Safari" -msgstr "" - -#: themes/default/header.php:12 -msgid " to view this website." -msgstr "" - -#: themes/default/header.php:18 -msgid "Your Push Notification was sent." -msgstr "" - -#: themes/default/header.php:20 -msgid "Your Push Notification cannot be delivered at this time." -msgstr "" - -#: themes/default/header.php:28 -msgid "Username" -msgstr "" - -#: themes/default/header.php:29 -msgid "Password" -msgstr "" - -#: themes/default/header.php:31 themes/default/header.php:58 -msgid "Login" -msgstr "" - -#: themes/default/header.php:42 themes/default/header.php:43 -msgid "Search..." -msgstr "" - -#: themes/default/header.php:53 -msgid "Menu" -msgstr "" - -#: themes/default/header.php:60 -msgid "My Account" -msgstr "" - -#: themes/default/header.php:88 -msgid "Enter your username and password<br />in the boxes above." -msgstr "" - -#: themes/default/header.php:91 -msgid "Not registered yet?" -msgstr "" - -#: themes/default/header.php:93 -#, php-format -msgid "You can %ssign-up here%s." -msgstr "" - -#: themes/default/header.php:98 -msgid "Admin" -msgstr "" - -#: themes/default/header.php:101 -msgid "Register for this site" -msgstr "" - -#: themes/default/header.php:104 -msgid "Account Profile" -msgstr "" - -#: themes/default/header.php:105 -msgid "Logout" -msgstr "" - -#: themes/default/header.php:128 -msgid "Search" -msgstr "" - -#: themes/default/header.php:132 -msgid "Message" -msgstr "" - -#: themes/default/header.php:136 -msgid "Twitter" -msgstr "" - -#: themes/default/header.php:140 -msgid "Tour Dates" -msgstr "" - -#: themes/default/header.php:147 -msgid "Send a Message" -msgstr "" - -#: themes/default/header.php:148 -msgid "This message will be pushed to the admin's iPhone instantly." -msgstr "" - -#: themes/default/header.php:158 -msgid "E-Mail" -msgstr "" - -#: themes/default/header.php:164 -msgid "Send Now" -msgstr "" - -#: themes/default/header.php:179 -msgid "Follow me on Twitter" -msgstr "" - -#: themes/default/header.php:192 -msgid "No recent Tweets." -msgstr "" - -#: themes/default/header.php:204 -msgid "Upcoming Tour Dates" -msgstr "" - -#: themes/default/index.php:127 -msgid "Written on" -msgstr "" - -#: themes/default/index.php:127 -msgid "at" -msgstr "" - -#: themes/default/index.php:128 -msgid "By" -msgstr "" - -#: themes/default/index.php:135 -msgid "Read This Post" -msgstr "" - -#: themes/default/index.php:146 -msgid "Load more entries..." -msgstr "" - -#: themes/default/index.php:154 -msgid "Newer Entries" -msgstr "" - -#: themes/default/index.php:157 -msgid "Older Entries" -msgstr "" - -#: themes/default/page.php:38 -msgid "Tag Cloud" -msgstr "" - -#: themes/default/page.php:45 -msgid "Monthly Archives" -msgstr "" - -#: themes/default/page.php:76 -msgid "Pages in this article: " -msgstr "" - -#: themes/default/single.php:7 -msgid "Permanent Link to " -msgstr "" - -#: themes/default/single.php:13 themes/default/single.php:15 -#: themes/default/single.php:19 -msgid "Skip to comments" -msgstr "" - -#: themes/default/single.php:17 -msgid "Leave a comment" -msgstr "" - -#: themes/default/single.php:36 -msgid "Article Pages" -msgstr "" - -#: themes/default/single.php:46 -msgid "Check out this post:" -msgstr "" - -#: themes/default/single.php:46 -msgid "Mail a link to this post?" -msgstr "" - -#: themes/default/single.php:59 -msgid "Del.icio.us" -msgstr "" - -#: themes/default/single.php:61 -msgid "Digg" -msgstr "" - -#: themes/default/single.php:62 -msgid "Technorati" -msgstr "" - -#: themes/default/single.php:63 -msgid "Magnolia" -msgstr "" - -#: themes/default/single.php:64 -msgid "Newsvine" -msgstr "" - -#: themes/default/single.php:65 -msgid "Reddit" -msgstr "" - -#: wptouch.php:215 -msgid "Settings" -msgstr "" - -#: wptouch.php:392 -msgid "New Ping/Trackback" -msgstr "" - -#: wptouch.php:398 -msgid "New Comment" -msgstr "" - -#: wptouch.php:426 -msgid "User Registration" -msgstr "" - -#: wptouch.php:470 -msgid "Direct Message" -msgstr "" - -#: wptouch.php:612 -msgid "WPtouch iPhone Theme" -msgstr "" - -#: wptouch.php:913 -msgid "Settings saved" -msgstr "" - -#: wptouch.php:918 -msgid "Defaults restored" -msgstr "" - -#: wptouch.php:939 -msgid "Save Options" -msgstr "" - -#: wptouch.php:943 -msgid "Restore default WPtouch settings?" -msgstr "" - -#: wptouch.php:943 -msgid "Restore Defaults" -msgstr "" - -#. Plugin Name of the plugin/theme -msgid "WPtouch" -msgstr "" - -#. Plugin URI of the plugin/theme -msgid "http://www.bravenewcode.com/wptouch" -msgstr "" - -#. Description of the plugin/theme -msgid "" -"A plugin which formats your site with a mobile theme for visitors on Apple " -"<a href=\"http://www.apple.com/iphone/\">iPhone</a> / <a href=\"http://www." -"apple.com/ipodtouch/\">iPod touch</a>, <a href=\"http://www.android.com/" -"\">Google Android</a>, <a href=\"http://www.blackberry.com/\">Blackberry " -"Storm and Torch</a>, <a href=\"http://www.palm.com/us/products/phones/pre/" -"\">Palm Pre</a> and other touch-based smartphones." -msgstr "" - -#. Author of the plugin/theme -msgid "Dale Mugford & Duane Storey (BraveNewCode Inc.)" -msgstr "" - -#. Author URI of the plugin/theme -msgid "http://www.bravenewcode.com" -msgstr "" diff --git a/wp-content/plugins/wptouch/readme.txt b/wp-content/plugins/wptouch/readme.txt deleted file mode 100644 index 70ae90e4e79a20e8d5eb7f170a1b45aa6ce46ffc..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/readme.txt +++ /dev/null @@ -1,757 +0,0 @@ -=== Plugin Name === -Contributors: BraveNewCode -Donate link: https://www.paypal.com/cgi-bin/webscr?cmd=_donations&business=paypal%40bravenewcode%2ecom&item_name=WPtouch%20Beer%20Fund&no_shipping=0&no_note=1&tax=0¤cy_code=CAD&lc=CA&bn=PP%2dDonationsBF&charset=UTF%2d8 -Tags: wptouch, iphone, ipod, theme, apple, mac, bravenewcode, ajax, mobile, android, blackberry, smartphone, -Requires at least: 3.0 -Tested up to: 3.2 -Stable tag: 1.9.34 - -WPtouch: A simple, powerful and elegant mobile theme for your website. - -WPtouch automatically transforms your WordPress blog into an iPhone application-style theme, complete with ajax loading articles and effects, when viewed from an iPhone, iPod touch, Android, Opera Mini, Palm Pre and BlackBerry Storm mobile devices. - -*Now includes .pot file for translations (submit yours @ http://www.bravenwcode.com/contact)* - -*Now Available: WPtouch Pro!* -Totally re-written top to bottom, with a slew of new features like more style, color and branding customizations, themes, 10 languages, more advertising options, Web-App mode, and more! - -Awesome iPad theme support is now available in WPtouch Pro 2.1!!! - -For more information visit http://www.bravenewcode.com/wptouch-pro - -== Description == - -WPtouch automatically transforms your WordPress blog into an iPhone application-style theme, complete with ajax loading articles and effects, when viewed from iPhone, iPod touch, Android, Palm Pre, Samsung touch and BlackBerry Storm/Torch mobile devices. - -The admin panel allows you to customize many aspects of its appearance, and deliver a fast, user-friendly and stylish version of your site to touch mobile visitors, without modifying *a single bit of code* (or affecting) your regular desktop theme. - -The theme also includes the ability for visitors to switch between *WPtouch* view and your site's regular theme. - -*Now Available: WPtouch Pro!* -Totally re-written top to bottom, with a slew of new features like more style, color and branding customizations, themes, 10 languages, more advertising options, Web-App mode, and more! - -Awesome iPad theme support is now available in WPtouch Pro 2.1!!! - -For more information visit http://www.bravenewcode.com/wptouch-pro - -'WPtouch' and 'WPtouch Pro' are trademarks of BraveNewCode Inc. - -== Changelog == - -= Version 1.9.34 = - -* Changed: Default settings - -= Version 1.9.33 = - -* Added: Ability to add WPtouch info in Twenty Ten & Eleven themes -* Changed: Minor layout adjustment in admin panel - -= Version 1.9.32 = - -* Updated: Added nonces and extra security check for icon deletion (thanks Julio POTIER from BLOG.boiteaweb.fr) - -= Version 1.9.31 = - -* Added: Option to allow zooming on content -* Updated: WordPress 3.2 compatibility changes -* Updated: Re-compressed PNGs for performance and speed -* Updated: Minimum WordPress version is now 3.0 -* Fixed: Issues with $wpt variable in js - -= Version 1.9.30 = - -* Fixed: Added nonces to redirect code - -= Version 1.9.29 = - -* IMPORTANT: Due to a WordPress.org issue, please update - -= Version 1.9.28 = - -* Fixed: Javascript issue with excerpts and load more entries - -= Version 1.9.27 = - -* Fixed: time_since() function naming conflict -* Fixed: Fixed bug with reset settings -* Fixed: Depreciated user level reference removed -* Fixed: Page icons missing when page sort order is 'By Page ID' - -= Version 1.9.26 = - -* Added: 'Googlebot-Mobile' for mobile indexing -* Added: lang attribute to head tag -* Added Dougal's fix for XMLRPC / App requests via WordPress for iOS -* Changed: Updated Japanese translation (thanks to Yamaguchi Kenji) -* Changed: Optimized categories/tags listings queries -* Fixed: Switch link edge case issue - -= Version 1.9.25 = - -* Added: Exclusion of Motorola Xoom and Galaxy Tab tablet devices -* Changed: Cleaned up both category and tag exclusion logic, removed unneeded functions - -= Version 1.9.24 = - -* FIxed: Re-wrote category and tag exclusion code -* Fixed: repaired code causing php warning items found in debug -* Updated: wptouch.pot language file -* Updated: French translation - -= Version 1.9.23 = - -* Fixed: IMPORTANT security issue with AJAX icon upload -* Fixed: Issue with excluded categories not working -* Added: Ability to exclude tags by ID from blog (experimental) -* Added: Now filter the excluded categories and tags from the header listings -* Changed: Now removing the admin bar when logged in and looking at WPtouch (will still show for regular theme) -* Translators: please re-submit translations with updated strings (excluded tags area) - -= Version 1.9.22.1 = - -* Fixed additional switch link issue found after 1.9.22 (now handles www.domain.com and domain.com, along with http:// and https://) - -= Version 1.9.22 = - -* Added Basque translation courtesy of Ander Erguin -* Added Japanese translation courtesy of Kenji Yamaguchi -* Experimental LiveFyre commenting support -* Added additional CSS to remove unneeded 3rd party plugin boxes on single posts -* More tweaks for failing switch link in some scenarios -* Changed: More robust category exclusion -* Fix for images and emoticons in comments -* Fix for share on Twitter Link -* Added share on Facebook Link -* Updates for admin panel - -= Version 1.9.21.1 = - -* Fixed: Bug with footer switch link (ampersand issue) -* Fixed: Bug with footer switch link (cookie issue) -* Fixed: Bug with login on some devices - -= Version 1.9.21 = - -* Added: touchstart JavaScript for supported devices (speeds up interface responsiveness) -* Changed: More style adjustments in a few places, better Android compatibility -* Fixed: An issue which could output site urls on single posts -* Using CSS-generated comment bubbles for supported devices for crispness and clarity -* Fixed: Incorrect detection of BlackBerry Torch -* Fixed: An issue that prevented login from the header - -= Version 1.9.20 = - -* Added: Option to disable comments on posts completely in WPtouch -* Fixed: Issues with WordTwit and GigPress drop-downs -* FIxed: An issue with French text appearing in non-french installs -* Fixed: An issue with whitespace in admin files -* Fixed: Auto-capitalization of drop-menu items (should help localization efforts) -* Updated: Screenshots - -= Version 1.9.19.5 = - -* Added: IMPORTANT: Security nonce and additional security check (thanks to Julio from http://Boiteaweb.fr for testing) -* Changed: Improved header forms in theme -* Changed: Minor styling improvements in theme -* Changed: Fixed return on input in admin not saving -* Changed: Other admin improvements - -= Version 1.9.19.4 = - -* More fixes for siteurl, url, home etc. for depreciation - -= Version 1.9.19.3 = - -* Fixed: Bug with YouTube & Vimeo videos -* Fixed: Bug with posting comments on some installations - -= Version 1.9.19.2 = - -* Fixed: Changed references of 'siteurl' and 'home' to url, siteurl & home are depreciated in bloginfo() -* Fixed: Other minor code warnings -* Changed: Enhanced comment-bubbles on posts for iPhone/iPod using CSS. -* Other improved styling - -= Version 1.9.19.1 = - -* Fixed: Localization changes and updates, including missing translatable text -* Added: French localization -* Added: Ability to change languages -* Added: Filter for Follow Me plugin -* Removed: Code which could cause a redeclare error if Super Cache is installed -* Changed: Enqueue for admin js files - -= Version 1.9.19 = - -* Added: Compat for Share and Follow plugin -* Added: Missing localization code, .pot file for translations (submit yours to translation@wptouch.com) -* Fixed: Cleaned up unused code, empty strings -* Changed: Optimized some assets - -= Versions 1.9.15 - 1.9.18 = - -* Added Samsung s8000, Bada device user agents (Dolphin Browser) -* Added Blackberry Storm V2 user agents -* Added Blackberry Torch user agent -* Added Sticky post icon in post listings -* Filtering Facebook Like plugin -* Filtering Sharebar plugin -* Fix for new Vimeo html5 embed code -* Fix for sticky post icon when calendar icons and thumbnails are off -* Fixed bug where footer message input would not clear in admin -* Fixed viewport meta tag issue, fixes browser crashes on some devices -* Fixed viewport switch issue, where regular theme was zoomed too far out/in on switch -* Changed the_title() to the_title_attribute() for e-mailing posts -* More image optimizations and file size reductions - -= Version 1.9.14 = - -* Added ability to customize the footer copyright message -* Added credit to Marcelo Marfil for his icons -* Added official WordPress 3.0 compatibility -* Fixed issue with account tab logic -* Fixed issue with account tab login -* Fixed issue with comments on pages only showing 1 comment or not allowing replies -* Fixed issue with comments on private posts/pages -* Fixed compatibility with Banner Cycler plugin -* Replaced depreciated link_pages with wp_link_pages function in single.php -* Updated admin WPtouch Pro image/link -* Updated compatibility section -* Updated copy, minor edits in a few places - -= Version 1.9.13 = - -* Removed application Twitter links on single post page, replaced with post to m.twitter.com -* Added filter for whydowork plugin ads (to prefer native Adsense in WPtouch) -* Attempted new fix for YouTube overtop menu bug, it's a mobile browser issue (can't fix) -* Minor styling fixes and adjustments - -= Version 1.9.12 = - -* Fixes login to admin through mobile device bug -* Fixes issue where mobile theme may be shown to desktop users (non-cache related) -* Fixes issue where YouTube videos are on top of menus, other content -* Removed unused files - -= Version 1.9.11 = - -* Added automatic input focus to header Search for usability -* Added option for truncated post titles on main, search and archive views -* Fixed an issue with multi-page post links line height appearance -* Fixed an issue where WPtouch would force all post thumbnails to be 50x50px (now respects user settings) -* Fixed an issue where categories with 0 posts might be shown in the header -* Now filtering Sociable from WPtouch automatically - -= Version 1.9.10 = - -* Updated styling for post listings, titles now use ellipses -* Updated list item styling in posts -* Updated block quote styling in posts -* Changed default Gravatar image -* Minor tweaks to calendar icon appearance -* Removed a reference to an image that was missing and unused -* Added new notice area in admin -* Changed Saved Settings/Reset Settings overlay -* Tweaked and fixed a couple issues with icon uploads -* Replaced references to depreciated PHP functions -* Added new notice for 2.0 in admin -* Added line in core-functions.php for full support of qTranslate -* Fixed issue with wp-skyscraper plugin -* Added cache manifest file for speedier browsing on supported servers and devices -* Added automatic WP Super Cache detection and configuration for the upcoming version of WP Super Cache - -= Version 1.9.9.8 = - -* Fixes admin panel not working or broken for some users -* Changed admin panel RSS feeds to use AJAX -* Added function_exists and object checks to admin RSS -* Changed Tweet RSS Feed to Support Forum Topics -* Fixed minor page menu CSS issue -* Included 40% reduction in PNG sizes thanks to BNCID user 13xforever - -= Version 1.9.9.7 = - -* Fixed more GigPress CSS issues -* Added option to choose flat bookmark icon - -= Version 1.9.9.6 = - -* Fix case where missing CURL would stop admin settings from loading -* Minor Ajax upload fix -* Minor spelling fixes - -= Version 1.9.9.5 = - -* Made changes to the way ajax uploads are handled -* Updated and fixed JS error in ajax_upload.js file -* Fixed more GigPress CSS issues -* Removed replace class javascript for page & post images and caption areas (still needs work) -* Only loading the ajax_comments.js on the single post pages now - -= Version 1.9.9.4 = - -* Updated and edited admin verbiage -* Added remove action for Google Libraries plugin (for compatibility) -* Added remove action for GigPress CSS -* Fixed broken GigPress drop down, added new styling -* Changed javascript handlers -* Misc tweaks and fixes - -= Version 1.9.9.3 = - -* Theme CSS fixes and revisions -* Updated outdated links in the admin panel -* Updated outdated text in the admin panel -* Re-validated admin XHTML with W3C -* Fixed User Agent strings which caused browsers to show WPtouch - - -= Version 1.9.9.2 = - -* Updated user agents for Opera Mini and Palm Pre ('mini' and 'pre') -* Removed orphaned code relating to ajax comments option -* Changed date/time parsing for WordTwit integration -* Update to WordTwit 2.3.3 if you see incorrect date/times - -= Version 1.9.9.1 = - -* Bug fix for array warning issue on some installations - -= Version 1.9.9 = - -* Added HTML5 types for comment url and email (devices capable now show unique keyboard layouts for these inputs) -* Added and refined jQuery code, effects -* Revised post/page image sizing auto-detection features -* Changed the way Ajax comments work - will now work for everyone -* Changed code for JS - return false; -* Changed admin panel to stop using Ajax that would sometimes fail to load -* Removed comments-ajax.php from theme (not needed anymore) -* Removed ajax comments option from the admin (not needed anymore) -* Removed obsolete code orphans from old code methods -* Bug fixes - -= Version 1.9.8.3 = - -* Fixes an issue where post thumbnail selection would not be shown in the admin -* Adds auto-detection for post and page images and captions (will now center align if above 150px) -* Resolves an issue where save/reset settings would cause permissions error or fail -* Resolves case where the upload path would not be found for custom-icons -* Compatibility with WP 2.9.2 - -= Version 1.9.8.2 = - -* Fixed broken thumbnail reflections on Android and other browsers. Now reflections only show for iPhone/iPod -* Fixed issue where Tags & Categories links in the header may not show on some devices - -= Version 1.9.8.1 = - -* Added friendly display when there are no Twitter tweets available via WordTwit - -= Version 1.9.8 = - -* Fixed an undefined function error when commenting -* Fixed case where post-thumbnails wouldn't work -* Stopped GigPress CSS from loading in the header when it's not enabled -* Fixed error where Icon Upload would fail in admin -* Updated Ajax Upload script to v3.9 - -= Version 1.9.7.7 = - -* Attempted fix for broken post thumbs reflections on Android. Now reflections only show for iPhone/iPod - -= Version 1.9.7.6 = - -* Minor administration changes -* Updated readme to describe WordPress MU installation -* Fixed an issue where thumbnails wouldn't show -* Added support for thumbnails using James Lao's 'Simple Post Thumbnails' plugin -* Changed functions.php check from version (2.9) to whether function exists (WP Security Scan bypass) -* Added missing code to the theme's functions file for Post thumbs -* Resolves an issue where blank spaces would appear, not Post Thumbs -* Fix for broken switch links (missing images) on some installations when in regular theme view -* Added detect for custom field key 'Thumbnail' to work first before using WP 2.9 Thumbs, for those who've been using this method already -* Added Post Thumbnails View option (WordPress 2.9 only) for main post listings -* Added option to show neither post thumbnails nor calendar icons -* Added style option to choose the font of H2 elements on post listings, single entries and pages -* Various style & code improvements and fixes - -= Version 1.9.6 = - -* Fixed php logic in adsense-new.php (thx JeanPaulH) -* Added support for GigPress' Upcoming Shows to be a drop down in the header menu -* Changed relative comments logic, added function for GMT detection -* Adding padding, size to multipage links -* Removed WP version from footer (security vulnerability) -* Changed admin RSS feed from Support Topics to Twitter Topics -* Updated admin settings image -* Fixed cutoff tweets from WordTwit in the drop-down -* Verified WP 2.9 compatibility - -= Version 1.9.5 = - -* Added Twitter updates menu item support for WordTwit's new features -* Added CSS for TweetThis and AddThis plugins to be hidden -* Added page/post title to HEAD for Tweet purposes -* Added user agent detection for non-apple mobile devices to be served Twitter link correctly -* Added 180-degree animation to post-arrow dropper and removed excess JS and code -* Added new tab pane for the header (menu, tags, categories, account) -* Added more theme compatibility for other touch devices -* Added 'edit, delete, spam' links for admins on comments -* Changed default OBJECT and EMBED css to only apply to .post, not site-wide -* Changed comment ajax routine -* Changed 'Links' appearance adding support for link categories, removed favicon scripts -* Changed the way the header links are setup -* Small refinements in the theme CSS all-around -* Made progress towards reply and pagination in comments, not there yet - - -= Versions 1.9.4.x = - -* Fixed space appearing below title on single post pages -* Added compressed js for the admin -* Updated Fancybox script & files to v1.2.5 -* Updated Ajax Upload script to v3.6 -* Fix for re-direct issues introduced with 1.9.3.4 -* Fixes and changes for Adsense appearance -* Fix for direct messages not working with WPtouch exclusive mode -* Added spam check for Push direct messages via a nonce -* Added verification for Prowl API key -* Added ability to define custom user agents in the admin (go nuts!) -* Minor admin styling changes -* Dropped official support for WP 2.6 (sorry folks, you should update!) -* Dropped 'skins' references, they'll be a part of WPtouch 2.0 -* Compressed style.css in theme for faster load times -* Removed unused files - -= Versions 1.9.3.x = - -* Fixed issues with adsense ads -* Fixed time since code bug on comments -* Fixed issue where comment count could read as 0 when there were no comments -* Fix for width bug in some situations when switching themes -* Fix for scenarios where a different uploads folder path or name is used -* Minor admin refinements -* Porting CSS styles to a global sheet applicable to all our plugins -* Push messages now come from your blogname not 'wptouch' -* Switch link now re-directs to the page the switch request came from, not back to home -* Changed downloads admin area to support topics rss feed -* Added additional icons in the admin -* Fixed international languages display of time since on comments -* Fixed logic with PUSH notification via Prowl -* Removed unneeded files -* Bug fixes -* Style fixes for the display of comments -* Fixed issue where regular theme view would not allow pinching for zoom -* Fixed JS bug in theme -* Possible fix for time since on comments not working in some situations -* Added option to disable Ajax comments for those who can't get them working - -= Versions 1.9.2.x = - -* Fixed issue where mobile switch to regular theme was always zoomed in and required refresh -* Fixed issue where pages changed from published to unpublished still showed in the WPtouch menu -* Fixed issue where 'Load More Entries' caused blank page or other issues. WPtouch now detect possible issues and defaults to pagination -* WPtouch now loads minified versions of its CSS and JS for the theme, speeding up load times -* Added check for wp-load.php before attempting ajax comments. Should fix WP comment posting issues. Working on better Disqus and Intense Debate support as well -* Removed 'Find in this page' button, until bugs are resolved -* Now WPtouch will not hide mobileSafari addressbar on single post pages on slower connections -* Fixed bug where WPtouch admin would report that CURL wasn't installed even if it was - -= Version 1.9.1 = - -* Fixed bug for admin panel Ajax not working in some situations -* Adsense re-enabled -* Fixed bug where SPAM comments were pushed via Prowl -* Push Notification options now announces if Curl is not available, instead of not appearing at all -* Removed text-size adjust option, now replaced with user-adjustable font sizes -* Minor code corrections - -= Version 1.9 = - -* Fully compatible with WordPress 2.6 - 2.8.x -* Major rewrites of theme files, css for simplicity, CoreTheme -* Adsense has been temporarily disabled until we update code for new Google API changes -* Added experimental support for Opera Mini & Palm Pre mobile browsers -* Added filter trackbacks and pingbacks from display in comment counts -* Added friendly 'noscript' display bezel for users with javascript Turned off -* Added support for Prowl Push notifications for comments, user registrations, and direct messages (if Curl exists on the server) -* Added ability to exclude categories -* Added native select for Tags -* Added theme switch confirm message, saves a cookie to not repeat -* Added jQuery color picker in admin hex areas for easy selections -* Added link to online icon generator in admin -* Added style declaration for images in comments -* Added 'My Account' button in the sub//header for logged in users replacing Logout -* Added theme skin selection support, still no other skins enabled yet -* Added post-options bar on single post page -* Added new background selections -* Updated plugin compatibility listing now loads from bravenewcode.com -* Updated style for comments, working on full support for WP 2.7 comments, Intense Debate -* Updated success message for ajax comments -* Updated font zoom replaced by font-size adjust button -* Updated ajax upload script to v3.1 -* Updated fancybox to compressed v1.2.1 -* Updated Ajax Upload script to 3.2 -* Updated compatibility code (Various WordPress install scenarios) ~ thanks to Will Norris for the suggestions -* Updated a check if comments are open before showing the comments link -* Updated local jquery in exclusive mode to use WP, not Google -* Updated admin style and design -* Updated search now floats overtop the headerbar -* Updated the_content_rss() for excerpts, created a custom function which handles it nicely -* Updated several images in the core images folder, building more dependency on CoreTheme -* Removed support for WordPress 2.3, lowest known WordPress version supported: 2.6 -* Removed 404 image with English text in it, replaced it with localized 404 text -* Removed depreciated or unused functions from previous releases -* Removed ability to disable jQuery; WPtouch Exclusive mode should fix JS issues -* Fixed home link in menu drop down now respects the logo/bookmark icon choice -* Fixed WP Spam Free users having had new comments blocked -* Fixed WPtouch appearing zoomed out and wide -* Fixed custom page icons not showing up on pages -* Fixed some domains not showing the beta download/news areas -* Fixed style issue for icons on pages -* Fixed the way javascript is called for a elements, should work better in other mobile browsers -* Fixed switch link issue where regular theme switch link was broken -* Fixed issue where chosen pages and icons did not appear in the drop down -* Fixed a variety of scenarios where paths to files and images were broken -* Fixed a few areas that had text not yet localized, improperly coded -* More preparation for languages support -* Preparation for WPtouch 2.0 and themes support (based on CoreTheme) -* Other minor optimizations, fixes, changes - - -= Version 1.8.9.1 = - -* Fixed refresh issue (some pages keep re-loading) -* Fixed mkdir issue on PHP4 installations -* Set viewport to fixed width for device to prevent some sites from loading wide -* Minor revisions to new CSS calendar icon styling -* Added exclusive mode feature to help in situations where other plugins are incompatible, load too many scripts/css files and both break and slow down WPtouch -* Added Fancybox for some feature descriptions in the admin - - -= Versions 1.8.x = - -* Changed calendar icons from images to CSS-based only (they look sexay!) -* Refined styling of header logo, text shadow, general appearance -* Removed unneeded declarations from the WPtouch stylesheet -* Tested and works efficiently with WordPress MU when installed site-wide (Finally!) -* Disqus commenting plugins out-of-the-box styling enhancements -* Changed post nav on the single post page to prev/next post, instead of entry titles for length's sake -* Fixed bug related to RSS feeds being broken in some situations -* Fixed fatal error on line 153 undefined 'is_front_page' function for WP 2.3.x users -* Fixed jQuery failing to load for WP 2.3.x users -* Added option for font-zoom on rotate for accessibility, on by default -* Fixed various styling bugs -* Changed switch link in WPtouch to remain fixed width -* Fixed various content overflow issues in WPtouch theme files -* As a note for WordPress 2.3 users, WPtouch 1.9 will require WordPress 2.5+ -* Fixed new switch link to work under different WordPress install scenarios -* Fixed switch link CSS style-sheet loading issues in some situations -* Fixed missing mime types for icon upload through IE7 -* Fixed issues related to automatic favicon generation on a Links page -* Changed footer switch links to mimic iPhone settings app appearance -* Fixed misc scenarios for ajax-upload errors -* Fixed path issues related to custom icons (sites on windows servers) -* Fixed issues related to ajax comments not working in some situations -* Added check for 'Allow Comments' on pages -* Fixed Apache error (reported in logs) -* Fixed admin styling issues on IE7, Firefox -* Fixed issue with custom icons and the header logo -* Fixed issue with the Classic background not appearing -* Significant rewrite of core code for increased efficiency -* Changed database calls to use wpdb object, will hopefully work with wpmu -* Internationalization preparation of the admin and theme files (for WPtouch 1.9) -* Added ability to add/delete custom icons that survive WPtouch & WordPress upgrades -* Added ability to select left/full text justification, 3 font sizes -* Changed how WPtouch admin panel shows icons, more room for custom icons -* Added channel capability for Adsense -* Now suppresses banners created by the Ribbon Manger Plugin -* Minor tweaks to login, register, admin links, footer appearance -* Minor tweaks to drop down menus, header styling -* More refinements for search, categories & tag pages, 'load more' link -* Text & code refinements in the WPtouch admin -* Experimental support for the Blackberry Storm -* Fixed issue with WPtouch header title display issue -* Fixed issue related to login/logout/admin/register link path issues -* Fixed issue where Bookmarks link when Advanced JS is turned off -* Fixed issue with default icon case -* Fixed issue with switch code on systems with PHP4 -* Fixed issue related to fresh installs -* Fixed issue with Android and the sub-header menu links not working - - -= Versions 1.7.x = - -* Added option to do GZIP compression -* Suppressed warning about multiple gzhandlers -* Fixed user agent detection code -* Added ability to choose if WPtouch or regular version of your site is shown first -* Fixed WP login/out button bugs -* Added login/out auto-detect for WP 2.7 or pre-WP 2.7 sites -* Fixed loading path issue that caused drop-down menu button to fail -* Added choice between alphabetical or page order sorting of the drop down menu -* Added clock icon -* Fixes for categories drop-down menu (now shows post #'s) -* Minor fix for categories drop-down menu -* Automatic detection & support for Peter's anti-spam plugin -* Built-in support for Adsense in posts -* Moved Stats tracking box beside Advertising Options -* Better WordPress version support detection -* More refined image auto-sizing with WP added images & galleries in posts / pages -* Fix for WordPress shortcodes appearing in excerpts -* Changed how WPtouch shows switch links -* Auto-adjusting width/height for MobileSafari plugin objects (YouTube, Quicktime) - - -= Versions 1.6.x = - -* Auto-resizing images in posts/pages on orientation change! -* Auto-resizing WP image galleries -* Better support for captions on images, gallery items -* Added the ability to enable a quick login button w/ drop-down in the WPtouch header -* Added the ability to enable categories as a drop-down item in the WPtouch header -* Added the ability to disable WPtouch automatic homepage redirection (resolves white page issue) -* Added the ability to manually select a re-direct landing page -* Refinements in WPtouch admin -* Enhanced support for WordPress 2.7 admin -* Re-designed post comment bubble icon -* Input box to inject custom code (Google Analytics, MINT, etc) into WPtouch -* Basic support for Incognito & WebMate browsers on iPhone & iPod touch -* Other code fixes, cleanups & optimizations -* Other theme style cleanups and enhancements - - -= Versions 1.5.x = - -* Added support for WordPress image galleries -* Added support for single post page split navigation -* Fixed admin footer links which did not locate WordPress install correctly -* Added basic Google Android support -* Changes in WPtouch admin appearance and styling -* Added donate message in WPtouch admin -* WPtouch now supports WordPress 2.3 or higher - - -= Versions 1.4.x = - -* More jQuery tune-ups, now loads through wp_enqueue_script() or Google to prevent collisions -* Changed $J to $wptouch to prevent collisions using jQuery -* Offloaded jQuery loading from our folder to Google instead for WP > 2.5 sites -* Fixed a bug in wptouch.php on line 232, fixing drop-down menu display issue -* Fixed a bug where blank admin options were allowed instead of refused -* Fixed a bug with overriding the site title in the WPtouch admin -* Fixed some instances where ajax comments would not work -* Fixed a bug where the loading of javascript files would load in your site's default theme -* Enhanced drop-down menu appearance -* More compatibility with other plugins -* Code cleanups and optimizations - - -= Versions 1.3.x = - -* Tweaks for the jQuery bugs -* No conflict setting added for jQuery -* Support for DISQUS 2.0.2-x Plugin -* Minor style edits and enhancements for the search dropdown -* Another fix for drop-down Menu not working -* Added ability to change the header border background color -* Fix for slashes appearing before apostrophes in the header title -* Admin wording changes, styling changes -* Minor style enhancements to the theme -* Fix for Menu not working on some installations -* Style enhancements for the menu, search, drop downs -* Style enhancements for comments, logged in users -* Font adjustments for titles -* Style changes for single post page heading, for better clarity -* Admin wording changes - - -= Versions 1.2.x = - -* Fix for the theme appearing in Safari browsers -* Switch from Prototype to the more WordPress-native jQuery for javascript (much faster!) -* Fix for wrong re-directs happening unintentionally if you use a static home page -* Elimination of unneeded images, javascript (shaving more than 100KB!) -* More template file cleanups, image & code optimizations -* The addition of more comments in code templates to help you make custom modifications -* Option to enable comments on pages -* Option to manually enter in a new blog title (fixes cases where the blog title runs the length of the header and wraps) -* Option to hide/show excerpts by default on the home, search, and archive pages -* Switch code links are automatically injected into your regular theme's footer now, and is only seen on the iPhone/ipod touch -* In all, despite the addition of new features we've cut load times for WPtouch in half with this release over 1.2.x releases! -* The ability to disable Gravatars in comments (more control over optimization & speed) -* Redundant, unused template file cleanups (archive.php, search.php & page.php are now all just index.php) -* More style enhancements and tweaks, fixes -* Switched to Snoopy from CURL for the admin news section (thanks to Joost de Valk (yoast.com) - - -= Version 1.1 = - -* The ability to disable advanced javascript effects (fixes effects not working for some, speeds up the load time considerably) -* Proper styling of embedded YouTube videos on mobileSafari in iPhone 2.0 -* Fix for the switch code not working on some blog installations -* Redundant, unused code cleanups -* More style enhancements and tweaks, fixes -* the ability to enable/disable the default home, rss and email menu items -* support for WordPress installations that have static home pages -* dynamic WPtouch news in the administration panel -* the ability to modify the default hyperlink color -* major CSS & PHP cleaning, resulting in reduced size and faster load times -* the ability to enable/disable tags, categories and author names on the index, search and author pages -* support for DISQUS commenting -* CSS refinements for comments, the drop-down menu, and overall appearance -* styling for YouTube embedded videos -* bug fixes for blogs installed in directories other than root - - -= Version 1.0 = - -* Initial release - - -== Installation == - -= 2.8 and Older = -Sorry, we do not officially support installations on WordPress 2.8 or older. You can use WPtouch versions 1.9.3.4 or previous on these installations, however. - -= 2.9, 3.0+ = -You can install *WPtouch* directly from the WordPress admin! Visit the *Plugins/Add New* page and search for 'WPtouch'. Click to install. - -Once installed and activated visit the WPtouch admin page (*Settings/WPtouch*) to customize your WPtouch installation's appearance. - -= WordPress MU/Multisite = - -The best way to use WPtouch on WordPress Multisite Installations is to do so via the "Activate WPtouch Site Wide" link in the plugins area. - -* Install WPtouch, either manually or via the "Add New" option in the plugins menu -* Ensure that you have site wide plugins enabled in the Site Admin / Options menu -* On the plugin configuration page activate WPtouch as a site wide plugin by clicking the "Activate WPtouch iPhone Theme Site Wide" link. If WPtouch is already activated, deactivate it first. - -You can also checkout our brand new Support Forums at http://www.bravenewcode.com/support/ to post questions and learn tips and tricks for *WPtouch* and our other plugins. - - -== Frequently Asked Questions == - -= I thought the iPhone/iPod touch/Pre/Storm/Android shows my website fine the way it is now? = - -Yes, that's true for the most part. However, not all websites are created equal, with some sites failing to translate well in the viewport of a small mobile device. Many WordPress sites today make heavy use of different javascript files which significantly increase the load time of pages, and drive your visitors on 3G/EDGE batty. So we've come up with *WPtouch*, a lightweight, fast-loading, feature-rich and highly-customized "theme application" which includes an admin interface to let you customize many aspects of your site's presentation. - -= Well, what if my users don't like it and want to see my regular site? = - -There's a mobile switch option in the footer on *WPtouch* for your users with browsers that support cookies to easily switch between the *WPtouch* view and your site's regular appearance. It's that easy. We even automatically put a little snippet of code into your current theme which will be shown only to iPhone, iPod touch, Android or BlackBerry touch mobile device visitors, giving them control to switch between the two site themes easily. - -= Will it slow down my blog, or increase my server load? = - -Not bloody likely! Unless of course you're getting slammed with all sorts of traffic because you've installed this sexy plugin. The entire theme files footprint for *WPtouch* is small. It was designed to be as lightweight and speedy as possible, while still serving your site's content in a richly presented way, sparing no essential features like search, login, categories, tags, comments etc. - -== Screenshots == - -1. Posts on the front page -2. Post on the front page ( bottom ) -3. Drop down menu navigation -4. WordTwit plugin Twitter integration -5. Push Messaging -6. Account log in -7. Single post page post meta, options bar, comments -8. Sample regular page diff --git a/wp-content/plugins/wptouch/screenshot-1.jpg b/wp-content/plugins/wptouch/screenshot-1.jpg deleted file mode 100644 index 47347618475f55052947de62de03894254abcb46..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/screenshot-1.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/screenshot-2.jpg b/wp-content/plugins/wptouch/screenshot-2.jpg deleted file mode 100644 index d5867dcf196af43a7bd15fda4dda79d56e436ce6..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/screenshot-2.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/screenshot-3.jpg b/wp-content/plugins/wptouch/screenshot-3.jpg deleted file mode 100644 index 3da6052363e4946cd900aa150e309d570a8e9007..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/screenshot-3.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/screenshot-4.jpg b/wp-content/plugins/wptouch/screenshot-4.jpg deleted file mode 100644 index 84f7ff480b3d096584f24330a41a5e8eb83ec113..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/screenshot-4.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/screenshot-5.jpg b/wp-content/plugins/wptouch/screenshot-5.jpg deleted file mode 100644 index 6d3a0e7ac99f684cb2eb241ba907b3495928a52f..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/screenshot-5.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/screenshot-6.jpg b/wp-content/plugins/wptouch/screenshot-6.jpg deleted file mode 100644 index 0bf0d353fab3cd946157c87e3c32ba74a7627c8e..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/screenshot-6.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/screenshot-7.jpg b/wp-content/plugins/wptouch/screenshot-7.jpg deleted file mode 100644 index 7b73d33201db98ac4fc44be5b44601b5c841ab0e..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/screenshot-7.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/screenshot-8.jpg b/wp-content/plugins/wptouch/screenshot-8.jpg deleted file mode 100644 index 4ee60e329ac04d90d9df8a037b9c61ec3fdda80e..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/screenshot-8.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-css/gigpress.css b/wp-content/plugins/wptouch/themes/core/core-css/gigpress.css deleted file mode 100644 index 44415b71dc0bd00370d0474eb094fcbaaca9a9ad..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/core/core-css/gigpress.css +++ /dev/null @@ -1,6 +0,0 @@ -/* @override http://www.bravenewcode.com/wordpress/wp-content/plugins/wptouch/themes/core/core-css/gigpress.css */ - -#wptouch-gigpress{color:#eee;text-shadow:#222 0 1px 1px;text-align:left;font-size:11px;border-top:1px solid #3e3e3e;clear:both;margin:0;width:100%; - position: absolute; - top: 20px; -}#wptouch-gigpress .gigpress-heading{background:#222 url(../core/core-images/gigpress-stripes.png) repeat-x;border-bottom:1px solid #646464;font:bold 12px "Helvetica Neue",Helvetica,Arial,sans-serif;padding:5px 0 5px 10px;border-top:1px solid #646464;}#wptouch-gigpress .gigpress-header th{padding-bottom:15px;padding-top:10px;}#wptouch-gigpress .gigpress-table{margin:0;padding:0;width:100%;left:0;clear:both;}#wptouch-gigpress .gigpress-info-item{margin:0;padding:0;display:inline;}#wptouch-gigpress .gigpress-info a{display:inline;margin:0;padding:0;color:#8ba3b2;}#wptouch-gigpress #gigpress-style-bar{border-top:1px solid #1e1e1e;display:block;width:100%;}#wptouch-gigpress h4{font-size:14px;margin:22px 0 20px;padding:0;}#wptouch-gigpress img#music-icon{margin:15px 10px;float:left;}#wptouch-gigpress td{background-color:#3c3c3c;text-align:left;line-height:160%;border-bottom:1px solid #636363;}#wptouch-gigpress a{text-align:center;display:inline;}#wptouch-gigpress tr.gigpress-row td{background-color:#222;font-weight:bold;color:#eee;width:1%;}#wptouch-gigpress tr.gigpress-info{background-color:#333;width:100%;}#wptouch-gigpress td.description{width:100%;padding:10px;text-align:center;}#wptouch-gigpress .gigpress-venue{width:30%;}#wptouch-gigpress .gigpress-date{width:25%;padding-left:10px;}#wptouch-gigpress .gigpress-city{width:52%;}#wptouch-gigpress .gigpress-venue a{margin:0;padding:0;}#wptouch-gigpress a.gigpress-tickets-link{display:block;text-align:center;background:-webkit-gradient(linear,left top,left bottom,from(#666),to(#444));;font-size:11px;vertical-align:middle;padding-top:5px;padding-bottom:5px;margin:10px 25%;border:1px solid #222;-webkit-border-radius:14px;-webkit-box-shadow:#333 0px 2px 4px;text-transform:uppercase;}#wptouch-gigpress td.gigpress-links-cell,#wptouch-gigpress .gigpress-country,#wptouch-gigpress p.gigpress-subscribe{display:none;} \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/core/core-css/wptouch-switch-link.css b/wp-content/plugins/wptouch/themes/core/core-css/wptouch-switch-link.css deleted file mode 100644 index da3a108d10202ed08f0dec8fe0c52500b7e9071f..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/core/core-css/wptouch-switch-link.css +++ /dev/null @@ -1,30 +0,0 @@ -/* WPtouch Switch Link CSS */ - -/* This CSS loads on your regular site theme when it is viewed on our supported devices, and doesn't affect your regular css */ - -/* @group Switch Link */ - -#wptouch-switch-link { - -webkit-border-radius: 14px !important; - border: 1px solid #adadad !important; - background-color: #fff !important; - margin-left: auto !important; - margin-right: auto !important; - padding: 15px !important; - margin-bottom: 40px !important; - text-align: left !important; - color: #222 !important; - position: relative !important; - clear: both !important; - width: 375px !important; - font: bold x-large/1.2 "Helvetica Neue", Helvetica, Arial, sans-serif; -} - -img.wptouch-switch-image { - position: absolute !important; - right: 15px !important; - height: 34px !important; - top: 12px !important; -} - -/* @end */ \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/core/core-functions.php b/wp-content/plugins/wptouch/themes/core/core-functions.php deleted file mode 100644 index cb89820f721deadab00f32d9a401a52a950c8810..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/core/core-functions.php +++ /dev/null @@ -1,286 +0,0 @@ -<?php -////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// -// WPtouch Core Header Functions -////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// - -function wptouch_core_header_enqueue() { - $version = get_bloginfo('version'); - if (!bnc_wptouch_is_exclusive()) { - wp_enqueue_script('jquery-form'); - wp_enqueue_script('wptouch-core', '' . compat_get_plugin_url( 'wptouch' ) . '/themes/core/core.js', array('jquery'), '1.9.22.1' ); - wp_head(); - - } elseif ( bnc_wptouch_is_exclusive() ) { - echo "<script src='" . get_bloginfo('wpurl') . "/wp-includes/js/jquery/jquery.js?wptouch' type='text/javascript' charset='utf-8'></script>\n"; - echo "<script src='" . get_bloginfo('wpurl') . "/wp-includes/js/jquery/jquery.form.js?wptouch' type='text/javascript' charset='utf-8'></script>\n"; - echo "<script src='" . compat_get_plugin_url( 'wptouch' ) . "/themes/core/core.js?wptouch' type='text/javascript' charset='utf-8'></script>\n"; - } - } - -function wptouch_core_header_home() { - if (bnc_is_home_enabled()) { - echo sprintf(__( "%sHome%s", "wptouch" ), '<li><a href="' . get_bloginfo( 'url' ) . '"><img src="' . bnc_get_title_image() . '" alt=""/>','</a></li>'); - } -} - -function wptouch_core_header_pages() { - $pages = bnc_wp_touch_get_pages(); - global $blog_id; - foreach ($pages as $p) { - if ( file_exists( compat_get_plugin_dir( 'wptouch' ) . '/images/icon-pool/' . $p['icon'] ) ) { - $image = compat_get_plugin_url( 'wptouch' ) . '/images/icon-pool/' . $p['icon']; - } else { - $image = compat_get_upload_url() . '/wptouch/custom-icons/' . $p['icon']; - } - echo('<li><a href="' . get_permalink($p['ID']) . '"><img src="' . $image . '" alt="icon" />' . __($p['post_title']) . '</a></li>'); - } - } - -function wptouch_core_header_rss() { - if (bnc_is_rss_enabled()) { - echo sprintf(__( "%sRSS Feed%s", "wptouch" ), '<li><a href="' . get_bloginfo('rss2_url') . '"><img src="' . compat_get_plugin_url( 'wptouch' ) . '/images/icon-pool/RSS.png" alt="" />','</a></li>'); - } -} - -function wptouch_core_header_email() { - if (bnc_is_email_enabled()) { - echo sprintf(__( "%sE-Mail%s", "wptouch" ), '<li><a href="mailto:' . get_bloginfo('admin_email') . '"><img src="' . compat_get_plugin_url( 'wptouch' ) . '/images/icon-pool/Mail.png" alt="" />','</a></li>'); - } -} - -function wptouch_core_header_check_use() { - if (false && function_exists('bnc_is_iphone') && !bnc_is_iphone()) { - echo '<div class="content post">'; - echo sprintf(__( "%sWarning%s", "wptouch" ), '<a href="#" class="h2">','</a>'); - echo '<div class="mainentry">'; - echo __( "Sorry, this theme is only meant for use on touch smartphones.", "wptouch" ); - echo '</div></div>'; - echo '' .get_footer() . ''; - echo '</body>'; - die; - } -} - -function wptouch_core_header_styles() { - include('core-styles.php' ); -} - -function wptouch_agent($browser) { -$useragent = $_SERVER['HTTP_USER_AGENT']; -return stristr($useragent,$browser); - } - -function wptouch_twitter_link() { - echo '<li><a href="javascript:(function(){var%20f=false,t=true,a=f,b=f,u=\'\',w=window,d=document,g=w.open(),p,linkArr=d.getElementsByTagName(\'link\');for(var%20i=0;i%3ClinkArr.length&&!a;i++){var%20l=linkArr[i];for(var%20x=0;x%3Cl.attributes.length;x++){if(l.attributes[x].nodeName.toLowerCase()==\'rel\'){p=l.attributes[x].nodeValue.split(\'%20\');for(y=0;y%3Cp.length;y++){if(p[y]==\'short_url\'||p[y]==\'shorturl\'||p[y]==\'shortlink\'){a=t;}}}if(l.attributes[x].nodeName.toLowerCase()==\'rev\'&&l.attributes[x].nodeValue==\'canonical\'){a=t;}if(a){u=l.href;}}}if(a){go(u);}else{var%20h=d.getElementsByTagName(\'head\')[0]||d.documentElement,s=d.createElement(\'script\');s.src=\'http://api.bit.ly/shorten?callback=bxtShCb&longUrl=\'+encodeURIComponent(window.location.href)+\'&version=2.0.1&login=amoebe&apiKey=R_60a24cf53d0d1913c5708ea73fa69684\';s.charSet=\'utf-8\';h.appendChild(s);}bxtShCb=function(data){var%20rs,r;for(r%20in%20data.results){rs=data.results[r];break;}go(rs[\'shortUrl\']);};function%20go(u){return%20g.document.location.href=(\'http://mobile.twitter.com/home/?status=\'+encodeURIComponent(document.title+\'%20\'+u));}})();" id="otweet"></a></li>'; -} - -function wptouch_facebook_link() { - echo "<li><a href=\"javascript:var%20d=document,f='http://www.facebook.com/share',l=d.location,e=encodeURIComponent,p='.php?src=bm&v=4&i=1297484757&u='+e(l.href)+'&t='+e(d.title);1;try{if%20(!/^(.*\.)?facebook\.[^.]*$/.test(l.host))throw(0);share_internal_bookmarklet(p)}catch(z)%20{a=function()%20{if%20(!window.open(f+'r'+p,'sharer','toolbar=0,status=0,resizable=1,width=626,height=436'))l.href=f+p};if%20(/Firefox/.test(navigator.userAgent))setTimeout(a,0);else{a()}}void(0)\" id=\"facebook\"></a></li>"; -} - -function wptouch_thumb_reflections() { -if (wptouch_agent("iphone") != FALSE || wptouch_agent("ipod") != FALSE) { - echo ".wptouch-post-thumb-wrap{ \n"; - echo "-webkit-box-reflect: below 1px -webkit-gradient(linear, left top, left bottom, from(transparent), color-stop(0.85, transparent), to(white));} \n"; - } -} - -function wptouch_tags_link() { - echo '<a href="#head-tags">' . __( "Tags", "wptouch" ) . '</a>'; - } - -function wptouch_cats_link() { - echo '<a href="#head-cats">' . __( "Categories", "wptouch" ) . '</a>'; -} - -function bnc_get_ordered_cat_list( $num ) { - global $wpdb; - - if ( wptouch_excluded_cats() ) { - $excluded_cats = wptouch_excluded_cats(); - } else { - $excluded_cats = 0; - } - - echo '<ul>'; - $sql = $wpdb->get_results("SELECT * FROM {$wpdb->prefix}term_taxonomy INNER JOIN {$wpdb->prefix}terms ON {$wpdb->prefix}term_taxonomy.term_id = {$wpdb->prefix}terms.term_id WHERE taxonomy = 'category' AND {$wpdb->prefix}term_taxonomy.term_id NOT IN ($excluded_cats) AND count >= 1 ORDER BY count DESC LIMIT 0, $num"); - - if ( $sql ) { - foreach ( $sql as $result ) { - if ( $result ) { - echo "<li><a href=\"" . get_category_link( $result->term_id ) . "\">" . $result->name . " <span>(" . $result->count . ")</span></a></li>"; - } - } - } - echo '</ul>'; -} - -function wptouch_ordered_tag_list( $num ) { - global $wpdb; - - if ( wptouch_excluded_tags() ) { - $excluded_tags = wptouch_excluded_tags(); - } else { - $excluded_tags = 0; - } - - echo '<ul>'; - - $sql = $wpdb->get_results("SELECT * FROM {$wpdb->prefix}term_taxonomy INNER JOIN {$wpdb->prefix}terms ON {$wpdb->prefix}term_taxonomy.term_id = {$wpdb->prefix}terms.term_id WHERE taxonomy = 'post_tag' AND {$wpdb->prefix}term_taxonomy.term_id NOT IN ($excluded_tags) AND count >= 1 ORDER BY count DESC LIMIT 0, $num"); - - if ( $sql ) { - foreach ( $sql as $result ) { - if ( $result ) { - echo "<li><a href=\"" . get_tag_link( $result->term_id ) . "\">" . $result->name . " <span>(" . $result->count . ")</span></a></li>"; - } - } - } - echo '</ul>'; -} - -////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// -// WPtouch Core Body Functions -////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// - -function wptouch_core_body_background() { - $wptouch_settings = bnc_wptouch_get_settings(); - echo $wptouch_settings['style-background']; - } - -function wptouch_core_body_sitetitle() { - $str = bnc_get_header_title(); - echo stripslashes($str); - } - -function wptouch_core_body_result_text() { - global $is_ajax; if (!$is_ajax) { - if (is_search()) { - echo sprintf( __("Search results › %s", "wptouch"), get_search_query() ); - } if (is_category()) { - echo sprintf( __("Categories › %s", "wptouch"), single_cat_title("", false)); - } elseif (is_tag()) { - echo sprintf( __("Tags › %s", "wptouch"), single_tag_title("", false)); - } elseif (is_day()) { - echo sprintf( __("Archives › %s", "wptouch"), get_the_time('F jS, Y')); - } elseif (is_month()) { - echo sprintf( __("Archives › %s", "wptouch"), get_the_time('F, Y')); - } elseif (is_year()) { - echo sprintf( __("Archives › %s", "wptouch"), get_the_time('Y')); - } - } -} - - -////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// -// WPtouch Core Footer Functions -////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// - -function wptouch_core_else_text() { - global $is_ajax; if (($is_ajax) && !is_search()) { - echo '' . __( "No more entries to display.", "wptouch" ) . ''; - } elseif (is_search() && ($is_ajax)) { - echo '' . __( "No more search results to display.", "wptouch" ) . ''; - } elseif (is_search() && (!$is_ajax)) { - echo '<div style="padding-bottom:127px">' . __( "No search results results found.", "wptouch" ) . '<br />' . __( "Try another query.", "wptouch" ) . '</div>'; - } else { - echo '<div class="post"> - <h2>' . __( "404 Not Found", "wptouch" ) . '</h2> - <p>' . __( "The page or post you were looking for is missing or has been removed.", "wptouch" ) . '</p> - </div>'; - } -} - -function wptouch_core_footer_switch_link() { - echo '<script type="text/javascript">function switch_delayer() { window.location = "' . get_bloginfo( 'url' ) . '/?wptouch_view=normal&wptouch_redirect_nonce=' . wp_create_nonce( 'wptouch_redirect' ) . '&wptouch_redirect=' . $_SERVER['REQUEST_URI'] .'"}</script>'; - echo '' . __( "Mobile Theme", "wptouch" ) . ' <a id="switch-link" onclick="wptouch_switch_confirmation();" href="javascript:return false;"></a>'; -} - - -////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// -// WPtouch Standard Functions -////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// - -// Check if certain plugins are active -function wptouch_is_plugin_active($plugin_filename) { - $plugins = get_option('active_plugins'); - if( !is_array($plugins) ) settype($plugins,'array'); - return ( in_array($plugin_filename, $plugins) ) ; -} - -//Filter out pingbacks and trackbacks -add_filter('get_comments_number', 'comment_count', 0); -function comment_count( $count ) { - global $id; - $comments = get_approved_comments($id); - $comment_count = 0; - foreach($comments as $comment){ - if($comment->comment_type == ""){ - $comment_count++; - } - } - return $comment_count; -} - -// Stop '0' comment counts in comment bubbles -function wptouch_get_comment_count() { - global $wpdb; - global $post; - - $sql = $wpdb->prepare( "SELECT count(*) AS c FROM {$wpdb->comments} WHERE comment_type = '' AND comment_approved = 1 AND comment_post_ID = %d", $post->ID ); - $result = $wpdb->get_row( $sql ); - if ( $result ) { - return $result->c; - } else { - return 0; - } -} - -// Add 'Delete | Spam' links in comments for logged in admins - function wptouch_moderate_comment_link($id) { - if (current_user_can('edit_post')) { - echo '<a href="' . admin_url("comment.php?action=editcomment&c=$id") . '">' . __('edit') . '</a>'; - echo '<a href="' . admin_url("comment.php?action=cdc&c=$id") . '">' . __('del') . '</a>'; - echo '<a href="' . admin_url("comment.php?action=cdc&dt=spam&c=$id") . '">' . __('spam') . '</a>'; - } - } - - -function wptouch_thumbnail_size( $size ) { - $size = 'thumbnail'; - return $size; -} - -function wptouch_idevice_classes() { - $iPhone = strstr( $_SERVER['HTTP_USER_AGENT'], 'iPhone' ); - $iPod = strstr( $_SERVER['HTTP_USER_AGENT'], 'iPod' ); -// $iPod = strstr( $_SERVER['HTTP_USER_AGENT'], 'Safari' ); - if ( $iPhone || $iPod ) { - echo 'idevice'; - } -} - -// Remove the admin bar when logged in and looking at WPtouch -if ( bnc_wptouch_is_mobile() && function_exists( 'show_admin_bar' ) ) { - add_filter( 'show_admin_bar', '__return_false' ); -} - - -////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// -// WPtouch Filters -////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////// -add_filter( 'post_thumbnail_size', 'wptouch_thumbnail_size' ); -remove_action('wp_head', 'gigpress_head'); -remove_filter('the_excerpt', 'do_shortcode'); -remove_filter('the_content', 'do_shortcode'); -remove_action( 'wp_default_scripts', array( 'JCP_UseGoogleLibraries', 'replace_default_scripts_action'), 1000); -remove_filter('the_content', 'sociable_display_hook'); -remove_filter('the_excerpt', 'sociable_display_hook'); -remove_filter('the_content', 'whydowork_adsense_filter', 100); -remove_filter('the_excerpt', 'whydowork_adsense_filter', 100); - -// Facebook Like button -remove_filter('the_content', 'Add_Like_Button'); - -//Sharebar Plugin -remove_filter('the_content', 'sharebar_auto'); -remove_action('wp_head', 'sharebar_header'); diff --git a/wp-content/plugins/wptouch/themes/core/core-header.php b/wp-content/plugins/wptouch/themes/core/core-header.php deleted file mode 100644 index 2a2717e71516f99d1f40d3a9527ab41eb2ffe3b7..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/core/core-header.php +++ /dev/null @@ -1,26 +0,0 @@ -<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> -<html xmlns="http://www.w3.org/1999/xhtml" <?php language_attributes(); ?>> -<head profile="http://gmpg.org/xfn/11"> - <meta name="generator" content="WordPress <?php bloginfo('version'); ?>" /> - <meta http-equiv="Content-Type" content="<?php bloginfo('html_type'); ?>; charset=<?php bloginfo('charset'); ?>" /> - <?php if ( bnc_is_zoom_enabled() ) { ?> - <meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=2.0, user-scalable=yes" /> - <?php } else { ?> - <meta name="viewport" content="width=device-width, initial-scale=1.0, maximum-scale=1.0, user-scalable=no" /> - <?php } ?> - <title><?php wp_title('«', true, 'right'); ?> <?php $str = bnc_get_header_title(); echo stripslashes($str); ?></title> - <link rel="alternate" type="application/rss+xml" title="<?php bloginfo('name'); ?> RSS Feed" href="<?php bloginfo('rss2_url'); ?>" /> - <link <?php if (bnc_is_flat_icon_enabled()) { echo 'rel="apple-touch-icon-precomposed"'; } else { echo 'rel="apple-touch-icon"';} ?> href="<?php echo bnc_get_title_image(); ?>" /> - <link rel="stylesheet" href="<?php bloginfo('stylesheet_directory'); ?>/style.css?ver=1.9.22.1" type="text/css" media="screen" /> - <?php if (bnc_is_gigpress_enabled() && function_exists( 'gigpress_shows' )) { ?> - <link rel="stylesheet" href="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-css/gigpress.css" type="text/css" media="screen" /> - <?php } ?> - <?php wptouch_core_header_styles(); wptouch_core_header_enqueue(); ?> - <?php if (!is_single()) { ?> - <script type="text/javascript"> - // Hides the addressbar on non-post pages - function hideURLbar() { window.scrollTo(0,1); } - addEventListener('load', function() { setTimeout(hideURLbar, 0); }, false ); - </script> -<?php } ?> -</head> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/core/core-images/ajax-loader.gif b/wp-content/plugins/wptouch/themes/core/core-images/ajax-loader.gif deleted file mode 100644 index 4d3b5a9d6a333cf0e22f8b465bef9784fe335b11..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/ajax-loader.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/argyle-tie.gif b/wp-content/plugins/wptouch/themes/core/core-images/argyle-tie.gif deleted file mode 100644 index f792c11c032b6d6c315d2730bbec4a0ba6afd9c1..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/argyle-tie.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/arrow.png b/wp-content/plugins/wptouch/themes/core/core-images/arrow.png deleted file mode 100644 index dd4562570b1d1cb83a2999e553de736a20e6b6cc..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/arrow.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/blank_gravatar.jpg b/wp-content/plugins/wptouch/themes/core/core-images/blank_gravatar.jpg deleted file mode 100644 index 879ca63792f5f3c9733c56cb40a6553cbc2bb500..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/blank_gravatar.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/delicious.jpg b/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/delicious.jpg deleted file mode 100644 index d8affae912a79826bef462fc3f290ca93965b376..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/delicious.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/digg.jpg b/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/digg.jpg deleted file mode 100644 index 9f7f4d5a11d30a46f024c72b29c647d7a2bb2457..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/digg.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/magnolia.jpg b/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/magnolia.jpg deleted file mode 100644 index fcaa9aeda76dab4a39f87729c89539b8851ad003..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/magnolia.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/newsvine.jpg b/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/newsvine.jpg deleted file mode 100644 index e7e677a310171c9e429dabe791c2ced83ff3fc85..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/newsvine.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/reddit.jpg b/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/reddit.jpg deleted file mode 100644 index 40c1bb867cb802e8706e54481c364cc7bab03209..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/reddit.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/technorati.jpg b/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/technorati.jpg deleted file mode 100644 index bf9bdaebb09dce194c86d834122c5c3da2de3517..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/bookmarks/technorati.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/com_arrow.png b/wp-content/plugins/wptouch/themes/core/core-images/com_arrow.png deleted file mode 100644 index 04ff1d4e51ca2bf4dde0597723953b1472c43ab2..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/com_arrow.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/comment-ajax-loader.gif b/wp-content/plugins/wptouch/themes/core/core-images/comment-ajax-loader.gif deleted file mode 100644 index b2d30d5b617609d3dd21811cc560aa51303c327f..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/comment-ajax-loader.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/flash.jpg b/wp-content/plugins/wptouch/themes/core/core-images/flash.jpg deleted file mode 100644 index 06a889354b769a6bdf1e2c47fcc0d47baced2839..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/flash.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/gigpress-stripes.png b/wp-content/plugins/wptouch/themes/core/core-images/gigpress-stripes.png deleted file mode 100644 index b9aaeee0345aa7d0ad0fd8771313168e0cbe683b..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/gigpress-stripes.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/gigpress.png b/wp-content/plugins/wptouch/themes/core/core-images/gigpress.png deleted file mode 100644 index 1953f7375b48d8a89d7b05a7c849aeaadaa4fb29..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/gigpress.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/grid.gif b/wp-content/plugins/wptouch/themes/core/core-images/grid.gif deleted file mode 100644 index 904c745d30ebfba48f9afce6d134144a4c59cb19..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/grid.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/head-close.png b/wp-content/plugins/wptouch/themes/core/core-images/head-close.png deleted file mode 100644 index 3c20e9762eba0d39834714f5a00153c463dca6c0..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/head-close.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/head-fade-bk.png b/wp-content/plugins/wptouch/themes/core/core-images/head-fade-bk.png deleted file mode 100644 index 518b5276a392c86c18917c9a17872600a2cd4260..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/head-fade-bk.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/lazy-photo.jpg b/wp-content/plugins/wptouch/themes/core/core-images/lazy-photo.jpg deleted file mode 100644 index 7427330c09827595586eaa162aeb8408a7f89c6d..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/lazy-photo.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/menu-sprite.png b/wp-content/plugins/wptouch/themes/core/core-images/menu-sprite.png deleted file mode 100644 index 1ace9650a48012f21f7a9c682f2dba154adcdf94..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/menu-sprite.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-acct.png b/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-acct.png deleted file mode 100644 index 08cca4ebcf3f75b24005fbc08d4fc5e19fa90256..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-acct.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-cats.png b/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-cats.png deleted file mode 100644 index 19fe1410a8403e9f13ab70c9969cf3c19160b38e..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-cats.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-login.png b/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-login.png deleted file mode 100644 index c6f09238f47427e0c37aadbd7c68dc8330507262..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-login.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-tags.png b/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-tags.png deleted file mode 100644 index 5d7f36de30555b4cb24ee5d79f745c2d6d67b12f..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/menu/wptouch-menu-tags.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/off.jpg b/wp-content/plugins/wptouch/themes/core/core-images/off.jpg deleted file mode 100644 index d2f6c201c2241f6b5a0f5be1b2bca04492bc0ed1..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/off.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/on.jpg b/wp-content/plugins/wptouch/themes/core/core-images/on.jpg deleted file mode 100644 index dbcf76f437ad7f0c07e6b32e06dc38c3072f7772..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/on.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/onoff.jpg b/wp-content/plugins/wptouch/themes/core/core-images/onoff.jpg deleted file mode 100644 index 8e75c8e32730d41e338497ce9d40f8b387fc31ac..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/onoff.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/pinstripes-classic.gif b/wp-content/plugins/wptouch/themes/core/core-images/pinstripes-classic.gif deleted file mode 100644 index e33547404e81ea2be6db2834e93b43014def1b33..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/pinstripes-classic.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/pinstripes-diagonal.gif b/wp-content/plugins/wptouch/themes/core/core-images/pinstripes-diagonal.gif deleted file mode 100644 index c485a1de632ac5a782493af590a8f0f86491de15..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/pinstripes-diagonal.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/pinstripes-horizontal.gif b/wp-content/plugins/wptouch/themes/core/core-images/pinstripes-horizontal.gif deleted file mode 100644 index 59f5e07fc257ea9a47733e3b524127792c202d5e..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/pinstripes-horizontal.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/post-arrow.png b/wp-content/plugins/wptouch/themes/core/core-images/post-arrow.png deleted file mode 100644 index e885ceb48073bd403b8a4a54e484d25964fec199..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/post-arrow.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/post-options.png b/wp-content/plugins/wptouch/themes/core/core-images/post-options.png deleted file mode 100644 index 0032cb6c2c39872cd3ed09a7cb9fac33c288cc4c..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/post-options.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/push-fail.png b/wp-content/plugins/wptouch/themes/core/core-images/push-fail.png deleted file mode 100644 index bbeab138b3bf7ed93a5ca5320c74b89ad87469df..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/push-fail.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/push-icon.png b/wp-content/plugins/wptouch/themes/core/core-images/push-icon.png deleted file mode 100644 index 3b203f5578b7dbd2d1e2642eb6187c62818d914e..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/push-icon.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/push-success.png b/wp-content/plugins/wptouch/themes/core/core-images/push-success.png deleted file mode 100644 index 1ff4ec455229a6893c0db04cb8fe237cb3fec6e6..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/push-success.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/quotes.png b/wp-content/plugins/wptouch/themes/core/core-images/quotes.png deleted file mode 100644 index b0e11ceac1b427baad00535b134de2a566bf2e0a..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/quotes.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/skated-concrete.gif b/wp-content/plugins/wptouch/themes/core/core-images/skated-concrete.gif deleted file mode 100644 index 4751787813b6abaee0caee7971d31fbc21b23136..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/skated-concrete.gif and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/sprite.png b/wp-content/plugins/wptouch/themes/core/core-images/sprite.png deleted file mode 100644 index d9edaf2cf786dc4ee1deea57451c46da099caa0c..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/sprite.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/sticky.png b/wp-content/plugins/wptouch/themes/core/core-images/sticky.png deleted file mode 100644 index 76af964f31bb8d867594da43de0e182dbe0d6b1f..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/sticky.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumb-corners.png b/wp-content/plugins/wptouch/themes/core/core-images/thumb-corners.png deleted file mode 100644 index 7ee23f6e84c22572e90c6ba329ac342b79f92e50..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumb-corners.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/1.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/1.jpg deleted file mode 100644 index bd7499280ed73b4b22c84ace36b7b62ca14541c3..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/1.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/10.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/10.jpg deleted file mode 100644 index d55442e9e1cccb44172ea221b0e75dd8ca945c9a..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/10.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/11.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/11.jpg deleted file mode 100644 index 9c727b302df93d4b1afa64020d51ad34a918c419..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/11.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/12.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/12.jpg deleted file mode 100644 index d8384455d33efe785e874e264b91000c0a9fc7dd..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/12.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/13.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/13.jpg deleted file mode 100644 index 0328d1fdda1d1a8ac2da07417b4ddf0e42039720..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/13.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/14.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/14.jpg deleted file mode 100644 index dad33d3f91a6afdedbafca3a9d6a783206376361..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/14.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/15.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/15.jpg deleted file mode 100644 index f6daec47605caacb585d7a18d5dfcabb7e5c3a05..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/15.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/16.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/16.jpg deleted file mode 100644 index d083bff8c247afa0a8c10cc4f63a84d7bf3e2e52..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/16.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/17.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/17.jpg deleted file mode 100644 index a179f5b3f00d9538d03c2af3310bc8b7d64b78fa..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/17.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/18.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/18.jpg deleted file mode 100644 index 688c55e2b0e807e0fda3a66c06e77f6bcc643ae9..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/18.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/19.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/19.jpg deleted file mode 100644 index 677718f792e70bcd07ce8a7d28b345d8e3f5128d..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/19.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/2.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/2.jpg deleted file mode 100644 index e4f5470476ff10a478b025a2e2a13f11ba9b47ac..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/2.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/20.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/20.jpg deleted file mode 100644 index ed248f7c6922513667fc899c0d4f9f16b4a3f040..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/20.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/21.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/21.jpg deleted file mode 100644 index f35aa4ca125815d8f3e9fb22ebd80c5156240375..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/21.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/22.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/22.jpg deleted file mode 100644 index f0f651d772e9b1db14213b0df790929bb97118d0..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/22.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/23.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/23.jpg deleted file mode 100644 index b14c1706606cc81814fcc66666e85b6a943d1d55..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/23.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/24.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/24.jpg deleted file mode 100644 index a2fc3db01c3fdebba2c5d70c20ec39d678ea17fc..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/24.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/3.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/3.jpg deleted file mode 100644 index 08ff902e9039d652be85dd1b25e839719e1d32ba..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/3.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/4.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/4.jpg deleted file mode 100644 index c00d0f44b509136b7be48ca994eb0cf7d758916b..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/4.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/5.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/5.jpg deleted file mode 100644 index 6e585670c448c41c14b4af7095abde3fb1eef026..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/5.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/6.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/6.jpg deleted file mode 100644 index 833376209f22e82dc16bdc48e6909d8644cfe3a0..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/6.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/7.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/7.jpg deleted file mode 100644 index 37e01d0c690dbc913d6284dac91388f7f3f5a4d0..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/7.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/8.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/8.jpg deleted file mode 100644 index 0ce9e9d8e60fcfacc6146ec0badc635080ceda43..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/8.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/9.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/9.jpg deleted file mode 100644 index 832d3d86687d473deeb03e8bb8fb9ead6ca012d6..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/9.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/thumb-empty.jpg b/wp-content/plugins/wptouch/themes/core/core-images/thumbs/thumb-empty.jpg deleted file mode 100644 index 024bf26b88aae343d6a66c0d2cd34969ddf270d8..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/thumbs/thumb-empty.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/twitter-arrow.jpg b/wp-content/plugins/wptouch/themes/core/core-images/twitter-arrow.jpg deleted file mode 100644 index a48c3aff6d722cca6c2262926a2bfdd6f18fb149..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/twitter-arrow.jpg and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/type.png b/wp-content/plugins/wptouch/themes/core/core-images/type.png deleted file mode 100644 index ea1cfa9c9d28680e3bd309f49f1ae735d1ebdaec..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/type.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-images/wptouch-menu-dropper.png b/wp-content/plugins/wptouch/themes/core/core-images/wptouch-menu-dropper.png deleted file mode 100644 index 58d0f596c737d0f7482661146feda5cb04c2b821..0000000000000000000000000000000000000000 Binary files a/wp-content/plugins/wptouch/themes/core/core-images/wptouch-menu-dropper.png and /dev/null differ diff --git a/wp-content/plugins/wptouch/themes/core/core-styles.php b/wp-content/plugins/wptouch/themes/core/core-styles.php deleted file mode 100644 index ede5c78bfe2fc7d4d0729d9368fe3c442839610b..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/core/core-styles.php +++ /dev/null @@ -1,35 +0,0 @@ -<style type="text/css"> -#headerbar, #wptouch-login, #wptouch-search { - background: #<?php echo bnc_get_header_background(); ?> url(<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/head-fade-bk.png); -} -#headerbar-title, #headerbar-title a { - color: #<?php echo bnc_get_header_color(); ?>; -} -#wptouch-menu-inner a:hover { - color: #<?php echo bnc_get_link_color(); ?>; -} -#catsmenu-inner a:hover { - color: #<?php echo bnc_get_link_color(); ?>; -} -#drop-fade { -background: #<?php echo bnc_get_header_border_color(); ?>; -} -a, h3#com-head { - color: #<?php echo bnc_get_link_color(); ?>; -} - -a.h2, a.sh2, .page h2 { -font-family: '<?php echo bnc_get_h2_font(); ?>'; -} - -<?php wptouch_thumb_reflections(); ?> - -<?php if (bnc_is_truncated_enabled()) { ?> -a.h2{ -text-overflow: ellipsis; -white-space: nowrap; -overflow: hidden; -} -<?php } ?> - -</style> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/core/core.js b/wp-content/plugins/wptouch/themes/core/core.js deleted file mode 100644 index bdb313e03ef19563717fe3e35e771f8dadb23848..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/core/core.js +++ /dev/null @@ -1,140 +0,0 @@ -/* - * WPtouch 1.9.x -The WPtouch Core JS File - */ - -/////-- Let's setup our namspace in jQuery -- ///// -var $wpt = jQuery.noConflict(); - -if ( (navigator.platform == 'iPhone' || navigator.platform == 'iPod') && typeof orientation != 'undefined' ) { - var touchStartOrClick = 'touchstart'; -} else { - var touchStartOrClick = 'click'; -}; - -/////-- Get out of frames! -- ///// -if (top.location!= self.location) {top.location = self.location.href} - -/////// -- New function fadeToggle() -- ///// -$wpt.fn.wptouchFadeToggle = function(speed, easing, callback) { - return this.animate({opacity: 'toggle'}, speed, easing, callback); -}; - -/////-- Switch Magic -- ///// -function wptouch_switch_confirmation( e ) { - if ( document.cookie && document.cookie.indexOf( 'wptouch_switch_toggle' ) > -1) { - // just switch - $wpt("a#switch-link").toggleClass("offimg"); - setTimeout('switch_delayer()', 1250); - } else { - // ask first - if ( confirm( "Switch to regular view? \n \n You can switch back again in the footer." ) ) { - $wpt("a#switch-link").toggleClass("offimg"); - setTimeout('switch_delayer()', 1350); - } else { - e.preventDefault(); - e.stopImmediatePropagation(); - } - } -} - -/////-- Prowl Results -- ///// -if ( $wpt('#prowl-success').length ) { - setTimeout(function() { $wpt('#prowl-success').fadeOut(350); }, 5250); -} -if ( $wpt('#prowl-fail').length ) { - setTimeout(function() { $wpt('#prowl-fail').fadeOut(350); }, 5250); -} - -/////// -- jQuery Tabs -- /////// -$wpt(function() { - var tabContainers = $wpt('#menu-head > ul'); - $wpt('#tabnav a').bind(touchStartOrClick, function () { - tabContainers.hide().filter(this.hash).show(); - $wpt('#tabnav a').removeClass('selected'); - $wpt(this).addClass('selected'); - return false; - }).filter(':first').trigger(touchStartOrClick); -}); - -/////-- Ajax comments -- ///// -function bnc_showhide_coms_toggle() { - $wpt('#commentlist').wptouchFadeToggle(350); - $wpt("img#com-arrow").toggleClass("com-arrow-down"); - $wpt("h3#com-head").toggleClass("comhead-open"); -} - -function doWPtouchReady() { - -/////-- Tweak jQuery Timer -- ///// - $wpt.timerId = setInterval(function(){ - var timers = $wpt.timers; - for (var i = 0; i < timers.length; i++) { - if (!timers[i]()) { - timers.splice(i--, 1); - } - } - if (!timers.length) { - clearInterval($wpt.timerId); - $wpt.timerId = null; - } - }, 83); - -/////-- Menu Toggle -- ///// - $wpt('#headerbar-menu a').bind( touchStartOrClick, function( e ){ - $wpt('#wptouch-menu').wptouchFadeToggle(350); - $wpt("#headerbar-menu a").toggleClass("open"); - }); - -/////-- Search Toggle -- ///// - $wpt('a#searchopen, #wptouch-search-inner a').bind( touchStartOrClick, function( e ){ - $wpt('#wptouch-search').wptouchFadeToggle(350); - }); - -/////-- Prowl Toggle -- ///// - $wpt('a#prowlopen').bind( touchStartOrClick, function( e ){ - $wpt('#prowl-message').wptouchFadeToggle(350); - }); - -/////-- WordTwit Toggle -- ///// - $wpt('a#wordtwitopen').bind( touchStartOrClick, function( e ){ - $wpt('#wptouch-wordtwit').wptouchFadeToggle(350); - }); - -/////-- Gigpress Toggle -- ///// - $wpt('a#gigpressopen').bind( touchStartOrClick, function( e ){ - $wpt('#wptouch-gigpress').wptouchFadeToggle(350); - }); - -/////-- Login Toggle -- ///// - $wpt('a#loginopen, #wptouch-login-inner a').bind( touchStartOrClick, function( e ){ - $wpt('#wptouch-login').wptouchFadeToggle(350); - }); - -/////// -- Single Post Page Bookmark Toggle -- ///// -$wpt( 'a#obook' ).bind( touchStartOrClick, function() { - $wpt('#bookmark-box').wptouchFadeToggle(350); -}); - -/////-- Try to make imgs and captions nicer in posts -- ///// - $wpt( '.singlentry img, .singlentry .wp-caption' ).each( function() { - if ( $wpt( this ).width() <= 250 ) { - $wpt( this ).addClass( 'aligncenter' ); - } - }); - -/////-- Filter FollowMe Plugin -- ///// - if ( $wpt( '#FollowMeTabLeftSm' ).length ) { - $wpt( '#FollowMeTabLeftSm' ).remove(); - } - -// $wpt( '.content iframe' ).each( function() { -// var iframeSrc = $wpt( this ).attr( 'src' ); -// $wpt( this ).replaceWith( '<video src='+iframeSrc+' controls=controls></video>' ) -// -// }); - - - -} // End document ready - -$wpt( document ).ready( function() { doWPtouchReady(); } ); \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/core/core.min.js b/wp-content/plugins/wptouch/themes/core/core.min.js deleted file mode 100644 index 038143d960925da4519a3c7ca02ff231389c863a..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/core/core.min.js +++ /dev/null @@ -1 +0,0 @@ -var $wpt=jQuery.noConflict();if((navigator.platform=="iPhone"||navigator.platform=="iPod")&&typeof orientation!="undefined"){var touchStartOrClick="touchstart"}else{var touchStartOrClick="click"}if(top.location!=self.location){top.location=self.location.href}$wpt.fn.wptouchFadeToggle=function(a,c,b){return this.animate({opacity:"toggle"},a,c,b)};function wptouch_switch_confirmation(a){if(document.cookie&&document.cookie.indexOf("wptouch_switch_toggle")>-1){$wpt("a#switch-link").toggleClass("offimg");setTimeout("switch_delayer()",1250)}else{if(confirm("Switch to regular view? \n \n You can switch back again in the footer.")){$wpt("a#switch-link").toggleClass("offimg");setTimeout("switch_delayer()",1350)}else{a.preventDefault();a.stopImmediatePropagation()}}}if($wpt("#prowl-success").length){setTimeout(function(){$wpt("#prowl-success").fadeOut(350)},5250)}if($wpt("#prowl-fail").length){setTimeout(function(){$wpt("#prowl-fail").fadeOut(350)},5250)}$wpt(function(){var a=$wpt("#menu-head > ul");$wpt("#tabnav a").bind(touchStartOrClick,function(){a.hide().filter(this.hash).show();$wpt("#tabnav a").removeClass("selected");$wpt(this).addClass("selected");return false}).filter(":first").trigger(touchStartOrClick)});function bnc_showhide_coms_toggle(){$wpt("#commentlist").wptouchFadeToggle(350);$wpt("img#com-arrow").toggleClass("com-arrow-down");$wpt("h3#com-head").toggleClass("comhead-open")}function doWPtouchReady(){$wpt.timerId=setInterval(function(){var b=$wpt.timers;for(var a=0;a<b.length;a++){if(!b[a]()){b.splice(a--,1)}}if(!b.length){clearInterval($wpt.timerId);$wpt.timerId=null}},83);$wpt("#headerbar-menu a").bind(touchStartOrClick,function(a){$wpt("#wptouch-menu").wptouchFadeToggle(350);$wpt("#headerbar-menu a").toggleClass("open")});$wpt("a#searchopen, #wptouch-search-inner a").bind(touchStartOrClick,function(a){$wpt("#wptouch-search").wptouchFadeToggle(350)});$wpt("a#prowlopen").bind(touchStartOrClick,function(a){$wpt("#prowl-message").wptouchFadeToggle(350)});$wpt("a#wordtwitopen").bind(touchStartOrClick,function(a){$wpt("#wptouch-wordtwit").wptouchFadeToggle(350)});$wpt("a#gigpressopen").bind(touchStartOrClick,function(a){$wpt("#wptouch-gigpress").wptouchFadeToggle(350)});$wpt("a#loginopen, #wptouch-login-inner a").bind(touchStartOrClick,function(a){$wpt("#wptouch-login").wptouchFadeToggle(350)});$wpt("a#obook").bind(touchStartOrClick,function(){$wpt("#bookmark-box").wptouchFadeToggle(350)});$wpt(".singlentry img, .singlentry .wp-caption").each(function(){if($wpt(this).width()<=250){$wpt(this).addClass("aligncenter")}});if($wpt("#FollowMeTabLeftSm").length){$wpt("#FollowMeTabLeftSm").remove()}}$wpt(document).ready(function(){doWPtouchReady()}); \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/default/comments.php b/wp-content/plugins/wptouch/themes/default/comments.php deleted file mode 100644 index 8a707d471faf35fa3af91ffc5b2012427bd0f2f7..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/default/comments.php +++ /dev/null @@ -1,138 +0,0 @@ -<?php -// Do not delete these lines - if (!empty($_SERVER['SCRIPT_FILENAME']) && 'comments.php' == basename($_SERVER['SCRIPT_FILENAME'])) - die ('Please do not load this page directly. Thanks!'); - - if ( post_password_required() ) { ?> - <p class="nocomments"><?php _e( "This post is password protected. Enter the password to view comments.", "wptouch" ); ?></p> - <?php - return; - } -?> -<!-- You can start editing below here... but make a backup first! --> - -<div id="comment_wrapper"> -<?php if ($comments) : ?> -<?php - echo '<h3 onclick="bnc_showhide_coms_toggle();" id="com-head"><img id="com-arrow" src="' . compat_get_plugin_url( 'wptouch' ) . '/themes/core/core-images/com_arrow.png" alt="arrow" />'; - $comment_string1 = __( 'No Responses Yet', 'wptouch' ); - $comment_string2 = __( '1 Response', 'wptouch' ); - $comment_string3 = __( '% Responses', 'wptouch' ); - comments_number( $comment_string1, $comment_string2, $comment_string3 ); - echo '</h3>'; -?> -<?php endif; ?> - - <ol class="commentlist" id="commentlist"> - <?php if ($comments) : ?> - <?php foreach ($comments as $comment) : ?> - <?php if (get_comment_type() == "comment") { ?> - <li class="<?php echo $oddcomment; ?>" id="comment-<?php comment_ID(); ?>"> - <div class="comwrap"> - <div class="comtop<?php if ($comment->comment_approved == '0') : echo ' preview'; endif; ?>"> - <?php if (bnc_is_gravatars_enabled()) { echo get_avatar( $comment, $size = '64', $default = '' . compat_get_plugin_url( 'wptouch' ) . '/themes/core/core-images/blank_gravatar.jpg' ); } ?> - <div class="com-author"><?php comment_author_link(); ?></div> <?php if ($comment->comment_approved == '0') : echo '<span>(moderation preview)</span>'; endif; ?> - <div class="comdater"> - <?php if (is_single()) { ?> - <span><?php wptouch_moderate_comment_link(get_comment_ID()); ?></span> - <?php } ?> - <?php if (function_exists('wptouch_time_since')) { - echo wptouch_time_since(abs(strtotime($comment->comment_date_gmt . " GMT")), time()) . " " . __( 'ago', 'wptouch' ); } else { the_time('F jS, Y'); - } ?> - </div> - - </div><!--end comtop--> - <div class="combody"> - <?php comment_text(); //delete_comment_link(get_comment_ID()); ?> - </div> - </div><!--end comwrap--> - </li> - - <?php - /* Changes every other comment to a different class */ - if ('alt' == $oddcomment) $oddcomment = ''; else $oddcomment = 'alt'; ?> - <?php } ?> - <?php endforeach; - /* end for each comment */ - ?> - </ol> - - <?php else : // this is displayed if there are no comments so far ?> - - <?php if ('open' == $post->comment_status) : ?> - <!-- If comments are open, but there are no comments. --> - <li id="hidelist" style="display:none"></li> - </ol> - - <?php else : // comments are closed ?> - <!-- If comments are closed. --> - <li style="display:none"></li> - </ol> - <h3 class="result-text coms-closed"><?php _e( 'Comments are closed.', 'wptouch' ); ?></h3> - - <?php endif; ?><!--end comment status--> - <?php endif; ?> - - <div id="textinputwrap"> - <?php if ('open' == $post->comment_status) : ?> - <?php if (get_option('comment_registration') && !$user_ID) : ?> - <center> - <h1> - <?php sprintf( __( 'You must %slogin</a> or %sregister</a> to comment', 'wptouch' ), '<a href="' . get_bloginfo('wpurl') . '/wp-login.php">', '<a href="' . get_bloginfo('wpurl') . '"/wp-register.php">') ; ?> - </h1> - </center> - - <?php else : ?> - - <div id="refresher" style="display:none;"> - <img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/images/good.png" alt="checkmark" /> - <h3><?php _e( "Success! Comment added.", "wptouch" ); ?></h3> - › <a href="javascript:this.location.reload();"><?php _e( "Refresh the page to see your comment.", "wptouch" ); ?></a><br /> - <?php _e( "(If your comment requires moderation it will be added soon.)", "wptouch" ); ?> - </div> - - <form action="<?php bloginfo('wpurl'); ?>/wp-comments-post.php" method="post" id="commentform"> - - <?php if ($user_ID) : ?> - - <p class="logged" id="respond"><?php _e( "Logged in as", "wptouch" ); ?> <a href="<?php bloginfo('wpurl'); ?>/wp-admin/profile.php"><?php echo $user_identity; ?></a>:</p> - - <?php else : ?> - - <h3 id="respond"><?php _e( "Leave A Comment", "wptouch" ); ?></h3> - <p> - <input type="text" name="author" id="author" value="<?php echo $comment_author; ?>" size="22" tabindex="1" /> - <label for="author"><?php _e( 'Name', 'wptouch' ); ?> <?php if ($req) echo "*"; ?></label> - </p> - - <p> - <input name="email" id="email" type="email" value="<?php echo $comment_author_email; ?>" size="22" tabindex="2" /> - <label for="email"><?php _e( 'Mail (unpublished)', 'wptouch' ); ?> <?php if ($req) echo "*"; ?></label> - </p> - - <p> - <input name="url" id="url" type="url" value="<?php echo $comment_author_url; ?>" size="22" tabindex="3" /> - <label for="url"><?php _e( 'Website', 'wptouch' ); ?></label> - </p> - - <?php endif; ?> - <div id="errors" style="display:none"><?php _e( "There was an error posting your comment. Maybe it was too short?", "wptouch" ); ?></div> - - <?php do_action('comment_form', $post->ID); ?> - <p><textarea name="comment" id="comment" tabindex="4"></textarea></p> - - <p> - <input name="submit" type="submit" id="submit" tabindex="5" value="<?php _e('Publish', 'wptouch'); ?> " /> - <input type="hidden" name="comment_post_ID" value="<?php echo $id; ?>" /> - <div id="loading" style="display:none"> - <img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/comment-ajax-loader.gif" alt="" /> <p><?php _e( 'Publishing...', 'wptouch' ); ?></p> - </div> - </p> - </form> - - <?php endif; // If registration required and not logged in ?> - - </div><!--textinputwrap div--> -</div><!-- comment_wrapper --> - -<?php endif; // if you delete this the sky will fall on your head \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/default/footer.php b/wp-content/plugins/wptouch/themes/default/footer.php deleted file mode 100644 index 221785444330a385fd7b401a17fa6722a3eaee98..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/default/footer.php +++ /dev/null @@ -1,19 +0,0 @@ -<div id="footer"> - - <center> - <div id="wptouch-switch-link"> - <?php wptouch_core_footer_switch_link(); ?> - </div> - </center> - - <p><?php $str = wptouch_custom_footer_msg(); echo stripslashes($str); ?></p> - <p><?php _e( 'Powered by', 'wptouch' ); ?> <a href="http://www.wordpress.org/"><?php _e( 'WordPress', 'wptouch' ); ?></a> <?php _e( '+', 'wptouch' ); ?> <a href="http://www.bravenewcode.com/products/wptouch-pro"><?php WPtouch(); ?></a></p> - <?php if ( !bnc_wptouch_is_exclusive() ) { wp_footer(); } ?> -</div> - -<?php wptouch_get_stats(); -// WPtouch theme designed and developed by Dale Mugford and Duane Storey @ BraveNewCode.com -// If you modify it for yourself, please keep the link credit *visible* in the footer (and keep the WordPress credit, too!) that's all we ask. -?> -</body> -</html> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/default/functions.php b/wp-content/plugins/wptouch/themes/default/functions.php deleted file mode 100644 index 688d0bc4b4762c7edcea44475107cce0715cb559..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/default/functions.php +++ /dev/null @@ -1,119 +0,0 @@ -<?php -include( dirname(__FILE__) . '/../core/core-functions.php' ); - -//---------------- Custom Exclude Cats Function ----------------// - -function wptouch_exclude_category( $query ) { - $excluded = wptouch_excluded_cats(); - - if ( $excluded ) { - $cats = explode( ',', $excluded ); - $new_cats = array(); - - foreach( $cats as $cat ) { - $new_cats[] = trim( $cat ); - } - - $query->set( 'category__not_in', $new_cats ); - } - - return $query; -} - -add_filter('pre_get_posts', 'wptouch_exclude_category'); - -//---------------- Custom Exclude Tags Function ----------------// - -function wptouch_exclude_tags( $query ) { - $excluded = wptouch_excluded_tags(); - - if ( $excluded ) { - $tags = explode( ',', $excluded ); - $new_tags = array(); - - foreach( $tags as $tag ) { - $new_tags[] = trim( $tag ); - } - - $query->set( 'tag__not_in', $new_tags ); - } - - return $query; -} - -add_filter('pre_get_posts', 'wptouch_exclude_tags'); - -//---------------- Custom Excerpts Function ----------------// -function wptouch_trim_excerpt($text) { - $raw_excerpt = $text; - if ( '' == $text ) { - $text = get_the_content(''); - $text = strip_shortcodes( $text ); - $text = apply_filters('the_content', $text); - $text = str_replace(']]>', ']]>', $text); - $text = strip_tags($text); - $excerpt_length = apply_filters('excerpt_length', 30); - $words = explode(' ', $text, $excerpt_length + 1); - if (count($words) > $excerpt_length) { - array_pop($words); - array_push($words, '...'); - $text = implode(' ', $words); - $text = force_balance_tags( $text ); - } - } - return apply_filters('wptouch_trim_excerpt', $text, $raw_excerpt); -} - - -//---------------- Custom Time Since Function ----------------// - -function wptouch_time_since($older_date, $newer_date = false) - { - // array of time period chunks - $chunks = array( -// array(60 * 60 * 24 * 365 , 'yr'), - array(60 * 60 * 24 * 30, __('mo', 'wptouch') ), - array(60 * 60 * 24 * 7, __('wk', 'wptouch') ), - array(60 * 60 * 24, __('day', 'wptouch') ), - array(60 * 60, __('hr', 'wptouch') ), - array(60 , __('min', 'wptouch'), ) - ); - - $newer_date = ($newer_date == false) ? (time()+(60*60*get_settings("gmt_offset"))) : $newer_date; - - // difference in seconds - $since = $newer_date - $older_date; - - for ($i = 0, $j = count($chunks); $i < $j; $i++) - { - $seconds = $chunks[$i][0]; - $name = $chunks[$i][1]; - - // finding the biggest chunk (if the chunk fits, break) - if (($count = floor($since / $seconds)) != 0) - { - break; - } - } - - // set output var - $output = ($count == 1) ? '1 '.$name : "$count {$name}s"; - - // step two: the second chunk - if ($i + 1 < $j) - { - $seconds2 = $chunks[$i + 1][0]; - $name2 = $chunks[$i + 1][1]; - - if (($count2 = floor(($since - ($seconds * $count)) / $seconds2)) != 0) - { - // add to output var - $output .= ($count2 == 1) ? ', 1 '.$name2 : ", $count2 {$name2}s"; - } - } - - return $output; - } - -remove_filter('get_the_excerpt', 'wp_trim_excerpt'); -add_filter('get_the_excerpt', 'wptouch_trim_excerpt'); \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/default/header.php b/wp-content/plugins/wptouch/themes/default/header.php deleted file mode 100644 index ebdeda3cab397960c9bfc093f602a8a061a1856b..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/default/header.php +++ /dev/null @@ -1,213 +0,0 @@ -<?php -include( dirname(__FILE__) . '/../core/core-header.php' ); -// End WPtouch Core Header -?> -<body class="<?php wptouch_core_body_background(); ?> <?php wptouch_idevice_classes(); ?>"> -<!-- New noscript check, we need js on now folks --> -<noscript> -<div id="noscript-wrap"> - <div id="noscript"> - <h2><?php _e("Notice", "wptouch"); ?></h2> - <p><?php _e("JavaScript for Mobile Safari is currently turned off.", "wptouch"); ?></p> - <p><?php _e("Turn it on in ", "wptouch"); ?><em><?php _e("Settings › Safari", "wptouch"); ?></em><br /><?php _e(" to view this website.", "wptouch"); ?></p> - </div> -</div> -</noscript> -<!-- Prowl: if DM is sent, let's tell the user what happened --> -<?php if (bnc_prowl_did_try_message()) { if (bnc_prowl_message_success()) { ?> -<div id="prowl-success"><p><?php _e("Your Push Notification was sent.", "wptouch"); ?></p></div> - <?php } else { ?> -<div id="prowl-fail"><p><?php _e("Your Push Notification cannot be delivered at this time.", "wptouch"); ?></p></div> -<?php } } ?> - -<?php if (bnc_is_login_button_enabled()) { ?> -<!--#start The Login Overlay --> - <div id="wptouch-login"> - <div id="wptouch-login-inner"> - <form name="loginform" id="loginform" action="<?php bloginfo('wpurl'); ?>/wp-login.php" method="post"> - <label><input type="text" name="log" id="log" placeholder="<?php _e("Username", "wptouch"); ?>" tabindex="1" value="" /></label> - <label><input type="password" name="pwd" placeholder="<?php _e("Password", "wptouch"); ?>" tabindex="2" id="pwd" value="" /></label> - <input type="hidden" name="rememberme" value="forever" /> - <input type="submit" id="logsub" name="submit" value="<?php _e("Login", "wptouch"); ?>" tabindex="3" /> - <input type="hidden" name="redirect_to" value="<?php echo $_SERVER['REQUEST_URI']; ?>"/> - <a href="javascript:return false;"><img class="head-close" src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/head-close.png" alt="close" /></a> - </form> - </div> - </div> -<?php } ?> - <!-- #start The Search Overlay --> - <div id="wptouch-search"> - <div id="wptouch-search-inner"> - <form method="get" id="searchform" action="<?php bloginfo('url'); ?>/"> - <input type="text" placeholder="<?php echo __( "Search...", "wptouch" ); ?>" name="s" id="s" /> - <input name="submit" type="submit" tabindex="1" id="search-submit" value="<?php _e("Search...", "wptouch"); ?>" /> - <a href="javascript:return false;"><img class="head-close" src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/head-close.png" alt="close" /></a> - </form> - </div> - </div> - - <div id="wptouch-menu" class="dropper"> - <div id="wptouch-menu-inner"> - <div id="menu-head"> - <div id="tabnav"> - <a href="#head-pages"><?php _e("Menu", "wptouch"); ?></a> - <?php if (bnc_is_tags_button_enabled()) { wptouch_tags_link(); } ?> - <?php if (bnc_is_cats_button_enabled()) { wptouch_cats_link(); } ?> - <?php if (bnc_is_login_button_enabled()) { ?> - <?php if (!is_user_logged_in()) { ?> - <a id="loginopen" href="#head-account"><?php _e( "Login", "wptouch" ); ?></a> - <?php } else { ?> - <a href="#head-account"><?php _e( "My Account", "wptouch" ); ?></a> - <?php } ?> - <?php } ?> - </div> - - <ul id="head-pages"> - <?php wptouch_core_header_home(); ?> - <?php wptouch_core_header_pages(); ?> - <?php wptouch_core_header_rss(); ?> - <?php wptouch_core_header_email(); ?> - </ul> - - <?php if (bnc_is_cats_button_enabled()) { ?> - <ul id="head-cats"> - <?php bnc_get_ordered_cat_list( 35 ); ?> - </ul> - <?php } ?> - - <?php if (bnc_is_tags_button_enabled()) { ?> - <ul id="head-tags"> - <li><?php wptouch_ordered_tag_list( 35 ); ?></li> - </ul> - <?php } ?> - - <?php if (bnc_is_login_button_enabled()) { ?> - <ul id="head-account"> - <?php if (!is_user_logged_in()) { ?> - <li class="text"> - <?php _e( "Enter your username and password<br />in the boxes above.", "wptouch" ); ?> - <?php if ( !get_option('comment_registration') ) : ?> - <br /><br /> - <?php _e( "Not registered yet?", "wptouch"); ?> - <br /> - <?php echo sprintf(__( "You can %ssign-up here%s.", "wptouch" ), '<a href="' . get_bloginfo('wpurl') . '/wp-register.php" target="_blank">','</a>'); ?> - <?php endif; ?> - </li> - <?php } else { ?> - <?php if (current_user_can('edit_posts')) : ?> - <li><a href="<?php bloginfo('wpurl'); ?>/wp-admin/"><?php _e("Admin", "wptouch"); ?></a></li> - <?php endif; ?> - <?php if (get_option('comment_registration')) { ?> - <li><a href="<?php bloginfo('wpurl'); ?>/wp-register.php"><?php _e( "Register for this site", "wptouch" ); ?></a></li> - <?php } ?> - <?php if (is_user_logged_in()) { ?> - <li><a href="<?php bloginfo('wpurl'); ?>/wp-admin/profile.php"><?php _e( "Account Profile", "wptouch" ); ?></a></li> - <li><a href="<?php $version = (float)get_bloginfo('version'); if ($version >= 2.7) { ?><?php echo wp_logout_url($_SERVER['REQUEST_URI']); } else { bloginfo('wpurl'); ?>/wp-login.php?action=logout&redirect_to=<?php echo $_SERVER['REQUEST_URI']; ?><?php } ?>"><?php _e( "Logout", "wptouch" ); ?></a></li> - <?php } ?> - <?php } ?> - </ul> - <?php } ?> - </div> - </div> - </div> - - -<div id="headerbar"> - <div id="headerbar-title"> - <!-- This fetches the admin selection logo icon for the header, which is also the bookmark icon --> - <img id="logo-icon" src="<?php echo bnc_get_title_image(); ?>" alt="<?php $str = bnc_get_header_title(); echo stripslashes($str); ?>" /> - <a href="<?php bloginfo('url'); ?>"><?php wptouch_core_body_sitetitle(); ?></a> - </div> - <div id="headerbar-menu"> - <a href="javascript:return false;"></a> - </div> -</div> - -<div id="drop-fade"> - <?php if (bnc_is_search_enabled()) { ?> - <a id="searchopen" class="top" href="javascript:return false;"><?php _e( 'Search', 'wptouch' ); ?></a> - <?php } ?> - - <?php if (bnc_is_prowl_direct_message_enabled()) { ?> - <a id="prowlopen" class="top" href="javascript:return false;"><?php _e( 'Message', 'wptouch' ); ?></a> - <?php } ?> - - <?php if ( function_exists( 'wordtwit_get_recent_tweets' ) && wordtwit_is_valid() && bnc_can_show_tweets() ) { ?> - <a id="wordtwitopen" class="top" href="javascript:return false;"><?php _e( 'Twitter', 'wptouch' ); ?></a> - <?php } ?> - - <?php if ( function_exists( 'gigpress_shows' ) && bnc_is_gigpress_enabled()) { ?> - <a id="gigpressopen" class="top" href="javascript:return false;"><?php _e( 'Tour Dates', 'wptouch' ); ?></a> - <?php } ?> - - <!-- #start the Prowl Message Area --> - <div id="prowl-message" style="display:none"> - <div id="push-style-bar"></div><!-- filler to get the styling just right --> - <img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/push-icon.png" alt="push icon" /> - <h4><?php _e( 'Send a Message', 'wptouch' ); ?></h4> - <p><?php _e( 'This message will be pushed to the admin\'s iPhone instantly.', 'wptouch' ); ?></p> - - <form id="prowl-direct-message" method="post" action="<?php echo $_SERVER['REQUEST_URI']; ?>"> - <p> - <input name="prowl-msg-name" id="prowl-msg-name" type="text" /> - <label for="prowl-msg-name"><?php _e( 'Name', 'wptouch' ); ?></label> - </p> - - <p> - <input name="prowl-msg-email" id="prowl-msg-email" type="text" /> - <label for="prowl-msg-email"><?php _e( 'E-Mail', 'wptouch' ); ?></label> - </p> - - <textarea name="prowl-msg-message"></textarea> - <input type="hidden" name="wptouch-prowl-message" value="1" /> - <input type="hidden" name="_nonce" value="<?php echo wp_create_nonce( 'wptouch-prowl' ); ?>" /> - <input type="submit" name="prowl-submit" value="<?php _e('Send Now', 'wptouch' ); ?>" id="prowl-submit" /> - </form> - <div class="clearer"></div> - </div> - -<?php if ( function_exists( 'wordtwit_get_recent_tweets' ) && wordtwit_is_valid() && bnc_can_show_tweets() ) { ?> - <!-- #start the WordTwit Twitter Integration --> - <?php $tweets = wordtwit_get_recent_tweets(); ?> - - <div id="wptouch-wordtwit" class="dropper" style="display:none"> - <div id="twitter-style-bar"></div><!-- filler to get the styling just right --> - <a id="follow-arrow" href="http://twitter.com/<?php echo wordtwit_get_username(); ?>" target="_blank"><img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/twitter-arrow.jpg" alt="follow me" /></a> - <div id="wordtwit-avatar"> - <img src="<?php echo wordtwit_get_profile_url(); ?>" alt="Twitter Avatar" /> - <p class="twitter_username"><?php echo wordtwit_get_username(); ?></p> - <p><a href="http://twitter.com/<?php echo wordtwit_get_username(); ?>" target="_blank"><?php _e( 'Follow me on Twitter', 'wptouch' ); ?></a></p> - </div> - - <?php $now = time(); ?> - <ul id="tweets"> - <?php if ( $tweets ) { ?> - <?php foreach( $tweets as $tweet ) { ?> - <li> - <?php echo strip_tags( $tweet['content'], ''); ?> - <p class="time"><?php echo wordtwit_friendly_date( $tweet['published'] ); ?></p> - </li> - <?php } ?> - <?php } else { ?> - <li><?php _e( "No recent Tweets.", "wptouch" ); ?><br /><br /></li> - - <?php } ?> - </ul> -</div> -<?php } ?> - -<?php if (function_exists ('gigpress_shows')) { ?> - <!-- #start the GigPress Area --> - <div id="wptouch-gigpress" class="dropper" style="display:none"> - <div id="gigpress-style-bar"></div><!-- filler to get the styling just right --> - <img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/gigpress.png" id="music-icon" alt="GigPress" /> - <h4><?php _e( 'Upcoming Tour Dates', 'wptouch' ); ?></h4> - <?php - $options = array('scope' => 'upcoming', 'limit' => 10); - echo gigpress_shows($options); - ?> - </div> - <?php } ?> -</div> -<?php -wptouch_core_header_check_use(); diff --git a/wp-content/plugins/wptouch/themes/default/index.php b/wp-content/plugins/wptouch/themes/default/index.php deleted file mode 100644 index 75029687de8d811565108f3f40b40e682ff6423e..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/default/index.php +++ /dev/null @@ -1,172 +0,0 @@ -<?php global $is_ajax; $is_ajax = isset($_SERVER['HTTP_X_REQUESTED_WITH']); if (!$is_ajax) get_header(); ?> -<?php $wptouch_settings = bnc_wptouch_get_settings(); ?> - -<div class="content" id="content<?php echo md5($_SERVER['REQUEST_URI']); ?>"> - - <div class="result-text"><?php wptouch_core_body_result_text(); ?></div> - - <?php if (have_posts()) : while (have_posts()) : the_post(); ?> - <div class="post" id="post-<?php the_ID(); ?>"> - - <?php if ( is_home() && is_sticky() && $wptouch_settings['post-cal-thumb'] == 'nothing-shown' ) echo '<div class="sticky-icon-none"></div>'; ?> - <?php if ( is_home() && is_sticky() && $wptouch_settings['post-cal-thumb'] != 'nothing-shown' ) echo '<div class="sticky-icon"></div>'; ?> - - <?php if (!function_exists('dsq_comments_template') && !function_exists('id_comments_template')) { ?> - <?php if (wptouch_get_comment_count() && !is_archive() && !is_search() && bnc_can_show_comments() ) { ?> - <div class="<?php if ($wptouch_settings['post-cal-thumb'] == 'nothing-shown') { echo 'nothing-shown ';} ?>comment-bubble<?php if ( wptouch_get_comment_count() > 99 ) echo '-big'; ?>"> - <?php comments_number('0','1','%'); ?> - </div> - <?php } ?> - <?php } ?> - - <?php if (is_archive() || is_search()) { ?> - <div class="archive-top"> - <div class="archive-top-right"> - <?php if (bnc_excerpt_enabled()) { ?> - <script type="text/javascript"> - $wpt(document).ready(function(){ - $wpt("a#arrow-<?php the_ID(); ?>").bind( touchStartOrClick, function(e) { - $wpt(this).toggleClass("post-arrow-down"); - $wpt('#entry-<?php the_ID(); ?>').wptouchFadeToggle(500); - }); - }); - </script> - <a class="post-arrow" id="arrow-<?php the_ID(); ?>" href="javascript: return false;"></a> - <?php } ?> - </div> - <div id="arc-top" class="archive-top-left month-<?php echo get_the_time('m') ?>"> - <?php echo get_the_time('M') ?> <?php echo get_the_time('j') ?>, <?php echo get_the_time('Y') ?> - </div> - </div> - <?php } else { ?> - <?php if (bnc_excerpt_enabled()) { ?> - <script type="text/javascript"> - $wpt(document).ready(function(){ - $wpt("a#arrow-<?php the_ID(); ?>").bind( touchStartOrClick, function(e) { - $wpt(this).toggleClass("post-arrow-down"); - $wpt('#entry-<?php the_ID(); ?>').wptouchFadeToggle(500); - }); - }); - </script> - <a class="post-arrow" id="arrow-<?php the_ID(); ?>" href="javascript: return false;"></a> - <?php } ?> - - - <?php - $version = bnc_get_wp_version(); - if ($version >= 2.9 && $wptouch_settings['post-cal-thumb'] != 'calendar-icons' && $wptouch_settings['post-cal-thumb'] != 'nothing-shown') { ?> - <div class="wptouch-post-thumb-wrap"> - <div class="thumb-top-left"></div><div class="thumb-top-right"></div> - <div class="wptouch-post-thumb"> - <?php - if (function_exists('p75GetThumbnail')) { - if ( p75HasThumbnail($post->ID) ) { ?> - - <img src="<?php echo p75GetThumbnail($post->ID); ?>" alt="post thumbnail" /> - - <?php } else { ?> - <?php - $total = '24'; $file_type = '.jpg'; - - // Change to the location of the folder containing the images - $image_folder = '' . compat_get_plugin_url( 'wptouch' ) . '/themes/core/core-images/thumbs/'; - $start = '1'; $random = mt_rand($start, $total); $image_name = $random . $file_type; - - if ($wptouch_settings['post-cal-thumb'] == 'post-thumbnails-random') { - echo "<img src=\"$image_folder/$image_name\" alt=\"$image_name\" />"; - } else { - echo '<img src="' . compat_get_plugin_url( 'wptouch' ) . '/themes/core/core-images/thumbs/thumb-empty.jpg" alt="thumbnail" />'; - } - ?> - <?php } ?> - - <?php } elseif (get_post_custom_values('Thumbnail') == true || get_post_custom_values('thumbnail') == true) { ?> - - <img src="<?php $custom_fields = get_post_custom($post_ID); $my_custom_field = $custom_fields['Thumbnail']; foreach ( $my_custom_field as $key => $value ) echo "$value"; ?>" alt="custom-thumbnail" /> - - <?php } elseif (function_exists('the_post_thumbnail') && !function_exists('p75GetThumbnail')) { ?> - - <?php if (has_post_thumbnail()) { ?> - <?php the_post_thumbnail(); ?> - - <?php } else { ?> - - <?php - $total = '24'; $file_type = '.jpg'; - - // Change to the location of the folder containing the images - $image_folder = '' . compat_get_plugin_url( 'wptouch' ) . '/themes/core/core-images/thumbs/'; - $start = '1'; $random = mt_rand($start, $total); $image_name = $random . $file_type; - - if ($wptouch_settings['post-cal-thumb'] == 'post-thumbnails-random') { - echo "<img src=\"$image_folder/$image_name\" alt=\"$image_name\" />"; - } else { - echo '<img src="' . compat_get_plugin_url( 'wptouch' ) . '/themes/core/core-images/thumbs/thumb-empty.jpg" alt="thumbnail" />'; - } - ?> - <?php } } ?> - </div> - <div class="thumb-bottom-left"></div><div class="thumb-bottom-right"></div> - </div> - <?php } elseif ($wptouch_settings['post-cal-thumb'] == 'calendar-icons') { ?> - <div class="calendar"> - <div class="cal-month month-<?php echo get_the_time('m') ?>"><?php echo get_the_time('M') ?></div> - <div class="cal-date"><?php echo get_the_time('j') ?></div> - </div> - <?php } elseif ($wptouch_settings['post-cal-thumb'] == 'nothing-shown') { } else { ?> - <div class="calendar"> - <div class="cal-month month-<?php echo get_the_time('m') ?>"><?php echo get_the_time('M') ?></div> - <div class="cal-date"><?php echo get_the_time('j') ?></div> - </div> - <?php } ?> - - <?php } ?> - - <a class="h2" href="<?php the_permalink(); ?>"><?php the_title(); ?></a> - <div class="post-author"> - <?php if ($wptouch_settings['post-cal-thumb'] != 'calendar-icons') { ?><span class="lead"><?php _e("Written on", "wptouch"); ?></span> <?php echo get_the_time('d.m.Y') ?> <?php _e("at", "wptouch"); ?> <?php echo get_the_time('G:i') ?><br /><?php if (!bnc_show_author()) { echo '<br />';} ?><?php } ?> - <?php if (bnc_show_author()) { ?><span class="lead"><?php _e("By", "wptouch"); ?></span> <?php the_author(); ?><br /><?php } ?> - <?php if (bnc_show_categories()) { echo('<span class="lead">' . __( 'Categories', 'wptouch' ) . ':</span> '); the_category(', '); echo('<br />'); } ?> - <?php if (bnc_show_tags() && get_the_tags()) { the_tags('<span class="lead">' . __( 'Tags', 'wptouch' ) . ':</span> ', ', ', ''); } ?> - </div> - <div class="clearer"></div> - <div id="entry-<?php the_ID(); ?>" <?php if (bnc_excerpt_enabled()) { ?>style="display:none"<?php } ?> class="mainentry <?php echo $wptouch_settings['style-text-justify']; ?>"> - <?php the_excerpt(); ?> - <a class="read-more" href="<?php the_permalink() ?>"><?php _e( "Read This Post", "wptouch" ); ?></a> - </div> - </div> - - <?php endwhile; ?> - -<?php if (!function_exists('dsq_comments_template') && !function_exists('id_comments_template')) { ?> - - <div id="call<?php echo md5($_SERVER['REQUEST_URI']); ?>" class="ajax-load-more"> - <div id="spinner<?php echo md5($_SERVER['REQUEST_URI']); ?>" class="spin" style="display:none"></div> - <a class="ajax" href="javascript:return false;" onclick="$wpt('#spinner<?php echo md5($_SERVER['REQUEST_URI']); ?>').fadeIn(200); $wpt('#ajaxentries<?php echo md5($_SERVER['REQUEST_URI']); ?>').load('<?php echo get_next_posts_page_link(); ?>', {}, function(){ $wpt('#call<?php echo md5($_SERVER['REQUEST_URI']); ?>').fadeOut();});"> - <?php _e( "Load more entries...", "wptouch" ); ?> - </a> - </div> - <div id="ajaxentries<?php echo md5($_SERVER['REQUEST_URI']); ?>"></div> - -<?php } else { ?> - <div class="main-navigation"> - <div class="alignleft"> - <?php previous_posts_link( __( 'Newer Entries', 'wptouch') ) ?> - </div> - <div class="alignright"> - <?php next_posts_link( __('Older Entries', 'wptouch')) ?> - </div> - </div> -<?php } ?> -</div><!-- #End post --> - -<?php else : ?> - - <div class="result-text-footer"> - <?php wptouch_core_else_text(); ?> - </div> - - <?php endif; ?> - -<!-- Here we're establishing whether the page was loaded via Ajax or not, for dynamic purposes. If it's ajax, we're not bringing in footer.php --> -<?php global $is_ajax; if (!$is_ajax) get_footer(); ?> \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/default/page.php b/wp-content/plugins/wptouch/themes/default/page.php deleted file mode 100644 index f25a7591f2ea55a87820a3170410e13457d60a6b..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/default/page.php +++ /dev/null @@ -1,98 +0,0 @@ -<?php global $is_ajax; $is_ajax = isset($_SERVER['HTTP_X_REQUESTED_WITH']); if (!$is_ajax) get_header(); ?> -<?php $wptouch_settings = bnc_wptouch_get_settings(); ?> - <?php if (have_posts()) : while (have_posts()) : the_post(); ?> - <div class="post content" id="post-<?php the_ID(); ?>"> - <div class="page"> - <div class="page-title-icon"> - <?php bnc_the_page_icon(); ?> - </div> - <h2><?php the_title(); ?></h2> - </div> - -<div class="clearer"></div> - - <div id="entry-<?php the_ID(); ?>" class="pageentry <?php echo $wptouch_settings['style-text-justify']; ?>"> - <?php if (!is_page('archives') || !is_page('links')) { the_content(); } ?> - -<?php if (is_page('archives')) { -// If you have a page named 'Archives', the WP tag cloud will be displayed -?> - </div> - </div> - - <h3 class="result-text"><?php _e( "Tag Cloud", "wptouch" ); ?></h3> - <div id="wptouch-tagcloud" class="post"> - <?php wp_tag_cloud('smallest=11&largest=18&unit=px&orderby=count&order=DESC'); ?> - </div> - </div> -</div> - - <h3 class="result-text"><?php _e( "Monthly Archives", "wptouch" ); ?></h3> - <div id="wptouch-archives" class="post"> - <?php wp_get_archives(); // This will print out the default WordPress Monthly Archives Listing. ?> - </div> - -<?php } ?><!-- end if archives page--> - -<?php if (is_page('photos')) { -// If you have a page named 'Photos', and the FlickrRSS activated and configured your photos will be displayed here. -// It will override other number of images settings and fetch 20 from the ID. -?> - <?php if (function_exists('get_flickrRSS')) { ?> - <div id="wptouch-flickr"> - <?php get_flickrRSS(20); ?> - </div> - <?php } ?> -<?php } ?><!-- end if photos page--> - </div> - </div> - -<?php if (is_page('links')) { -// If you have a page named 'Links', a default listing of your Links will be displayed here. -?> - </div> - </div> - - <div id="wptouch-links"> - <?php wp_list_bookmarks('title_li=&category_before=&category_after='); ?> - </div> -<?php } ?><!-- end if links page--> - - <?php wp_link_pages( __('Pages in this article: ', 'wptouch'), '', 'number'); ?> - -<!--If comments are enabled for pages in the WPtouch admin, and 'Allow Comments' is checked on a page--> - <?php if (bnc_is_page_coms_enabled() && 'open' == $post->comment_status) : ?> - <?php comments_template(); ?> - <script type="text/javascript"> - jQuery(document).ready( function() { - // Ajaxify '#commentform' - var formoptions = { - beforeSubmit: function() {$wpt("#loading").fadeIn(400);}, - success: function() { - $wpt("#commentform").hide(); - $wpt("#loading").fadeOut(400); - $wpt("#refresher").fadeIn(400); - }, // end success - error: function() { - $wpt('#errors').show(); - $wpt("#loading").fadeOut(400); - } //end error - } //end options - $wpt('#commentform').ajaxForm(formoptions); - }); //End onReady - </script> - <?php endif; ?> -<!--end comment status--> - <?php endwhile; ?> - -<?php else : ?> - - <div class="result-text-footer"> - <?php wptouch_core_else_text(); ?> - </div> - - <?php endif; ?> - -<!-- If it's ajax, we're not bringing in footer.php --> -<?php global $is_ajax; if (!$is_ajax) -get_footer(); \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/default/single.php b/wp-content/plugins/wptouch/themes/default/single.php deleted file mode 100644 index 790f5035c6059b8ff74b72faa537beafd2a2063e..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/default/single.php +++ /dev/null @@ -1,105 +0,0 @@ -<?php global $is_ajax; $is_ajax = isset($_SERVER['HTTP_X_REQUESTED_WITH']); if (!$is_ajax) get_header(); ?> -<?php $wptouch_settings = bnc_wptouch_get_settings(); ?> - -<div class="content" id="content<?php echo md5($_SERVER['REQUEST_URI']); ?>"> - <?php if (have_posts()) : while (have_posts()) : the_post(); ?> - <div class="post"> - <a class="sh2" href="<?php the_permalink() ?>" rel="bookmark" title="<?php _e( "Permanent Link to ", "wptouch" ); ?><?php if (function_exists('the_title_attribute')) the_title_attribute(); else the_title(); ?>"><?php the_title(); ?></a> - <div class="single-post-meta-top"><?php echo get_the_time('M jS, Y @ h:i a') ?> › <?php the_author() ?><br /> - - <!-- Let's check for DISQUS... we need to skip to a different div if it's installed and active --> - <?php if ( 'open' == $post->comment_status && bnc_can_show_comments() ) : ?> - <?php if (function_exists('dsq_comments_template')) { ?> - <a href="#dsq-add-new-comment">↓ <?php _e( "Skip to comments", "wptouch" ); ?></a> - <?php } elseif (function_exists('id_comments_template')) { ?> - <a href="#idc-container-parent">↓ <?php _e( "Skip to comments", "wptouch" ); ?></a> - <?php } elseif (isset($post->comment_count) && $post->comment_count == 0) { ?> - <a href="#respond">↓ <?php _e( "Leave a comment", "wptouch" ); ?></a> - <?php } elseif (isset($post->comment_count) && $post->comment_count > 0) { ?> - <a href="#com-head">↓ <?php _e( "Skip to comments", "wptouch" ); ?></a> - <?php } ?> - <?php endif; ?> - </div> - </div> - - <div class="clearer"></div> - <?php wptouch_include_adsense(); ?> - - <div class="post" id="post-<?php the_ID(); ?>"> - <div id="singlentry" class="<?php echo $wptouch_settings['style-text-justify']; ?>"> - <?php the_content(); ?> - </div> - -<!-- Categories and Tags post footer --> - - <div class="single-post-meta-bottom"> - <?php wp_link_pages( 'before=<div class="post-page-nav">' . __( "Article Pages", "wptouch-pro" ) . ':&after=</div>&next_or_number=number&pagelink=page %&previouspagelink=»&nextpagelink=«' ); ?> - <?php _e( "Categories", "wptouch" ); ?>: <?php if (the_category(', ')) the_category(); ?> - <?php if (function_exists('get_the_tags')) the_tags('<br />' . __( 'Tags', 'wptouch' ) . ': ', ', ', ''); ?> - </div> - - <ul id="post-options"> - <?php $prevPost = get_previous_post(); if ($prevPost) { ?> - <li><a href="<?php $prevPost = get_previous_post(false); $prevURL = get_permalink($prevPost->ID); echo $prevURL; ?>" id="oprev"></a></li> - <?php } ?> - <li><a href="mailto:?subject=<?php -bloginfo('name'); ?>- <?php the_title_attribute();?>&body=<?php _e( "Check out this post:", "wptouch" ); ?>%20<?php the_permalink() ?>" onclick="return confirm('<?php _e( "Mail a link to this post?", "wptouch" ); ?>');" id="omail"></a></li> - <?php wptouch_twitter_link(); ?> - <?php wptouch_facebook_link(); ?> - <li><a href="javascript:return false;" id="obook"></a></li> - <?php $nextPost = get_next_post(); if ($nextPost) { ?> - <li><a href="<?php $nextPost = get_next_post(false); $nextURL = get_permalink($nextPost->ID); echo $nextURL; ?>" id="onext"></a></li> - <?php } ?> - </ul> - </div> - - <div id="bookmark-box" style="display:none"> - <ul> - <li><a href="http://del.icio.us/post?url=<?php echo get_permalink() -?>&title=<?php the_title(); ?>" target="_blank"><img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/bookmarks/delicious.jpg" alt="" /> <?php _e( "Del.icio.us", "wptouch" ); ?></a></li> - <li><a href="http://digg.com/submit?phase=2&url=<?php echo get_permalink() -?>&title=<?php the_title(); ?>" target="_blank"><img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/bookmarks/digg.jpg" alt="" /> <?php _e( "Digg", "wptouch" ); ?></a></li> - <li><a href="http://technorati.com/faves?add=<?php the_permalink() ?>" target="_blank"><img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/bookmarks/technorati.jpg" alt="" /> <?php _e( "Technorati", "wptouch" ); ?></a></li> - <li><a href="http://ma.gnolia.com/bookmarklet/add?url=<?php echo get_permalink() ?>&title=<?php the_title(); ?>" target="_blank"><img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/bookmarks/magnolia.jpg" alt="" /> <?php _e( "Magnolia", "wptouch" ); ?></a></li> - <li><a href="http://www.newsvine.com/_wine/save?popoff=0&u=<?php echo get_permalink() ?>&h=<?php the_title(); ?>" target="_blank"><img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/bookmarks/newsvine.jpg" target="_blank"> <?php _e( "Newsvine", "wptouch" ); ?></a></li> - <li class="noborder"><a href="http://reddit.com/submit?url=<?php echo get_permalink() ?>&title=<?php the_title(); ?>" target="_blank"><img src="<?php echo compat_get_plugin_url( 'wptouch' ); ?>/themes/core/core-images/bookmarks/reddit.jpg" alt="" /> <?php _e( "Reddit", "wptouch" ); ?></a></li> - </ul> - </div> - -<!-- Let's rock the comments --> -<?php if ( bnc_can_show_comments() ) : ?> - <?php comments_template(); ?> -<script type="text/javascript"> -jQuery(document).ready( function() { -// Ajaxify '#commentform' -var formoptions = { - beforeSubmit: function() {$wpt("#loading").fadeIn(400);}, - success: function() { - $wpt("#commentform").hide(); - $wpt("#loading").fadeOut(400); - $wpt("#refresher").fadeIn(400); - }, // end success - error: function() { - $wpt('#errors').show(); - $wpt("#loading").fadeOut(400); - } //end error - } //end options -$wpt('#commentform').ajaxForm(formoptions); -}); //End onReady -</script> -<?php endif; ?> - <?php endwhile; else : ?> - -<!-- Dynamic test for what page this is. A little redundant, but so what? --> - - <div class="result-text-footer"> - <?php wptouch_core_else_text(); ?> - </div> - - <?php endif; ?> -</div> - - <!-- Do the footer things --> - -<?php global $is_ajax; if (!$is_ajax) -get_footer(); \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/default/style.css b/wp-content/plugins/wptouch/themes/default/style.css deleted file mode 100644 index 8503d080991e90a1802e479117d8c95965a4d2e7..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/default/style.css +++ /dev/null @@ -1,2392 +0,0 @@ -/* @override http://beta.bravenewcode.com/wordpress/wp-content/plugins/wptouch/themes/default/style.css */ - -/* -Theme Name: WPtouch Mobile Plugin & Theme For WordPress -Theme URI: http://www.bravenewcode.com/wptouch/ -Description: A slick theme for your blog or website that is shown only when visitors are using an iPhone, iPod touch, or Android Mobile Device -Author: BraveNewCode Inc. -Author URI: http://www.bravenewcode.com/ -*/ - -/* @group Body and Theme-Wide Elements */ - -body { - margin: 0; - padding: 0; - font: 12px Helvetica; - -webkit-text-size-adjust: none; - min-height: 460px; - background-repeat: repeat; - background-position: 0 0; -} - -ul { - margin: 0; - padding: 0 20px 0 20px; - list-style-type: circle; - list-style-position: outside; -} - -ol { - margin: 0; - padding: 0 25px 0 20px; - list-style-type: decimal; - list-style-position: outside; -} - -li { - margin-bottom: 5px; - color: #555; - list-style-type: disc; - text-align: left; - padding-bottom: 5px; - font-size: 12px; - margin-right: -15px; - padding-top: 0; -} - -a { - text-decoration: none; -} - -input { - max-width: 96%; -} - -code { - font-family: Courier, "Courier New", mono; - color: red; -} - -blockquote { - text-align: left; - padding: 1px 10px 1px 15px; - font-size: 90%; - border-left: 2px solid #ccc; - margin: 5px 15px; -} - -.clearer { - clear: both; -} - -.content { - margin-top: 15px; - position: relative; -} - -.result-text { - color: #475d79; - text-shadow: #eee 1px 1px 0; - font-size: 15px; - font-weight: bold; - margin-bottom: 10px; - margin-left: 10px; - letter-spacing: 0; - border-style: none; -} - -.result-text-footer { - color: #475d79; - text-shadow: #eee 1px 1px 0; - letter-spacing: 0; - font-size: 15px; - font-weight: bold; - margin-bottom: 10px; - margin-left: 10px; - text-align: center; - display: block; -} - -.pageentry h1, .mainentry h1 { - font-size: 22px; -} - -.pageentry h2, .mainentry h2 { - font-size: 18px; - text-shadow: #f9f9f9 -1px -1px 0; - text-align: left; - padding-bottom: 10px; - color: #222; -} - -.pageentry h3, .mainentry h3 { - text-align: left; - color: #666; - font-size: 15px; - border-bottom: 1px solid #adadad; - border-top: 1px solid #adadad; - padding: 10px; - font-weight: bold; - line-height: 14px; - background-color: #eee; - margin: 15px -10px; - text-shadow: #fff -1px 1px 0; -} - -.pageentry h4, .mainentry h4 { - font-size: 13px; - text-shadow: #f9f9f9 -1px -1px 0; - padding: 0 0 10px; - padding-bottom: 10px; - color: #666; -} - -.pageentry h5, .mainentry h5 { - text-shadow: #f9f9f9 -1px -1px 0; - font-size: 12px; - padding: 0; -} - -.mainentry img, #singlentry img, .pageentry img, ol.commentlist li img { - max-width: 100%; - height: auto; -} - -.fontsize { - font-size: 1.2em; - line-height: 140%; -} - -.aligncenter { - text-align: center; - margin-left: auto; - display: block; - margin-right: auto; -} - -.post object, .post embed, .post video { - width: 100% !important; - height: auto; - max-height: 280px; - margin-bottom: 10px; -} - -/* @end */ - -/* @group Header */ - -#headerbar { - width: 100%; - background-position: 0 0; - background-repeat: repeat-x; - height: 45px; - border-bottom: 1px solid #1e1e1e; - font-size: 19px; -} - -#headerbar-title { - text-shadow: #242424 -1px -1px 1px; - padding-top: 10px; - padding-left: 10px; - display: block; - margin: 0; - border-style: none; - padding-bottom: 4px; - text-overflow: ellipsis; - white-space: nowrap; - overflow: hidden; - width: 85%; - font-weight: bold; - height: 29px; -} - -#headerbar-title a { - text-decoration: none; - letter-spacing: -1px; - position: relative; - font-family: HelveticaNeue-Bold, sans-serif; -} - -#headerbar-title img#logo-icon { - position: relative; - margin-right: 7px; - max-width: 30px; - float: left; - width: 28px; - height: 28px; - padding: 0; - bottom: 1px; -} - -#headerbar-menu { - position: absolute; - top: 0; - right: 0; - margin: 0; - padding: 0; -} - -#headerbar-menu a { - height: 45px; - display: block; - background: url(../core/core-images/wptouch-menu-dropper.png) 0 0; - width: 30px; - margin: 0; - padding: 0; -} - -#headerbar-menu .open { - background-position: 0 -45px; -} - -/* @group Sub-Menu */ - -#drop-fade { - width: 100%; - display: block; - position: relative; - -webkit-box-shadow: #000 -3px 2px 3px; - text-align: right; - border-top: 1px solid #3e3e3e; - height: 20px; - top: 0; - z-index: 1; -} - -#drop-fade a.top { - margin-right: 8px; - position: relative; - bottom: 3px; - color: #eee; - text-shadow: #000000 0px -1px 1px; - display: block; - float: right; - font: bold 11px "Helvetica Neue", Helvetica, Arial, sans-serif; - height: 18px; - padding: 6px 2px 2px 0; -} - -#drop-fade #prowlopen { - padding-left: 18px; - background: url(../core/core-images/menu-sprite.png) no-repeat 2px -60px; - padding-top: 3px; - padding-bottom: 1px; - margin-top: 3px; -} - -#drop-fade #wordtwitopen { - padding-left: 18px; - background: url(../core/core-images/menu-sprite.png) no-repeat 2px -74px; -} - -#drop-fade #searchopen { - padding-left: 18px; - background: url(../core/core-images/menu-sprite.png) no-repeat 2px -94px; - height: 15px; - overflow: hidden; - padding-bottom: 0; - padding-top: 3px; - margin-top: 3px; -} - -#drop-fade #gigpressopen { - padding-left: 18px; - background: url(../core/core-images/menu-sprite.png) no-repeat 2px -109px; - padding-top: 3px; - padding-bottom: 1px; - margin-top: 3px; -} - -/* @end */ - -/* @group DropDown Menu */ - -.dropper { - width: 100%; - position: relative; - z-index: 1; - margin: 0; - padding: 0; - border-top: 1px solid #1b1b1b; - font-size: 13px; - background-color: #2c2c2c; -} - -.dropper ul { - position: relative; - list-style-type: none; - margin: 0; - padding: 0; -} - -.dropper ul#head-tags li, .dropper ul#head-cats li { - width: 100%; - margin: 0; - padding: 0; -} - -.dropper ul#head-pages li, .dropper ul#head-cats li, .dropper ul#head-tags li li, .dropper ul#head-account li, ul#tweets li { - border-bottom: 1px solid #1d1d1d; - background: url(../core/core-images/arrow.png) no-repeat right center; - border-top: 1px solid #363636; - padding: 0; - text-align: left; - margin: 0; -} - -.dropper ul#head-account li.text { - color: #eee; - text-shadow: #111 0 -1px 1px; - text-align: center; - background-image: none; - padding-top: 25px; - padding-bottom: 25px; - text-transform: none; -} - -.dropper ul#head-account li.text a { - display: inline; - margin: 0; - padding: 0; - text-decoration: underline; -} - -.dropper ul#head-cats li:hover, .dropper ul#head-tags li li:hover, .dropper ul#head-pages li:hover { - background-color: #222; - border-top: 1px solid #222; - position: relative; - z-index: 2; -} - -.dropper a { - font-weight: bold; - display: block; - text-shadow: #000 -1px -1px 1px; - color: #d2d2d2; - margin: 0; - width: auto; - padding: 12px 35px 12px 15px; - text-align: left; -} - -.dropper ul#head-tags a { - padding-top: 11px; - padding-bottom: 12px; -} - -.dropper ul#head-cats a { - padding-top: 12px; - padding-bottom: 12px; -} - -/* @group Tab Menus */ - -#wptouch-menu { - position: absolute; - z-index: 2; - top: 45px; - -webkit-box-shadow: #333 -6px 6px 6px; - display: none; -} - -#wptouch-menu-inner { - position: relative; -} - -#wptouch-menu-inner img { - float: left; - position: relative; - bottom: 7px; - width: 28px; - padding-right: 10px; - right: 0; -} - -#tabnav { - background-color: #444; - padding-top: 3px; - border-bottom: 1px solid #1b1b1b; - border-top: 1px solid #575757; - padding-left: 10px; - height: 24px; - margin-bottom: -1px; -} - -#tabnav a { - display: inline-block; - margin: 0; - padding: 2px 8px 7px; - color: #999; - text-shadow: #111 0 -1px 1px; -} - -#tabnav a.selected { - background-color: #2c2c2c; - position: relative; - z-index: 1; - -webkit-border-top-left-radius: 4px; - -webkit-border-top-right-radius: 4px; - border: 1px solid #1b1b1b; - margin-left: -1px; - margin-right: -1px; - color: #fff !important; - -webkit-box-shadow: #222 0px -2px 3px; - border-bottom: 1px solid #2c2c2c; - text-shadow: #000000 0 -1px 1px; -} - -#tabnav a:hover, #tabnav a:active { - color: #fff !important; -} - -/* @end */ - -/* @end */ - -/* @group WordTwit Menu */ - -#wptouch-wordtwit { - position: absolute; - border-top: 1px solid #3e3e3e; - background-color: #222; - top: 20px; - text-align: left; - z-index: 2; - left: 0; - right: 0; -} - -#wptouch-wordtwit #twitter-style-bar { - display: block; - border-top: 1px solid #1e1e1e; -} - -#wordtwit-avatar { - text-align: left; - padding-bottom: 10px; - -webkit-border-radius: 8px; - padding-left: 5px; - padding-top: 5px; - border: 1px solid #555; - background-image: none; - background-color: #444; - margin: 10px; -} - -#wordtwit-avatar img { - -webkit-box-reflect: below -1px -webkit-gradient(linear, left top, left bottom, from(transparent), color-stop(0.8, transparent), to(white)); - border: 1px solid #222; - float: left; - margin-right: 15px; - -webkit-border-radius: 2px; - width: 32px; - height: 32px; -} - -#wptouch-wordtwit a#follow-arrow { - border-style: none; - width: 18px; - height: 18px; - position: absolute; - top: 22px; - right: 15px; - padding: 5px; - margin: 0; -} - -#wordtwit-avatar p { - padding: 0; - margin: 0; - color: #777; -} - -#wordtwit-avatar p.twitter_username { - color: #eee; - text-shadow: #222 0 -1px 1px; - font-size: 15px; - font-weight: bold; -} - -#wordtwit-avatar a { - display: inline-block; - font-size: 11px; - color: #999; - text-shadow: #222 0 -1px 0; - padding: 3px 0 0; -} - -#wptouch-wordtwit ul#tweets li { - color: #ccc; - font-size: 12px; - text-shadow: #000000 0 -1px 0; - background-image: none; - background-color: #2c2c2c; - padding: 10px 50px 10px 10px; -} - -#wptouch-wordtwit ul#tweets li:last-child { - padding-bottom: 30px; -} - -#wptouch-wordtwit li p.time { - color: #777; - font-size: 11px; - padding: 0; - margin: 0; -} - -/* @end */ - -/* @group Push Message Area */ - -#prowl-message { - color: #eee; - text-shadow: #000000 0 -1px 1px; - clear: both; - padding: 10px; - text-align: left; - font-size: 11px; - border-top: 1px solid #3e3e3e; - background-color: #222; - position: absolute; - top: 20px; - right: 0; - left: 0; -} - -#prowl-message #push-style-bar { - display: block; - border-top: 1px solid #1e1e1e; - margin-left: -10px; - margin-right: -10px; - margin-top: -10px; - padding-top: 10px; -} - -#prowl-message form p { - font-weight: bold; - font-size: 12px; - position: relative; - margin-bottom: 10px; - margin-top: 10px; - clear: both; -} - -#prowl-message label { - margin-left: 5px; -} - -#prowl-message input { - width: 60%; - -webkit-border-radius: 10px; - padding: 3px; - color: #222; - border: 1px solid #1b1b1b; - font: 14px "Helvetica Neue", Helvetica, Geneva, Arial, sans-serif; -} - -#prowl-message input#prowl-submit { - width: 100px; - text-align: center; - color: #fff; - text-shadow: #333 0 -1px 1px; - font-weight: bold; - border: 1px solid #333; - margin-top: 10px; - float: right; -} - -#prowl-message textarea { - width: 98%; - -webkit-border-radius: 10px; - padding: 3px; - color: #222; - border: 1px solid #1b1b1b; - height: 70px; - overflow: auto; - margin-top: 2px; - font: 14px "Helvetica Neue", Helvetica, Geneva, Arial, sans-serif; -} - -#prowl-message h4 { - font-size: 14px; - margin: 10px 0 15px; - padding: 0; -} - -#prowl-message img { - float: left; - margin-right: 10px; -} - -/* @group Success */ - -#prowl-success { - color: #eee; - text-shadow: #000000 0 -1px 1px; - font: bold 16px "Helvetica Neue", Helvetica, Geneva, Arial, sans-serif; - text-align: center; - background: #000 url(../core/core-images/push-success.png) no-repeat center 50px; - position: absolute; - top: 0; - left: 0; - z-index: 1000; - opacity: 0.9; - width: 90%; - margin-left: 5%; - margin-top: 25px; - -webkit-border-radius: 15px; - -webkit-box-shadow: #444 0px 0px 15px; -} - -#prowl-success p, #prowl-fail p { - margin-top: 125px; - margin-left: 20%; - margin-right: 20%; -} - -#prowl-fail { - color: #eee; - text-shadow: #000000 0 -1px 1px; - font: bold 16px "Helvetica Neue", Helvetica, Geneva, Arial, sans-serif; - text-align: center; - background: #000 url(../core/core-images/push-fail.png) no-repeat center 50px; - position: absolute; - top: 0; - left: 0; - z-index: 1000; - opacity: 0.9; - width: 90%; - margin-left: 5%; - margin-top: 25px; - -webkit-border-radius: 15px; - -webkit-box-shadow: #444 0px 0px 15px; -} - -/* @end */ - -/* @end */ - -/* @group Login & Search */ - -#wptouch-login { - position: absolute; - top: 0; - left: 0; - z-index: 1; - width: 100%; - display: none; -} - -#wptouch-login-inner { - padding-top: 8px; - width: 100%; - height: 35px; - background-repeat: repeat-x; - text-align: center; - padding-bottom: 2px; -} - -#wptouch-login input#log { - width: 120px; - -webkit-border-radius: 10px; - padding: 3px; - font-size: 13px; - color: #222; - font-weight: bold; - border: 1px solid #1b1b1b; -} - -#wptouch-login input#pwd { - width: 120px; - -webkit-border-radius: 10px; - padding: 3px; - font-size: 13px; - color: #222; - font-weight: bold; - border: 1px solid #1b1b1b; - margin-left: 5px; -} - -#wptouch-login input#logsub { - visibility: hidden; - width: 0; - height: 0; - float: left; - overflow: hidden; - display: inline; - margin: 0 0 0 -22px; - padding: 0; -} - -#wptouch-search { - position: absolute; - top: 0; - left: 0; - z-index: 1; - width: 100%; - display: none; -} - -#wptouch-search-inner { - width: 100%; - height: 40px; - background-repeat: repeat-x; - text-align: center; - padding-top: 5px; -} - -input#s { - -webkit-border-radius: 10px; - padding: 4px; - width: 80%; - font-size: 13px; - color: #222; - text-align: left; - margin-top: 6px; - border: 1px solid #1b1b1b; - font-weight: bold; -} - -input#search-submit { - display: none; -} - -img.head-close { - display: inline; - position: relative; - top: 6px; - left: 5px; -} - -/* @end */ - -/* @end */ - -/* @group Index Page */ - -.post { - background-color: #fff; - padding: 10px; - margin-bottom: 12px; - margin-right: 10px; - margin-left: 10px; - border: 1px solid #b1b1b1; - -webkit-border-radius: 8px; - position: relative; - z-index: 0; -} - -.big { - height: 200px; -} - -a.post-arrow { - width: 22px; - height: 21px; - float: right; - margin-top: 1px; - padding: 0; - background: #f4f4f4 url(../core/core-images/post-arrow.png) no-repeat center 8px; - border: 1px solid #ddd; - -webkit-border-radius: 5px; - -webkit-transform: scale(1.0) rotate(0deg); - -webkit-transition-duration: 0.6s; -} - -a.post-arrow-down { - -webkit-transform: scale(1.0) rotate(180deg); - -webkit-transition-duration: 0.6s; - background: #dfe3e3 url(../core/core-images/post-arrow.png) no-repeat center -12px; - border: 1px solid #b8b8b8; -} - -a.h2 { - color: #222; - text-decoration: none; - display: block; - margin-top: 2px; - text-align: left; - letter-spacing: -1px; - margin-bottom: 4px; - font-size: 15px; - font-weight: bold; - line-height: 19px; - margin-right: 10px; -} - -.mainentry { - color: #444; - line-height: 145%; - display: block; -} - -.mainentry p { - margin: 2% 0 1%; - padding: 0; -} - -.mainentry a.read-more { - display: block; - padding-top: 10px; - border-top: 1px solid #c1c1c1; - position: relative; - padding-left: 10px; - color: #222; - font-weight: bold; - background: url(../core/core-images/arrow.png) no-repeat right 7px; - padding-bottom: 10px; - -webkit-border-bottom-left-radius: 8px; - -webkit-border-bottom-right-radius: 8px; - margin: 10px -10px -10px; -} - -.mainentry a.read-more:hover { - background-color: #dcdcdc; -} - -.comment-bubble { - background: url(../core/core-images/sprite.png) no-repeat -2px -90px; - width: 25px; - height: 21px; - padding-top: 4px; - position: absolute; - color: #fff; - padding-left: 0; - font: bold 13px Helvetica, Arial-BoldMT, Geneva, sans-serif; - letter-spacing: -1px; - text-shadow: #943141 -1px -1px 1px; - padding-right: 4px; - margin-left: 0; - z-index: 1; - text-align: center; - left: 40px; - top: 0; -} - -.comment-bubble-big { - background: url(../core/core-images/sprite.png) no-repeat -2px -66px; - width: 26px; - height: 21px; - padding-top: 3px; - color: #fff; - padding-left: 0; - font: bold 13px Helvetica, Arial-BoldMT, Geneva, sans-serif; - letter-spacing: -1px; - text-shadow: #943141 -1px -1px 1px; - padding-right: 4px; - margin-left: 0; - z-index: 1; - text-align: center; - position: absolute; - top: 1px; - left: 36px; -} - -.idevice .comment-bubble, .idevice .comment-bubble-big { - background: -webkit-gradient(linear, left top, left bottom, from(#de939e), to(#a40717), color-stop(0.5, #be4958)); - -webkit-background-clip: padding-box; - height: 16px; - display: block; - -webkit-border-radius: 32px; - padding: 0 5px; - color: #fff; - text-shadow: #7b0805 0 1px 1px; - text-align: center; - border-style: solid; - border-width: 2px; - -webkit-box-shadow: rgba(0,0,0, .6) 0px 2px 3px; - position: absolute; - top: 3px; - font: bold 12px "Helvetica Neue", Helvetica, Geneva, Arial, sans-serif; - z-index: 1; - width: auto; -} - -.nothing-shown { - margin-left: -11px; - margin-top: -11px; -} - -.archive-top { - margin: -11px -11px 7px; - -webkit-border-top-right-radius: 8px; -} - -.archive-top-right .post-arrow, .archive-top-right .post-arrow-down { - margin-right: 5px; - margin-top: 28px; -} - -.archive-top-left.month-01, #arc-top.month-02, #arc-top.month-03, #arc-top.month-04, #arc-top.month-05, #arc-top.month-06, #arc-top.month-07, #arc-top.month-08, #arc-top.month-09, #arc-top.month-10, #arc-top.month-11, #arc-top.month-12 { - -webkit-border-top-left-radius: 8px; - -webkit-border-top-right-radius: 8px; - padding-top: 5px; - padding-bottom: 5px; - padding-left: 10px; - font-weight: bold; - color: #eee; - text-shadow: #535353 0 -1px 1px; -} - -.main-navigation { - -webkit-border-radius: 8px; - background-color: #fff; - margin-bottom: 12px; - position: relative; - margin-right: 10px; - margin-left: 10px; - border: 1px solid #b1b1b1; - overflow: hidden; - font-weight: bold; - padding: 10px; -} - -.main-navigation .alignleft a { - float: left; - display: block; - background: url(../core/core-images/sprite.png) no-repeat 0 -46px; - padding-top: 3px; - padding-bottom: 3px; - padding-left: 23px; -} - -.main-navigation .alignright a { - float: right; - display: block; - padding-top: 3px; - padding-bottom: 3px; - padding-right: 35px; - background: url(../core/core-images/sprite.png) no-repeat right -26px; - position: relative; - left: 15px; -} - -/* @group Calendar CSS Icons */ - -.calendar { - text-align: center; - position: relative; - margin-bottom: 5px; - margin-right: 10px; - margin-top: 0; - border: 1px solid #c9c9c9; - -webkit-border-radius: 7px; - -webkit-background-clip: padding-box; - top: 3px; - float: left; - -webkit-box-shadow: #c6c6c6 1px 1px 3px; -} - -.cal-month { - font-size: 10px; - font-weight: bold; - color: #fff; - letter-spacing: 0; - border-bottom: 1px solid #474848; - text-transform: uppercase; - padding: 3px 10px; - -webkit-border-top-left-radius: 6px; - -webkit-border-top-right-radius: 6px; -} - -.cal-date { - color: #222; - background-color: #e9e9e9; - text-shadow: white -1px -1px 1px; - -webkit-border-bottom-left-radius: 6px; - -webkit-border-bottom-right-radius: 6px; - letter-spacing: -2px; - font: bold 21px Helvetica, "Arial Rounded MT Bold", Geneva, sans-serif; - padding: 1px 4px 2px 0; - text-align: center; - border: 1px solid #fff; - border-top-style: none; -} - -/* @group Cal Month Colors */ - -.month-01 { - background-color: #767c8f; -} - -.month-02 { - background-color: #345abe; -} - -.month-03 { - background-color: #37838d; -} - -.month-04 { - background-color: #55b06c; -} - -.month-05 { - background-color: #409ad5; -} - -.month-06 { - background-color: #be63c5; -} - -.month-07 { - background-color: #f79445; -} - -.month-08 { - background-color: #4e1e00; -} - -.month-09 { - background-color: #a04262; -} - -.month-10 { - background-color: #284461; -} - -.month-11 { - background-color: #4d1d77; -} - -.month-12 { - background-color: #af1919; -} - -/* @end */ - -/* @end */ - -.post-author { - color: #555; - font-size: 9px; - line-height: 13px; - position: relative; - font-weight: bold; - letter-spacing: 0; - text-align: left; - width: 72%; - float: left; - padding-top: 2px; - padding-bottom: 1px; -} - -.post-author span.lead { - font-weight: normal; - font-style: normal; -} - -.post .sticky-icon { - width: 16px; - height: 16px; - display: block; - background: url(../core/core-images/sticky.png) no-repeat 0 0; - position: absolute; - left: 43px; - z-index: 1; - top: 5px; -} - -.post .sticky-icon-none { - width: 16px; - height: 16px; - display: block; - background: url(../core/core-images/sticky.png) no-repeat 0 0; - position: absolute; - left: 43px; - z-index: 1; - top: 5px; - margin-top: -12px; - margin-left: -22px; -} - -/* @end */ - -/* @group Ajax */ - -.ajax-load-more { - margin-top: 15px; - margin-right: auto; - display: block; - margin-left: auto; - width: 160px; -} - -.spin { - height: 16px; - background: url(../core/core-images/ajax-loader.gif) no-repeat; - display: inline-block; - width: 16px; - position: relative; - float: left; - top: 0; - right: 5px; -} - -a.ajax { - color: #475d79; - text-shadow: #eee 1px 1px 0; - letter-spacing: 0; - height: 16px; - font: bold 14px Helvetica, Geneva, Arial, sans-serif; -} - -/* @end */ - -/* @group Single Post Page */ - -a.sh2 { - letter-spacing: -1px; - margin: 0; - padding: 0 0 2px; - color: #222; - display: block; - line-height: 20px; - font-size: 19px; - font-weight: bold; - text-align: left; -} - -#singlentry { - line-height: 150%; - color: #333; - display: block; - overflow: hidden; - font-size: 14px; -} - -.single-post-meta-top { - text-align: left; - color: #999; - font-size: 10px; - font-weight: bold; - line-height: 15px; -} - -.single-post-meta-bottom { - text-align: left; - color: #666; - font-size: 11px; - border-bottom: 1px solid #adadad; - border-top: 1px solid #adadad; - padding: 10px; - font-weight: bold; - line-height: 14px; - background-color: #e5eff5; - margin: 5px -10px; - text-shadow: #fafafa 0 1px 1px; -} - -/* @group Post Options Bar */ - -.single-post-meta-bottom .post-page-nav { - font-size: 14px; - line-height: 25px; - text-indent: -99px; - margin-left: 100px; - text-align: left; - padding: 0; - margin-bottom: 10px; - letter-spacing: 0; -} - -.single-post-meta-bottom .post-page-nav a { - padding: 2px 5px 2px 8px; - background-color: #fff; - border: 1px solid #ccc; - -webkit-border-radius: 4px; - width: 16px; - margin-right: 1px; - letter-spacing: 2px; -} - -ul#post-options { - -webkit-border-bottom-left-radius: 7px; - -webkit-border-bottom-right-radius: 7px; - list-style-type: none; - background-color: #e6e6e6; - padding: 0 4px 0 0; - text-align: center; - position: relative; - margin: -5px -10px -10px; - border-top: 1px solid #fbfbfb; -} - -ul#post-options li { - margin: 0; - padding: 0; - display: inline-block; -} - -ul#post-options li a { - display: inline-block; - width: 36px; - padding: 20px 5px 16px; - margin: 2px 0 0; -} - -ul#post-options li a#oprev { - background: url(../core/core-images/post-options.png) no-repeat 5px -210px; - border-right: 1px solid #cfcfcf; - width: 38px; -} - -ul#post-options li a#onext { - background: url(../core/core-images/post-options.png) no-repeat -7px -244px; - border-left: 1px solid #cfcfcf; - width: 38px; -} - -ul#post-options li a#omail { - background: url(../core/core-images/post-options.png) no-repeat center -1px; - border-left: 1px solid #fbfbfb; - margin-left: -3px; -} - -ul#post-options li a#otweet { - background: url(../core/core-images/post-options.png) no-repeat center -82px; -} - -ul#post-options li a#facebook { - background: url(../core/core-images/post-options.png) no-repeat center -293px; -} - -ul#post-options li a#obook { - background: url(../core/core-images/post-options.png) no-repeat center -39px; - border-right: 1px solid #fbfbfb; - margin-right: -3px; -} - -/* @end */ - -/* @group Gallery / Captions */ - -#singlentry .wp-caption { - text-align: center; - font-size: 11px; - color: #999; - line-height: 13px; - max-width: 100% !important; - height: auto !important; -} - -#singlentry .gallery { - margin: 0; - padding: 0; - width: 100% !important; - height: auto !important; -} - -#singlentry .gallery dl.gallery-item img.attachment-thumbnail { - padding: 3px; - margin: 10px; - width: 50% !important; - height: auto; -} - -#singlentry .gallery dl.gallery-item { - margin: 0; -} - -#singlentry .gallery dl.gallery-item dt.gallery-icon { - margin: 0; -} - -#singlentry .gallery dl.gallery-item dd.gallery-caption { - font-size: 11px; - color: #555; -} - -/* @end */ - -/* @group Twitter / Bookmarking */ - -#twitter-box { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - margin: 10px; - background-color: #fff; -} - -#twitter-box img { - float: left; - margin-right: 5px; - position: relative; - bottom: 4px; - right: 3px; - width: 28px; - height: 28px; -} - -#twitter-box ul { - list-style-type: none; - margin: 0; - padding: 0; -} - -#twitter-box li { - clear: both; - border-bottom: 1px solid #cbcbcb; - margin: 0; - padding: 0; -} - -#twitter-box li a { - display: block; - color: #222; - font-size: 13px; - font-weight: bold; - padding-top: 10px; - padding-bottom: 13px; - padding-left: 10px; - margin: 0; -} - -#bookmark-box { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - margin: 10px; - background-color: #fff; -} - -#bookmark-box img { - float: left; - margin-right: 5px; - position: relative; - bottom: 4px; - right: 3px; - margin-left: 3px; - margin-top: 1px; -} - -#bookmark-box ul { - list-style-type: none; - margin: 0; - padding: 0; -} - -#bookmark-box li { - clear: both; - border-bottom: 1px solid #cbcbcb; - margin: 0; - padding: 0; -} - -#bookmark-box li a { - display: block; - color: #222; - font-size: 13px; - font-weight: bold; - padding-top: 10px; - padding-bottom: 13px; - padding-left: 10px; - margin: 0; -} - -#twitter-box li:last-child, #bookmark-box li:last-child { - border-bottom-style: none; -} - -/* @end */ - -/* @end */ - -/* @group Pages */ - -.page h2 { - font-size: 22px; - letter-spacing: -1px; - text-align: left; - line-height: 22px; - font-weight: normal; - font-style: normal; - padding-right: 0; - padding-top: 0; - padding-bottom: 0; - position: relative; - border-style: none; - margin: 10px 0 0 42px; -} - -.pageentry { - color: #444; - padding: 2px 0 0; - line-height: 145%; - display: block; -} - -img.pageicon { - position: relative; - margin-right: 10px; - width: 32px; - height: 32px; - float: left; - margin-top: -5px; - margin-left: 0; -} - -.pageentry .wp-caption { - text-align: center; - font-size: 11px; - color: #999; - line-height: 13px; - max-width: 100% !important; - height: auto !important; -} - -/* @group Archives */ - -#wptouch-tagcloud { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - background-color: #fff; - margin-right: 10px; - margin-left: 10px; - padding: 10px; - text-align: justify; - text-transform: capitalize; - line-height: 150%; -} - -#wptouch-archives { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - background-color: #fff; - margin-right: 10px; - margin-left: 10px; -} - -#wptouch-archives a { - color: #222; - display: block; - padding-bottom: 10px; - padding-left: 10px; - background: url(../core/core-images/arrow.png) no-repeat right center; - padding-top: 10px; -} - -#wptouch-archives ul { - padding: 0; - list-style-type: none; - margin: 0; -} - -#wptouch-archives li { - border-bottom: 1px solid #ccc; - list-style-type: none; - font-weight: bold; - font-size: 14px; - color: #222; - display: block; - padding: 0; - margin-bottom: 0; - margin-left: -10px; - margin-right: -10px; -} - -#wptouch-archives li:first-child { - margin-top: -10px; -} - -#wptouch-archives li:last-child { - margin-bottom: -10px; - border-bottom-style: none; -} - -/* @end */ - -/* @group Links */ - -#wptouch-links a { - color: #222; - display: block; - background: url(../core/core-images/arrow.png) no-repeat right center; - padding: 10px 10% 10px 10px; -} - -#wptouch-links h2 { - color: #475d79; - text-shadow: #eee 1px 1px 0; - font-size: 15px; - font-weight: bold; - margin-bottom: 10px; - margin-left: 10px; - letter-spacing: 0; - border-style: none; - text-transform: capitalize; - margin-top: 20px; -} - -#wptouch-links ul { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - background-color: #fff; - list-style-type: none; - margin: 10px; - padding: 0; -} - -#wptouch-links li { - border-bottom: 1px solid #ccc; - list-style-type: none; - font-weight: bold; - font-size: 13px; - color: #333; - display: block; - padding: 0; - margin: 0; - text-shadow: #fff 0 0 0; -} - -#wptouch-links li:first-child { - border-top-style: none; -} - -#wptouch-links li:last-child { - border-bottom-style: none; -} - -/* @end */ - -/* @group Photos */ - -#wptouch-flickr { - text-align: center; - width: auto; -} - -#wptouch-flickr img { - padding: 1px; - background-color: #ccc; - margin: 5px; - width: 55px; - height: 55px; -} - -/* @end */ - -/* @group 404 */ - -#fourohfour { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - background-color: #fff; - text-align: center; - margin: 10px; - padding: 10px; -} - -/* @end */ - -/* @end */ - -/* @group Comments */ - -ol#commentlist { - list-style-type: none; - display: none; - margin: 0 10px 0; - position: relative; - z-index: 1; - padding-right: 0; - padding-bottom: 0; - padding-left: 0; -} - -ol.commentlist li { - background-color: #fff; - padding: 10px; - border-bottom: 1px solid #dedede; - margin: 0; - overflow: hidden; - font-size: 12px; - border-right: 1px solid #b1b1b1; - border-left: 1px solid #b1b1b1; - position: relative; - line-height: 17px; -} - -h3#com-head { - font-weight: bold; - font-size: 13px; - -webkit-border-radius: 8px; - text-shadow: #fff 0 1px 0; - margin-left: 10px; - margin-right: 10px; - border: 1px solid #b1b1b1; - background: #fff; - position: relative; - z-index: 1; - padding-top: 10px; - padding-bottom: 10px; - padding-left: 10px; - cursor: pointer; - display: block; -} - -h3#com-head img#com-arrow { - margin-right: 5px; - position: relative; - top: 1px; - -webkit-transform: scale(1.0) rotate(0deg); - -webkit-transition-duration: 0.6s; -} - -.comhead-open { - -webkit-border-bottom-left-radius: 0px !important; - -webkit-border-bottom-right-radius: 0px !important; - margin-bottom: -1px; - background-color: #eee !important; -} - -.com-arrow-down { - -webkit-transform: scale(1.0) rotate(90deg) !important; - -webkit-transition-duration: 0.6s !important; -} - -ol.commentlist li:first-child { - border-top: 1px solid #b1b1b1; -} - -ol.commentlist li:last-child { - border-bottom: 1px solid #b1b1b1; - -webkit-border-bottom-left-radius: 8px; - -webkit-border-bottom-right-radius: 8px; -} - -ol.commentlist li img.avatar { - float: left; - border-right: 1px solid #f9f9f9; - margin-right: 5px; - width: 32px; - height: 32px; -} - -ol.commentlist li ul { - padding: 0; - margin: 0; - list-style-type: none; -} - -ol.commentlist .parent { - background-color: #fefdec; -} - -ol.commentlist .parent ul.children li { - border: 1px solid #ddd; - background-color: #e9f8fd; - -webkit-border-radius: 8px; -} - -ol.commentlist ul.children .parent ul.children li.alt { - border: 1px solid #ddd; - background-color: #fff; - padding: 10px; - margin: 10px 0 0; - -webkit-border-radius: 8px; -} - -ol.commentlist ul.children .parent ul.children li.even { - border: 1px solid #ddd !important; - background-color: #f9fbf6; - padding: 10px; - margin: 10px 0 0; - -webkit-border-radius: 8px; -} - -ol.commentlist .reply a, .comdater { - position: absolute; - top: 6px; - right: 5px; - font-weight: bold; - font-size: 10px; - background-color: #e5e5e5; - padding: 1px 5px; - border: 1px solid #fff; - -webkit-border-radius: 3px; - text-shadow: #fff 0 1px 0px; -} - -ol.commentlist .comdater span { - margin-right: 3px; - border-right: 1px solid #fefefe; - display: inline-block; -} - -ol.commentlist .comdater span a { - padding-right: 7px; -} - -ol.commentlist .comdater span a:last-child { - border-right: 1px solid #ccc; - display: inline-block; -} - -ol.commentlist .comment-author { - font-weight: bold; -} - -ol.commentlist .comment-meta a { - font-size: 11px; - color: #999; -} - -.navigation.commentnav { - height: 17px; - padding-right: 0; - padding-top: 10px; - padding-left: 10px; -} - -.navigation.commentnav .alignright a { - background-repeat: no-repeat; - background-position: right -26px; - padding-right: 35px; -} - -.navigation.commentnav .alignleft a { - background-repeat: no-repeat; - background-position: left -46px; - padding-left: 25px; -} - -.comtop { - background-color: #f5f5f5; - padding-left: 0; - padding-bottom: 15px; - border-bottom: 1px solid #dedede; - margin-top: -10px; - margin-left: -10px; - margin-right: -10px; - height: 17px; -} - -.com-author a { - font-weight: bold; - text-transform: capitalize; - font-size: 13px; - text-shadow: #fff 0 1px 0; - -webkit-border-top-right-radius: 0px; -} - -.com-author { - font-weight: bold; - text-transform: capitalize; - font-size: 13px; - position: relative; - text-shadow: #fff 0 1px 0; - -webkit-border-top-right-radius: 0px; - padding-left: 10px; - padding-top: 7px; -} - -/* - -@end */ - -/* @group Leaving A Comment */ - -h3#comments, h3#respond { - color: #475d79; - text-shadow: #eee 1px 1px 0; - letter-spacing: -1px; - font-size: 17px; - padding-left: 10px; - padding-top: 20px; -} - -h3.coms-closed { - text-align: center; - margin-top: 25px; -} - -.preview { - background-color: #fdeeab; - color: #bf7b20; - font-weight: bold; - text-shadow: #fff 0 1px 1px; - font-size: 11px; -} - -.preview span { - position: absolute; - right: 62px; - top: 8px; - padding-right: 15px; -} - -p.logged { - color: #475d79; - text-shadow: #eee 1px 1px 0; - font-size: 11px; - font-weight: bold; - position: relative; - top: 2px; - margin-top: 35px; -} - -form#commentform { - margin-left: 10px; - margin-right: 10px; -} - -form#commentform input { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - padding: 3px; - margin: 0; - font-size: 13px; - color: #444; - width: 170px; -} - -form#commentform input#submit { - color: #555; - font-weight: bold; - width: 25%; - opacity: 1; - background-color: #eee; - border: 1px solid #aaa; - text-shadow: #fff 0 1px 0; -} - -textarea#comment { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - font-size: 13px; - color: #444; - height: 110px; - width: 98%; - padding: 3px; -} - -#loading { - position: relative; - background-color: #dedede; - -webkit-border-radius: 8px; - border: 1px solid #9fa5ac; - opacity: 0.85; - z-index: 9; - margin: 0; - bottom: 166px; - text-align: center; - width: 98%; - height: 64px; - max-width: 453px; - padding: 50px 3px 2px; -} - -#loading p { - display: inline; - position: relative; - bottom: 3px; - left: 3px; - text-shadow: #fff 0 1px 0; - font-size: 12px; - color: #2f4e71; - font-weight: bold; -} - -form#commentform label { - color: #475d79; - text-shadow: #eee 1px 1px 0; - font-size: 12px; - font-weight: bold; -} - -#refresher { - -webkit-border-radius: 8px; - padding: 10px 10px 10px 18px; - border: 1px solid #b1b1b1; - background-color: #e9f5f8; - color: #475d79; - font-weight: bold; - margin-left: 10px; - margin-right: 10px; - text-shadow: #f5f5f5 0 1px 1px; - margin-top: 20px; -} - -#refresher img { - float: left; - margin-right: 3px; - margin-left: -10px; -} - -#refresher h3 { - padding: 0; - margin: 0 0 5px; - color: #475d79; - text-shadow: #f5f5f5 0 1px 1px; -} - -p.subscribe-to-comments { - padding: 8px; - -webkit-border-radius: 8px; - background-color: #eee; - border: 1px solid #adadad; -} - -p.subscribe-to-comments label { - text-shadow: #fff 0 1px 0 !important; - color: #333 !important; -} - -p.subscribe-to-comments input#subscribe { - padding-right: 3px; - vertical-align: top; -} - -#errors { - background-color: #fed4d2; - border: 1px solid red; - padding: 8px; - text-align: center; - font-weight: bold; - text-shadow: #ffecec 0 1px 0; - -webkit-border-radius: 8px; -} - -/* - - @end */ - -/* @group Text Options */ - -.full-justified { - text-align: justify; -} - -.left-justifed { - text-align: left; -} - -.small-text { - font-size: 1.1em; -} - -.medium-text { - font-size: 1.2em; -} - -.large-text { - font-size: 1.3em; -} - -/* @end */ - -/* @group Background Options */ - -.classic-wptouch-bg { - background-image: url(../core/core-images/pinstripes-classic.gif); -} - -.argyle-wptouch-bg { - background-image: url(../core/core-images/argyle-tie.gif); -} - -.horizontal-wptouch-bg { - background-image: url(../core/core-images/pinstripes-horizontal.gif); -} - -.diagonal-wptouch-bg { - background-image: url(../core/core-images/pinstripes-diagonal.gif); -} - -.skated-wptouch-bg { - background-image: url(../core/core-images/skated-concrete.gif); -} - -.grid-wptouch-bg { - background-image: url(../core/core-images/grid.gif); -} - -/* @end */ - -/* @group Footer */ - -#footer { - text-align: center; - color: #475d79; - font-size: 10px; - font-weight: bold; - text-shadow: #eee 1px 1px 0; - margin-top: 60px; - line-height: 13px; - padding: 0 0 10px; -} - -#footer p { - margin: 0; - padding: 0 25px 5px; -} - -/* @group Switch Link */ - -#wptouch-switch-link { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - margin-right: 10px; - margin-left: 10px; - margin-bottom: 20px; - position: relative; - max-width: 300px; - padding: 13px 10px 12px 8px; - color: #222; - text-shadow: #fff 0 0 0; - font-size: 13px; - text-align: left; - background-color: #fff; -} - -#wptouch-switch-link a { - position: relative; - display: block; - width: 77px; - background: url(../core/core-images/onoff.jpg) no-repeat left top; - height: 22px; - float: right; - left: 2px; - bottom: 5px; -} - -.offimg { - width: 77px; - background: url(../core/core-images/onoff.jpg) no-repeat 0 -22px !important; - height: 22px; -} - -/* @end */ - -/* @end */ - -/* @group WPtouch Adsense area */ - -#adsense-area { - height: 50px; - overflow: none; - margin-bottom: 12px; - background: transparent; -} - -#adsense-area iframe { - height: 50px!important; - overflow: none; -} - -/* @end */ - -/* @group No Script Overlay */ - -#noscript-wrap { - width: 100%; - height: 100%; - position: absolute; - top: 0; - left: 0; - background-color: #eee; - z-index: 1000; - opacity: 0.9; -} - -#noscript { - color: #ddd; - display: block; - height: 54%; - text-shadow: #000000 -1px -1px 0; - -webkit-border-radius: 15px; - -webkit-box-shadow: #444 0px 0px 15px; - width: auto; - padding-right: 25px; - padding-left: 25px; - background: #0d0d0d url(../../images/saved.png) no-repeat center top; - padding-top: 110px; - text-align: center; - border: 3px solid #444; - font: 14px Helvetica, Arial, sans-serif; - margin: 25px; -} - -/* @end */ - -/* @group Post Thumbnails (2.9+ only) */ - -.wptouch-post-thumb-wrap { - position: relative; - margin-right: 8px; - display: block; - margin-bottom: 4px; - width: 46px; - height: 46px; - float: left; -} - -.wptouch-post-thumb img { - width: 46px; - height: 46px; -} - -.wptouch-post-thumb-wrap .thumb-top-left { - position: absolute; - top: 0; - left: 0; - height: 9px; - width: 9px; - background: url(../core/core-images/thumb-corners.png) no-repeat 0 0; -} - -.wptouch-post-thumb-wrap .thumb-top-right { - position: absolute; - top: 0; - right: 0; - width: 9px; - height: 9px; - background: url(../core/core-images/thumb-corners.png) no-repeat right top; -} - -.wptouch-post-thumb-wrap .thumb-bottom-left { - position: absolute; - bottom: 0; - left: 0; - width: 9px; - height: 9px; - background: url(../core/core-images/thumb-corners.png) no-repeat 0 -9px; -} - -.wptouch-post-thumb-wrap .thumb-bottom-right { - position: absolute; - bottom: 0; - right: 0; - width: 9px; - height: 9px; - background: url(../core/core-images/thumb-corners.png) 9px -9px; -} - -/* @end */ - -/* @group Compatibility */ - -#livefyre { - margin-left: 9px; - margin-right: 9px; - width: 100%; - background-color: #fff; - border: 1px solid #CCC; - -webkit-border-radius: 8px; - padding: 10px; -} - -#wwsgd-optin, #outbrain_container_0_stripBox, #outbrain_container_0_stars, .linkedin_share_container, .dd_post_share, .tweetmeme_button, #dd_ajax_float { - display: none; -} - -/* @group Dynamic Contact Form */ - -#dwp-contact-button, .dwpcontact-page { - display: none !important; -} - -/* @end */ - -/* @group Banner Cycler */ - -#cycler, #cyclerNav { - display: none; -} - - - -/* @end */ - -/* @group Gravity Forms */ - -.gform_wrapper li, .gform_wrapper form li{ list-style-type:none!important; - padding-left: 30px; -} - -.gform_wrapper .gform_footer { - margin-top: 0; - margin-left: 20px; -} - - - -/* @end */ - -/* @group WP Skypscraper */ - -.wp_skyscraper_c2 { - display: none; -} - -/* @end */ - -/* @group AddThis / Tweet This */ - -.addthis_container { - display: none !important; -} - -a.tt { - display: none !important; -} - -/* @end */ - -/* @group Peter's Anti Spam Support */ - -#secureimgdiv img#cas_image { - -webkit-border-radius: 2px !important; - border: 1px solid #adadad !important; - width: auto !important; - height: 21px !important; - float: left !important; -} - -#secureimgdiv p label { - color: #475d79; - text-shadow: #eee 1px 1px 0; - font-size: 14px; - font-weight: bold; -} - -#secureimgdiv p small { - display: block; - margin-top: 5px; - font-size: 11px; - text-align: justify; -} - -#secureimgdiv p input#securitycode { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - padding: 3px; - margin: 0 0 0 0; - font-size: 13px; - color: #444; - width: 101px; - -webkit-border-top-left-radius: 1px; - -webkit-border-bottom-left-radius: 1px; -} - -/* @end */ - -/* @group Ribbon Manager Plugin Override */ - -a#ribbon { - display: none !important; -} - -/* @end */ - -/* @group Subscribe To Comments */ - -p.subscribe-to-comments { - padding: 8px; - -webkit-border-radius: 8px; - background-color: #fff; - border: 1px solid #adadad; -} - -p.subscribe-to-comments label { - text-shadow: #fff 0 1px 0 !important; - color: #333 !important; -} - -p.subscribe-to-comments input#subscribe { - padding-right: 3px; - vertical-align: top; - width: auto; - height: auto; -} - -.commentlist p.subscribe-to-comments { -} - -/* @end */ - -/* @group Digg Box */ - -span.db-body { - display: none; -} - - - -/* @end */ - -/* @group WP Thread Comment */ - -p.thdrpy, p.thdmang { - display: inline; - margin-right: 10px; -} - - - -/* @end */ - -/* @group WP Greet Box */ - -#greet_block { - display: none; -} - - - -/* @end */ - -/* @group Comment Reply Notification */ - -#commentform input#comment_mail_notify { - margin-right: 5px; - margin-top: 15px; - margin-bottom: 5px; -} - - - -/* @end */ - -/* @group Share and Follow */ - -.footer #follow.right { -display: none !important;} - -.content ul.socialwrap { - display: none; -} - - - -/* @end */ - -/* @group Disqus */ - -#disqus_thread { - -webkit-border-radius: 8px; - border: 1px solid #adadad; - background-color: #fff; - padding: 10px; - margin-left: 10px; - margin-right: 10px; - margin-top: 50px; -} - -/* @end */ - -/* @group WP Tweet Button */ - -#content .tw_button { - display: none !important; -} - - - -/* @end */ - -/* @group Follow Me */ - -a#FollowMeTabLeftSm { - display: none !important; -} - - - -/* @end */ - - - -/* @end */ \ No newline at end of file diff --git a/wp-content/plugins/wptouch/themes/default/style.min.css b/wp-content/plugins/wptouch/themes/default/style.min.css deleted file mode 100644 index ee33446f1489fc6203c1dc663595d5a82dd0585e..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/themes/default/style.min.css +++ /dev/null @@ -1 +0,0 @@ -body{margin:0;padding:0;font:12px Helvetica;-webkit-text-size-adjust:none;min-height:460px;background-repeat:repeat;background-position:0 0}ul{margin:0;padding:0 20px 0 20px;list-style-type:circle;list-style-position:outside}ol{margin:0;padding:0 25px 0 20px;list-style-type:decimal;list-style-position:outside}li{margin-bottom:5px;color:#555;list-style-type:disc;text-align:left;padding-bottom:5px;font-size:12px;margin-right:-15px;padding-top:0}a{text-decoration:none}input{max-width:96%}code{font-family:Courier,"Courier New",mono;color:red}blockquote{text-align:left;padding:1px 10px 1px 15px;font-size:90%;border-left:2px solid #ccc;margin:5px 15px}.clearer{clear:both}.content{margin-top:15px;position:relative}.result-text{color:#475d79;text-shadow:#eee 1px 1px 0;font-size:15px;font-weight:bold;margin-bottom:10px;margin-left:10px;letter-spacing:0;border-style:none}.result-text-footer{color:#475d79;text-shadow:#eee 1px 1px 0;letter-spacing:0;font-size:15px;font-weight:bold;margin-bottom:10px;margin-left:10px;text-align:center;display:block}.pageentry h1,.mainentry h1{font-size:22px}.pageentry h2,.mainentry h2{font-size:18px;text-shadow:#f9f9f9 -1px -1px 0;text-align:left;padding-bottom:10px;color:#222}.pageentry h3,.mainentry h3{text-align:left;color:#666;font-size:15px;border-bottom:1px solid #adadad;border-top:1px solid #adadad;padding:10px;font-weight:bold;line-height:14px;background-color:#eee;margin:15px -10px;text-shadow:#fff -1px 1px 0}.pageentry h4,.mainentry h4{font-size:13px;text-shadow:#f9f9f9 -1px -1px 0;padding:0 0 10px;padding-bottom:10px;color:#666}.pageentry h5,.mainentry h5{text-shadow:#f9f9f9 -1px -1px 0;font-size:12px;padding:0}.mainentry img,#singlentry img,.pageentry img,ol.commentlist li img{max-width:100%;height:auto}.fontsize{font-size:1.2em;line-height:140%}.aligncenter{text-align:center;margin-left:auto;display:block;margin-right:auto}.post object,.post embed,.post video,.post iframe{width:100%!important;height:auto;max-height:280px;margin-bottom:10px}#headerbar{width:100%;background-position:0 0;background-repeat:repeat-x;height:45px;border-bottom:1px solid #1e1e1e;font-size:19px}#headerbar-title{text-shadow:#242424 -1px -1px 1px;padding-top:10px;padding-left:10px;display:block;margin:0;border-style:none;padding-bottom:4px;text-overflow:ellipsis;white-space:nowrap;overflow:hidden;width:85%;font-weight:bold;height:29px}#headerbar-title a{text-decoration:none;letter-spacing:-1px;position:relative;font-family:HelveticaNeue-Bold,sans-serif}#headerbar-title img#logo-icon{position:relative;margin-right:7px;max-width:30px;float:left;width:28px;height:28px;padding:0;bottom:1px}#headerbar-menu{position:absolute;top:0;right:0;margin:0;padding:0}#headerbar-menu a{height:45px;display:block;background:url(../core/core-images/wptouch-menu-dropper.png) 0 0;width:30px;margin:0;padding:0}#headerbar-menu .open{background-position:0 -45px}#drop-fade{width:100%;display:block;position:relative;-webkit-box-shadow:#000 -3px 2px 3px;text-align:right;border-top:1px solid #3e3e3e;height:20px;top:0;z-index:1}#drop-fade a.top{margin-right:8px;position:relative;bottom:3px;color:#eee;text-shadow:#000 0 -1px 1px;display:block;float:right;font:bold 11px "Helvetica Neue",Helvetica,Arial,sans-serif;height:18px;padding:6px 2px 2px 0}#drop-fade #prowlopen{padding-left:18px;background:url(../core/core-images/menu-sprite.png) no-repeat 2px -60px;padding-top:3px;padding-bottom:1px;margin-top:3px}#drop-fade #wordtwitopen{padding-left:18px;background:url(../core/core-images/menu-sprite.png) no-repeat 2px -74px}#drop-fade #searchopen{padding-left:18px;background:url(../core/core-images/menu-sprite.png) no-repeat 2px -94px;height:15px;overflow:hidden;padding-bottom:0;padding-top:3px;margin-top:3px}#drop-fade #gigpressopen{padding-left:18px;background:url(../core/core-images/menu-sprite.png) no-repeat 2px -109px;padding-top:3px;padding-bottom:1px;margin-top:3px}.dropper{width:100%;position:relative;z-index:1;margin:0;padding:0;border-top:1px solid #1b1b1b;font-size:13px;background-color:#2c2c2c}.dropper ul{position:relative;list-style-type:none;margin:0;padding:0}.dropper ul#head-tags li,.dropper ul#head-cats li{width:100%;margin:0;padding:0}.dropper ul#head-pages li,.dropper ul#head-cats li,.dropper ul#head-tags li li,.dropper ul#head-account li,ul#tweets li{border-bottom:1px solid #1d1d1d;background:url(../core/core-images/arrow.png) no-repeat right center;border-top:1px solid #363636;padding:0;text-align:left;margin:0}.dropper ul#head-account li.text{color:#eee;text-shadow:#111 0 -1px 1px;text-align:center;background-image:none;padding-top:25px;padding-bottom:25px;text-transform:none}.dropper ul#head-account li.text a{display:inline;margin:0;padding:0;text-decoration:underline}.dropper ul#head-cats li:hover,.dropper ul#head-tags li li:hover,.dropper ul#head-pages li:hover{background-color:#222;border-top:1px solid #222;position:relative;z-index:2}.dropper a{font-weight:bold;display:block;text-shadow:#000 -1px -1px 1px;color:#d2d2d2;margin:0;width:auto;padding:12px 35px 12px 15px;text-align:left}.dropper ul#head-tags a{padding-top:11px;padding-bottom:12px}.dropper ul#head-cats a{padding-top:12px;padding-bottom:12px}#wptouch-menu{position:absolute;z-index:2;top:45px;-webkit-box-shadow:#333 -6px 6px 6px;display:none}#wptouch-menu-inner{position:relative}#wptouch-menu-inner img{float:left;position:relative;bottom:7px;width:28px;padding-right:10px;right:0}#tabnav{background-color:#444;padding-top:3px;border-bottom:1px solid #1b1b1b;border-top:1px solid #575757;padding-left:10px;height:24px;margin-bottom:-1px}#tabnav a{display:inline-block;margin:0;padding:2px 8px 7px;color:#999;text-shadow:#111 0 -1px 1px}#tabnav a.selected{background-color:#2c2c2c;position:relative;z-index:1;-webkit-border-top-left-radius:4px;-webkit-border-top-right-radius:4px;border:1px solid #1b1b1b;margin-left:-1px;margin-right:-1px;color:#fff!important;-webkit-box-shadow:#222 0 -2px 3px;border-bottom:1px solid #2c2c2c;text-shadow:#000 0 -1px 1px}#tabnav a:hover,#tabnav a:active{color:#fff!important}#wptouch-wordtwit{position:absolute;border-top:1px solid #3e3e3e;background-color:#222;top:20px;text-align:left;z-index:2;left:0;right:0}#wptouch-wordtwit #twitter-style-bar{display:block;border-top:1px solid #1e1e1e}#wordtwit-avatar{text-align:left;padding-bottom:10px;-webkit-border-radius:8px;padding-left:5px;padding-top:5px;border:1px solid #555;background-image:none;background-color:#444;margin:10px}#wordtwit-avatar img{-webkit-box-reflect:below -1px -webkit-gradient(linear,left top,left bottom,from(transparent),color-stop(0.8,transparent),to(white));border:1px solid #222;float:left;margin-right:15px;-webkit-border-radius:2px;width:32px;height:32px}#wptouch-wordtwit a#follow-arrow{border-style:none;width:18px;height:18px;position:absolute;top:22px;right:15px;padding:5px;margin:0}#wordtwit-avatar p{padding:0;margin:0;color:#777}#wordtwit-avatar p.twitter_username{color:#eee;text-shadow:#222 0 -1px 1px;font-size:15px;font-weight:bold}#wordtwit-avatar a{display:inline-block;font-size:11px;color:#999;text-shadow:#222 0 -1px 0;padding:3px 0 0}#wptouch-wordtwit ul#tweets li{color:#ccc;font-size:12px;text-shadow:#000 0 -1px 0;background-image:none;background-color:#2c2c2c;padding:10px 50px 10px 10px}#wptouch-wordtwit ul#tweets li:last-child{padding-bottom:30px}#wptouch-wordtwit li p.time{color:#777;font-size:11px;padding:0;margin:0}#prowl-message{color:#eee;text-shadow:#000 0 -1px 1px;clear:both;padding:10px;text-align:left;font-size:11px;border-top:1px solid #3e3e3e;background-color:#222;position:absolute;top:20px;right:0;left:0}#prowl-message #push-style-bar{display:block;border-top:1px solid #1e1e1e;margin-left:-10px;margin-right:-10px;margin-top:-10px;padding-top:10px}#prowl-message form p{font-weight:bold;font-size:12px;position:relative;margin-bottom:10px;margin-top:10px;clear:both}#prowl-message label{margin-left:5px}#prowl-message input{width:60%;-webkit-border-radius:10px;padding:3px;color:#222;border:1px solid #1b1b1b;font:14px "Helvetica Neue",Helvetica,Geneva,Arial,sans-serif}#prowl-message input#prowl-submit{width:100px;text-align:center;color:#fff;text-shadow:#333 0 -1px 1px;font-weight:bold;border:1px solid #333;margin-top:10px;float:right}#prowl-message textarea{width:98%;-webkit-border-radius:10px;padding:3px;color:#222;border:1px solid #1b1b1b;height:70px;overflow:auto;margin-top:2px;font:14px "Helvetica Neue",Helvetica,Geneva,Arial,sans-serif}#prowl-message h4{font-size:14px;margin:10px 0 15px;padding:0}#prowl-message img{float:left;margin-right:10px}#prowl-success{color:#eee;text-shadow:#000 0 -1px 1px;font:bold 16px "Helvetica Neue",Helvetica,Geneva,Arial,sans-serif;text-align:center;background:#000 url(../core/core-images/push-success.png) no-repeat center 50px;position:absolute;top:0;left:0;z-index:1000;opacity:.9;width:90%;margin-left:5%;margin-top:25px;-webkit-border-radius:15px;-webkit-box-shadow:#444 0 0 15px}#prowl-success p,#prowl-fail p{margin-top:125px;margin-left:20%;margin-right:20%}#prowl-fail{color:#eee;text-shadow:#000 0 -1px 1px;font:bold 16px "Helvetica Neue",Helvetica,Geneva,Arial,sans-serif;text-align:center;background:#000 url(../core/core-images/push-fail.png) no-repeat center 50px;position:absolute;top:0;left:0;z-index:1000;opacity:.9;width:90%;margin-left:5%;margin-top:25px;-webkit-border-radius:15px;-webkit-box-shadow:#444 0 0 15px}#wptouch-login{position:absolute;top:0;left:0;z-index:1;width:100%;display:none}#wptouch-login-inner{padding-top:8px;width:100%;height:35px;background-repeat:repeat-x;text-align:center;padding-bottom:2px}#wptouch-login input#log{width:120px;-webkit-border-radius:10px;padding:3px;font-size:13px;color:#222;font-weight:bold;border:1px solid #1b1b1b}#wptouch-login input#pwd{width:120px;-webkit-border-radius:10px;padding:3px;font-size:13px;color:#222;font-weight:bold;border:1px solid #1b1b1b;margin-left:5px}#wptouch-login input#logsub{visibility:hidden;width:0;height:0;float:left;overflow:hidden;display:inline;margin:0 0 0 -22px;padding:0}#wptouch-search{position:absolute;top:0;left:0;z-index:1;width:100%;display:none}#wptouch-search-inner{width:100%;height:40px;background-repeat:repeat-x;text-align:center;padding-top:5px}input#s{-webkit-border-radius:10px;padding:4px;width:80%;font-size:13px;color:#222;text-align:left;margin-top:6px;border:1px solid #1b1b1b;font-weight:bold}input#search-submit{display:none}img.head-close{display:inline;position:relative;top:6px;left:5px}.post{background-color:#fff;padding:10px;margin-bottom:12px;margin-right:10px;margin-left:10px;border:1px solid #b1b1b1;-webkit-border-radius:8px;position:relative;z-index:0}.big{height:200px}a.post-arrow{width:22px;height:21px;float:right;margin-top:1px;padding:0;background:#f4f4f4 url(../core/core-images/post-arrow.png) no-repeat center 8px;border:1px solid #ddd;-webkit-border-radius:5px;-webkit-transform:scale(1.0) rotate(0deg);-webkit-transition-duration:.6s}a.post-arrow-down{-webkit-transform:scale(1.0) rotate(180deg);-webkit-transition-duration:.6s;background:#dfe3e3 url(../core/core-images/post-arrow.png) no-repeat center -12px;border:1px solid #b8b8b8}a.h2{color:#222;text-decoration:none;display:block;margin-top:2px;text-align:left;letter-spacing:-1px;margin-bottom:4px;font-size:15px;font-weight:bold;line-height:19px;margin-right:10px}.mainentry{color:#444;line-height:145%;display:block}.mainentry p{margin:2% 0 1%;padding:0}.mainentry a.read-more{display:block;padding-top:10px;border-top:1px solid #c1c1c1;position:relative;padding-left:10px;color:#222;font-weight:bold;background:url(../core/core-images/arrow.png) no-repeat right 7px;padding-bottom:10px;-webkit-border-bottom-left-radius:8px;-webkit-border-bottom-right-radius:8px;margin:10px -10px -10px}.mainentry a.read-more:hover{background-color:#dcdcdc}.comment-bubble{background:url(../core/core-images/sprite.png) no-repeat -2px -90px;width:25px;height:21px;padding-top:4px;position:absolute;color:#fff;padding-left:0;font:bold 13px Helvetica,Arial-BoldMT,Geneva,sans-serif;letter-spacing:-1px;text-shadow:#943141 -1px -1px 1px;padding-right:4px;margin-left:0;z-index:1;text-align:center;left:40px;top:0}.comment-bubble-big{background:url(../core/core-images/sprite.png) no-repeat -2px -66px;width:26px;height:21px;padding-top:3px;color:#fff;padding-left:0;font:bold 13px Helvetica,Arial-BoldMT,Geneva,sans-serif;letter-spacing:-1px;text-shadow:#943141 -1px -1px 1px;padding-right:4px;margin-left:0;z-index:1;text-align:center;position:absolute;top:1px;left:36px}.idevice .comment-bubble,.idevice .comment-bubble-big{background:-webkit-gradient(linear,left top,left bottom,from(#de939e),to(#a40717),color-stop(0.5,#be4958));-webkit-background-clip:padding-box;height:16px;display:block;-webkit-border-radius:32px;padding:0 5px;color:#fff;text-shadow:#7b0805 0 1px 1px;text-align:center;border-style:solid;border-width:2px;-webkit-box-shadow:rgba(0,0,0,.6) 0 2px 3px;position:absolute;top:3px;font:bold 12px "Helvetica Neue",Helvetica,Geneva,Arial,sans-serif;z-index:1;width:auto}.nothing-shown{margin-left:-11px;margin-top:-11px}.archive-top{margin:-11px -11px 7px;-webkit-border-top-right-radius:8px}.archive-top-right .post-arrow,.archive-top-right .post-arrow-down{margin-right:5px;margin-top:28px}.archive-top-left.month-01,#arc-top.month-02,#arc-top.month-03,#arc-top.month-04,#arc-top.month-05,#arc-top.month-06,#arc-top.month-07,#arc-top.month-08,#arc-top.month-09,#arc-top.month-10,#arc-top.month-11,#arc-top.month-12{-webkit-border-top-left-radius:8px;-webkit-border-top-right-radius:8px;padding-top:5px;padding-bottom:5px;padding-left:10px;font-weight:bold;color:#eee;text-shadow:#535353 0 -1px 1px}.main-navigation{-webkit-border-radius:8px;background-color:#fff;margin-bottom:12px;position:relative;margin-right:10px;margin-left:10px;border:1px solid #b1b1b1;overflow:hidden;font-weight:bold;padding:10px}.main-navigation .alignleft a{float:left;display:block;background:url(../core/core-images/sprite.png) no-repeat 0 -46px;padding-top:3px;padding-bottom:3px;padding-left:23px}.main-navigation .alignright a{float:right;display:block;padding-top:3px;padding-bottom:3px;padding-right:35px;background:url(../core/core-images/sprite.png) no-repeat right -26px;position:relative;left:15px}.calendar{text-align:center;position:relative;margin-bottom:5px;margin-right:10px;margin-top:0;border:1px solid #c9c9c9;-webkit-border-radius:7px;-webkit-background-clip:padding-box;top:3px;float:left;-webkit-box-shadow:#c6c6c6 1px 1px 3px}.cal-month{font-size:10px;font-weight:bold;color:#fff;letter-spacing:0;border-bottom:1px solid #474848;text-transform:uppercase;padding:3px 10px;-webkit-border-top-left-radius:6px;-webkit-border-top-right-radius:6px}.cal-date{color:#222;background-color:#e9e9e9;text-shadow:white -1px -1px 1px;-webkit-border-bottom-left-radius:6px;-webkit-border-bottom-right-radius:6px;letter-spacing:-2px;font:bold 21px Helvetica,"Arial Rounded MT Bold",Geneva,sans-serif;padding:1px 4px 2px 0;text-align:center;border:1px solid #fff;border-top-style:none}.month-01{background-color:#767c8f}.month-02{background-color:#345abe}.month-03{background-color:#37838d}.month-04{background-color:#55b06c}.month-05{background-color:#409ad5}.month-06{background-color:#be63c5}.month-07{background-color:#f79445}.month-08{background-color:#4e1e00}.month-09{background-color:#a04262}.month-10{background-color:#284461}.month-11{background-color:#4d1d77}.month-12{background-color:#af1919}.post-author{color:#555;font-size:9px;line-height:13px;position:relative;font-weight:bold;letter-spacing:0;text-align:left;width:72%;float:left;padding-top:2px;padding-bottom:1px}.post-author span.lead{font-weight:normal;font-style:normal}.post .sticky-icon{width:16px;height:16px;display:block;background:url(../core/core-images/sticky.png) no-repeat 0 0;position:absolute;left:43px;z-index:1;top:5px}.post .sticky-icon-none{width:16px;height:16px;display:block;background:url(../core/core-images/sticky.png) no-repeat 0 0;position:absolute;left:43px;z-index:1;top:5px;margin-top:-12px;margin-left:-22px}.ajax-load-more{margin-top:15px;margin-right:auto;display:block;margin-left:auto;width:160px}.spin{height:16px;background:url(../core/core-images/ajax-loader.gif) no-repeat;display:inline-block;width:16px;position:relative;float:left;top:0;right:5px}a.ajax{color:#475d79;text-shadow:#eee 1px 1px 0;letter-spacing:0;height:16px;font:bold 14px Helvetica,Geneva,Arial,sans-serif}a.sh2{letter-spacing:-1px;margin:0;padding:0 0 2px;color:#222;display:block;line-height:20px;font-size:19px;font-weight:bold;text-align:left}#singlentry{line-height:150%;color:#333;display:block;overflow:hidden;font-size:14px}.single-post-meta-top{text-align:left;color:#999;font-size:10px;font-weight:bold;line-height:15px}.single-post-meta-bottom{text-align:left;color:#666;font-size:11px;border-bottom:1px solid #adadad;border-top:1px solid #adadad;padding:10px;font-weight:bold;line-height:14px;background-color:#e5eff5;margin:5px -10px;text-shadow:#fafafa 0 1px 1px}.single-post-meta-bottom .post-page-nav{font-size:14px;line-height:25px;text-indent:-99px;margin-left:100px;text-align:left;padding:0;margin-bottom:10px;letter-spacing:0}.single-post-meta-bottom .post-page-nav a{padding:2px 5px 2px 8px;background-color:#fff;border:1px solid #ccc;-webkit-border-radius:4px;width:16px;margin-right:1px;letter-spacing:2px}ul#post-options{-webkit-border-bottom-left-radius:7px;-webkit-border-bottom-right-radius:7px;list-style-type:none;background-color:#e6e6e6;padding:0 4px 0 0;text-align:center;position:relative;margin:-5px -10px -10px;border-top:1px solid #fbfbfb}ul#post-options li{margin:0;padding:0;display:inline-block}ul#post-options li a{display:inline-block;width:36px;padding:20px 5px 16px;margin:2px 0 0}ul#post-options li a#oprev{background:url(../core/core-images/post-options.png) no-repeat 5px -210px;border-right:1px solid #cfcfcf;width:38px}ul#post-options li a#onext{background:url(../core/core-images/post-options.png) no-repeat -7px -244px;border-left:1px solid #cfcfcf;width:38px}ul#post-options li a#omail{background:url(../core/core-images/post-options.png) no-repeat center -1px;border-left:1px solid #fbfbfb;margin-left:-3px}ul#post-options li a#otweet{background:url(../core/core-images/post-options.png) no-repeat center -82px}ul#post-options li a#facebook{background:url(../core/core-images/post-options.png) no-repeat center -293px}ul#post-options li a#obook{background:url(../core/core-images/post-options.png) no-repeat center -39px;border-right:1px solid #fbfbfb;margin-right:-3px}#singlentry .wp-caption{text-align:center;font-size:11px;color:#999;line-height:13px;max-width:100%!important;height:auto!important}#singlentry .gallery{margin:0;padding:0;width:100%!important;height:auto!important}#singlentry .gallery dl.gallery-item img.attachment-thumbnail{padding:3px;margin:10px;width:50%!important;height:auto}#singlentry .gallery dl.gallery-item{margin:0}#singlentry .gallery dl.gallery-item dt.gallery-icon{margin:0}#singlentry .gallery dl.gallery-item dd.gallery-caption{font-size:11px;color:#555}#twitter-box{-webkit-border-radius:8px;border:1px solid #adadad;margin:10px;background-color:#fff}#twitter-box img{float:left;margin-right:5px;position:relative;bottom:4px;right:3px;width:28px;height:28px}#twitter-box ul{list-style-type:none;margin:0;padding:0}#twitter-box li{clear:both;border-bottom:1px solid #cbcbcb;margin:0;padding:0}#twitter-box li a{display:block;color:#222;font-size:13px;font-weight:bold;padding-top:10px;padding-bottom:13px;padding-left:10px;margin:0}#bookmark-box{-webkit-border-radius:8px;border:1px solid #adadad;margin:10px;background-color:#fff}#bookmark-box img{float:left;margin-right:5px;position:relative;bottom:4px;right:3px;margin-left:3px;margin-top:1px}#bookmark-box ul{list-style-type:none;margin:0;padding:0}#bookmark-box li{clear:both;border-bottom:1px solid #cbcbcb;margin:0;padding:0}#bookmark-box li a{display:block;color:#222;font-size:13px;font-weight:bold;padding-top:10px;padding-bottom:13px;padding-left:10px;margin:0}#twitter-box li:last-child,#bookmark-box li:last-child{border-bottom-style:none}.page h2{font-size:22px;letter-spacing:-1px;text-align:left;line-height:22px;font-weight:normal;font-style:normal;padding-right:0;padding-top:0;padding-bottom:0;position:relative;border-style:none;margin:10px 0 0 42px}.pageentry{color:#444;padding:2px 0 0;line-height:145%;display:block}img.pageicon{position:relative;margin-right:10px;width:32px;height:32px;float:left;margin-top:-5px;margin-left:0}.pageentry .wp-caption{text-align:center;font-size:11px;color:#999;line-height:13px;max-width:100%!important;height:auto!important}#wptouch-tagcloud{-webkit-border-radius:8px;border:1px solid #adadad;background-color:#fff;margin-right:10px;margin-left:10px;padding:10px;text-align:justify;text-transform:capitalize;line-height:150%}#wptouch-archives{-webkit-border-radius:8px;border:1px solid #adadad;background-color:#fff;margin-right:10px;margin-left:10px}#wptouch-archives a{color:#222;display:block;padding-bottom:10px;padding-left:10px;background:url(../core/core-images/arrow.png) no-repeat right center;padding-top:10px}#wptouch-archives ul{padding:0;list-style-type:none;margin:0}#wptouch-archives li{border-bottom:1px solid #ccc;list-style-type:none;font-weight:bold;font-size:14px;color:#222;display:block;padding:0;margin-bottom:0;margin-left:-10px;margin-right:-10px}#wptouch-archives li:first-child{margin-top:-10px}#wptouch-archives li:last-child{margin-bottom:-10px;border-bottom-style:none}#wptouch-links a{color:#222;display:block;background:url(../core/core-images/arrow.png) no-repeat right center;padding:10px 10% 10px 10px}#wptouch-links h2{color:#475d79;text-shadow:#eee 1px 1px 0;font-size:15px;font-weight:bold;margin-bottom:10px;margin-left:10px;letter-spacing:0;border-style:none;text-transform:capitalize;margin-top:20px}#wptouch-links ul{-webkit-border-radius:8px;border:1px solid #adadad;background-color:#fff;list-style-type:none;margin:10px;padding:0}#wptouch-links li{border-bottom:1px solid #ccc;list-style-type:none;font-weight:bold;font-size:13px;color:#333;display:block;padding:0;margin:0;text-shadow:#fff 0 0 0}#wptouch-links li:first-child{border-top-style:none}#wptouch-links li:last-child{border-bottom-style:none}#wptouch-flickr{text-align:center;width:auto}#wptouch-flickr img{padding:1px;background-color:#ccc;margin:5px;width:55px;height:55px}#fourohfour{-webkit-border-radius:8px;border:1px solid #adadad;background-color:#fff;text-align:center;margin:10px;padding:10px}ol#commentlist{list-style-type:none;display:none;margin:0 10px 0;position:relative;z-index:1;padding-right:0;padding-bottom:0;padding-left:0}ol.commentlist li{background-color:#fff;padding:10px;border-bottom:1px solid #dedede;margin:0;overflow:hidden;font-size:12px;border-right:1px solid #b1b1b1;border-left:1px solid #b1b1b1;position:relative;line-height:17px}h3#com-head{font-weight:bold;font-size:13px;-webkit-border-radius:8px;text-shadow:#fff 0 1px 0;margin-left:10px;margin-right:10px;border:1px solid #b1b1b1;background:#fff;position:relative;z-index:1;padding-top:10px;padding-bottom:10px;padding-left:10px;cursor:pointer;display:block}h3#com-head img#com-arrow{margin-right:5px;position:relative;top:1px;-webkit-transform:scale(1.0) rotate(0deg);-webkit-transition-duration:.6s}.comhead-open{-webkit-border-bottom-left-radius:0!important;-webkit-border-bottom-right-radius:0!important;margin-bottom:-1px;background-color:#eee!important}.com-arrow-down{-webkit-transform:scale(1.0) rotate(90deg)!important;-webkit-transition-duration:.6s!important}ol.commentlist li:first-child{border-top:1px solid #b1b1b1}ol.commentlist li:last-child{border-bottom:1px solid #b1b1b1;-webkit-border-bottom-left-radius:8px;-webkit-border-bottom-right-radius:8px}ol.commentlist li img.avatar{float:left;border-right:1px solid #f9f9f9;margin-right:5px;width:32px;height:32px}ol.commentlist li ul{padding:0;margin:0;list-style-type:none}ol.commentlist .parent{background-color:#fefdec}ol.commentlist .parent ul.children li{border:1px solid #ddd;background-color:#e9f8fd;-webkit-border-radius:8px}ol.commentlist ul.children .parent ul.children li.alt{border:1px solid #ddd;background-color:#fff;padding:10px;margin:10px 0 0;-webkit-border-radius:8px}ol.commentlist ul.children .parent ul.children li.even{border:1px solid #ddd!important;background-color:#f9fbf6;padding:10px;margin:10px 0 0;-webkit-border-radius:8px}ol.commentlist .reply a,.comdater{position:absolute;top:6px;right:5px;font-weight:bold;font-size:10px;background-color:#e5e5e5;padding:1px 5px;border:1px solid #fff;-webkit-border-radius:3px;text-shadow:#fff 0 1px 0}ol.commentlist .comdater span{margin-right:3px;border-right:1px solid #fefefe;display:inline-block}ol.commentlist .comdater span a{padding-right:7px}ol.commentlist .comdater span a:last-child{border-right:1px solid #ccc;display:inline-block}ol.commentlist .comment-author{font-weight:bold}ol.commentlist .comment-meta a{font-size:11px;color:#999}.navigation.commentnav{height:17px;padding-right:0;padding-top:10px;padding-left:10px}.navigation.commentnav .alignright a{background-repeat:no-repeat;background-position:right -26px;padding-right:35px}.navigation.commentnav .alignleft a{background-repeat:no-repeat;background-position:left -46px;padding-left:25px}.comtop{background-color:#f5f5f5;padding-left:0;padding-bottom:15px;border-bottom:1px solid #dedede;margin-top:-10px;margin-left:-10px;margin-right:-10px;height:17px}.com-author a{font-weight:bold;text-transform:capitalize;font-size:13px;text-shadow:#fff 0 1px 0;-webkit-border-top-right-radius:0}.com-author{font-weight:bold;text-transform:capitalize;font-size:13px;position:relative;text-shadow:#fff 0 1px 0;-webkit-border-top-right-radius:0;padding-left:10px;padding-top:7px}h3#comments,h3#respond{color:#475d79;text-shadow:#eee 1px 1px 0;letter-spacing:-1px;font-size:17px;padding-left:10px;padding-top:20px}h3.coms-closed{text-align:center;margin-top:25px}.preview{background-color:#fdeeab;color:#bf7b20;font-weight:bold;text-shadow:#fff 0 1px 1px;font-size:11px}.preview span{position:absolute;right:62px;top:8px;padding-right:15px}p.logged{color:#475d79;text-shadow:#eee 1px 1px 0;font-size:11px;font-weight:bold;position:relative;top:2px;margin-top:35px}form#commentform{margin-left:10px;margin-right:10px}form#commentform input{-webkit-border-radius:8px;border:1px solid #adadad;padding:3px;margin:0;font-size:13px;color:#444;width:170px}form#commentform input#submit{color:#555;font-weight:bold;width:25%;opacity:1;background-color:#eee;border:1px solid #aaa;text-shadow:#fff 0 1px 0}textarea#comment{-webkit-border-radius:8px;border:1px solid #adadad;font-size:13px;color:#444;height:110px;width:98%;padding:3px}#loading{position:relative;background-color:#dedede;-webkit-border-radius:8px;border:1px solid #9fa5ac;opacity:.85;z-index:9;margin:0;bottom:166px;text-align:center;width:98%;height:64px;max-width:453px;padding:50px 3px 2px}#loading p{display:inline;position:relative;bottom:3px;left:3px;text-shadow:#fff 0 1px 0;font-size:12px;color:#2f4e71;font-weight:bold}form#commentform label{color:#475d79;text-shadow:#eee 1px 1px 0;font-size:12px;font-weight:bold}#refresher{-webkit-border-radius:8px;padding:10px 10px 10px 18px;border:1px solid #b1b1b1;background-color:#e9f5f8;color:#475d79;font-weight:bold;margin-left:10px;margin-right:10px;text-shadow:#f5f5f5 0 1px 1px;margin-top:20px}#refresher img{float:left;margin-right:3px;margin-left:-10px}#refresher h3{padding:0;margin:0 0 5px;color:#475d79;text-shadow:#f5f5f5 0 1px 1px}p.subscribe-to-comments{padding:8px;-webkit-border-radius:8px;background-color:#eee;border:1px solid #adadad}p.subscribe-to-comments label{text-shadow:#fff 0 1px 0!important;color:#333!important}p.subscribe-to-comments input#subscribe{padding-right:3px;vertical-align:top}#errors{background-color:#fed4d2;border:1px solid red;padding:8px;text-align:center;font-weight:bold;text-shadow:#ffecec 0 1px 0;-webkit-border-radius:8px}.full-justified{text-align:justify}.left-justifed{text-align:left}.small-text{font-size:1.1em}.medium-text{font-size:1.2em}.large-text{font-size:1.3em}.classic-wptouch-bg{background-image:url(../core/core-images/pinstripes-classic.gif)}.argyle-wptouch-bg{background-image:url(../core/core-images/argyle-tie.gif)}.horizontal-wptouch-bg{background-image:url(../core/core-images/pinstripes-horizontal.gif)}.diagonal-wptouch-bg{background-image:url(../core/core-images/pinstripes-diagonal.gif)}.skated-wptouch-bg{background-image:url(../core/core-images/skated-concrete.gif)}.grid-wptouch-bg{background-image:url(../core/core-images/grid.gif)}#footer{text-align:center;color:#475d79;font-size:10px;font-weight:bold;text-shadow:#eee 1px 1px 0;margin-top:60px;line-height:13px;padding:0 0 10px}#footer p{margin:0;padding:0 25px 5px}#wptouch-switch-link{-webkit-border-radius:8px;border:1px solid #adadad;margin-right:10px;margin-left:10px;margin-bottom:20px;position:relative;max-width:300px;padding:13px 10px 12px 8px;color:#222;text-shadow:#fff 0 0 0;font-size:13px;text-align:left;background-color:#fff}#wptouch-switch-link a{position:relative;display:block;width:77px;background:url(../core/core-images/onoff.jpg) no-repeat left top;height:22px;float:right;left:2px;bottom:5px}.offimg{width:77px;background:url(../core/core-images/onoff.jpg) no-repeat 0 -22px!important;height:22px}#adsense-area{height:50px;overflow:none;margin-bottom:12px;background:transparent}#adsense-area iframe{height:50px!important;overflow:none}#noscript-wrap{width:100%;height:100%;position:absolute;top:0;left:0;background-color:#eee;z-index:1000;opacity:.9}#noscript{color:#ddd;display:block;height:54%;text-shadow:#000 -1px -1px 0;-webkit-border-radius:15px;-webkit-box-shadow:#444 0 0 15px;width:auto;padding-right:25px;padding-left:25px;background:#0d0d0d url(../../images/saved.png) no-repeat center top;padding-top:110px;text-align:center;border:3px solid #444;font:14px Helvetica,Arial,sans-serif;margin:25px}.wptouch-post-thumb-wrap{position:relative;margin-right:8px;display:block;margin-bottom:4px;width:46px;height:46px;float:left}.wptouch-post-thumb img{width:46px;height:46px}.wptouch-post-thumb-wrap .thumb-top-left{position:absolute;top:0;left:0;height:9px;width:9px;background:url(../core/core-images/thumb-corners.png) no-repeat 0 0}.wptouch-post-thumb-wrap .thumb-top-right{position:absolute;top:0;right:0;width:9px;height:9px;background:url(../core/core-images/thumb-corners.png) no-repeat right top}.wptouch-post-thumb-wrap .thumb-bottom-left{position:absolute;bottom:0;left:0;width:9px;height:9px;background:url(../core/core-images/thumb-corners.png) no-repeat 0 -9px}.wptouch-post-thumb-wrap .thumb-bottom-right{position:absolute;bottom:0;right:0;width:9px;height:9px;background:url(../core/core-images/thumb-corners.png) 9px -9px}#livefyre{margin-left:9px;margin-right:9px;width:100%;background-color:#fff;border:1px solid #CCC;-webkit-border-radius:8px;padding:10px}#wwsgd-optin,#outbrain_container_0_stripBox,#outbrain_container_0_stars,.linkedin_share_container,.dd_post_share,.tweetmeme_button,#dd_ajax_float{display:none}#dwp-contact-button,.dwpcontact-page{display:none!important}#cycler,#cyclerNav{display:none}.gform_wrapper li,.gform_wrapper form li{list-style-type:none!important;padding-left:30px}.gform_wrapper .gform_footer{margin-top:0;margin-left:20px}.wp_skyscraper_c2{display:none}.addthis_container{display:none!important}a.tt{display:none!important}#secureimgdiv img#cas_image{-webkit-border-radius:2px!important;border:1px solid #adadad!important;width:auto!important;height:21px!important;float:left!important}#secureimgdiv p label{color:#475d79;text-shadow:#eee 1px 1px 0;font-size:14px;font-weight:bold}#secureimgdiv p small{display:block;margin-top:5px;font-size:11px;text-align:justify}#secureimgdiv p input#securitycode{-webkit-border-radius:8px;border:1px solid #adadad;padding:3px;margin:0;font-size:13px;color:#444;width:101px;-webkit-border-top-left-radius:1px;-webkit-border-bottom-left-radius:1px}a#ribbon{display:none!important}p.subscribe-to-comments{padding:8px;-webkit-border-radius:8px;background-color:#fff;border:1px solid #adadad}p.subscribe-to-comments label{text-shadow:#fff 0 1px 0!important;color:#333!important}p.subscribe-to-comments input#subscribe{padding-right:3px;vertical-align:top;width:auto;height:auto}span.db-body{display:none}p.thdrpy,p.thdmang{display:inline;margin-right:10px}#greet_block{display:none}#commentform input#comment_mail_notify{margin-right:5px;margin-top:15px;margin-bottom:5px}.footer #follow.right{display:none!important}.content ul.socialwrap{display:none}#disqus_thread{-webkit-border-radius:8px;border:1px solid #adadad;background-color:#fff;padding:10px;margin-left:10px;margin-right:10px;margin-top:50px}#content .tw_button{display:none!important}a#FollowMeTabLeftSm{display:none!important} \ No newline at end of file diff --git a/wp-content/plugins/wptouch/wptouch.php b/wp-content/plugins/wptouch/wptouch.php deleted file mode 100644 index d0fcd75d224226b461054014a5d174fe4046db36..0000000000000000000000000000000000000000 --- a/wp-content/plugins/wptouch/wptouch.php +++ /dev/null @@ -1,1052 +0,0 @@ -<?php -/* -Plugin Name: WPtouch -Plugin URI: http://wordpress.org/extend/plugins/wptouch/ -Version: 1.9.34 -Description: A plugin which formats your site with a mobile theme for visitors on Apple <a href="http://www.apple.com/iphone/">iPhone</a> / <a href="http://www.apple.com/ipodtouch/">iPod touch</a>, <a href="http://www.android.com/">Google Android</a>, <a href="http://www.blackberry.com/">Blackberry Storm and Torch</a>, <a href="http://www.palm.com/us/products/phones/pre/">Palm Pre</a> and other touch-based smartphones. -Author: BraveNewCode Inc. -Author URI: http://www.bravenewcode.com -Text Domain: wptouch -Domain Path: /lang -License: GNU General Public License 2.0 (GPL) http://www.gnu.org/licenses/gpl.html - -# Thanks to ContentRobot and the iWPhone theme/plugin -# which the detection feature of the plugin was based on. -# (http://iwphone.contentrobot.com/) - -# Also thanks to Henrik Urlund, who's "Prowl Me" plugin inspired -# the Push notification additions. -# (http://codework.dk/referencer/wp-plugins/prowl-me/) - -# Copyright (c) 2008 - 2011 BraveNewCode Inc. - -# 'WPtouch' is an unregistered trademark of BraveNewCode Inc., -# and may not be used in conjuction with any redistribution -# of this software without express prior permission from BraveNewCode Inc. -*/ - -load_plugin_textdomain( 'wptouch', false, dirname( plugin_basename( __FILE__ ) ) ); - -global $bnc_wptouch_version; -$bnc_wptouch_version = '1.9.34'; - -require_once( 'include/plugin.php' ); -require_once( 'include/compat.php' ); - -define( 'WPTOUCH_PROWL_APPNAME', 'WPtouch'); -define( 'WPTOUCH_ATOM', 1 ); - -//The WPtouch Settings Defaults -global $wptouch_defaults; -$wptouch_defaults = array( - 'header-title' => get_bloginfo('name'), - 'main_title' => 'Default.png', - 'enable-post-excerpts' => true, - 'enable-page-coms' => false, - 'enable-zoom' => false, - 'enable-cats-button' => true, - 'enable-tags-button' => true, - 'enable-search-button' => true, - 'enable-login-button' => false, - 'enable-gravatars' => true, - 'enable-main-home' => true, - 'enable-main-rss' => true, - 'enable-main-name' => true, - 'enable-main-tags' => true, - 'enable-main-categories' => true, - 'enable-main-email' => true, - 'enable-truncated-titles' => true, - 'prowl-api' => '', - 'enable-prowl-comments-button' => false, - 'enable-prowl-users-button' => false, - 'enable-prowl-message-button' => false, - 'header-background-color' => '000000', - 'header-border-color' => '333333', - 'header-text-color' => 'eeeeee', - 'link-color' => '006bb3', - 'post-cal-thumb' =>'calendar-icons', - 'h2-font' =>'Helvetica Neue', - 'style-text-justify' => 'left-justified', - 'style-background' => 'classic-wptouch-bg', - 'style-icon' => 'glossy-icon', - 'enable-regular-default' => false, - 'excluded-cat-ids' => '', - 'excluded-tag-ids' => '', - 'custom-footer-msg' => 'All content Copyright '. get_bloginfo('name') . '', - 'home-page' => 0, - 'enable-exclusive' => false, - 'sort-order' => 'name', - 'adsense-id' => '', - 'statistics' => '', - 'adsense-channel' => '', - 'custom-user-agents' => array(), - 'enable-show-comments' => true, - 'enable-show-tweets' => false, - 'enable-gigpress-button' => false, - 'enable-flat-icon' => false, - 'wptouch-language' => 'auto', - 'enable-twenty-eleven-footer' => 0 -); - -function wptouch_get_plugin_dir_name() { - global $wptouch_plugin_dir_name; - return $wptouch_plugin_dir_name; -} - -function wptouch_delete_icon( $icon ) { - if ( !current_user_can( 'manage_options' ) ) { - // don't allow users non administrators to delete files (security check) - return; - } - - $dir = explode( 'wptouch', $icon ); - $loc = compat_get_upload_dir() . "/wptouch/" . ltrim( $dir[1], '/' ); - - $real_location = realpath( $loc ); - if ( strpos( $real_location, WP_CONTENT_DIR ) !== false ) { - unlink( $loc ); - } -} - -add_action( 'wptouch_load_locale', 'load_wptouch_languages' ); - -function load_wptouch_languages() { - $settings = bnc_wptouch_get_settings(); - - $wptouch_dir = compat_get_plugin_dir( 'wptouch' ); - if ( $wptouch_dir ) { - if ( isset( $settings['wptouch-language'] ) ) { - if ( $settings['wptouch-language'] == 'auto' ) { - // check the locale - $locale = get_locale(); - - if ( file_exists( $wptouch_dir . '/lang/' . $locale . '.mo' ) ) { - load_textdomain( 'wptouch', $wptouch_dir . '/lang/' . $locale . '.mo' ); - } - } else { - if ( file_exists( $wptouch_dir . '/lang/' . $settings['wptouch-language'] . '.mo' ) ) { - load_textdomain( 'wptouch', $wptouch_dir . '/lang/' . $settings['wptouch-language'] . '.mo' ); - } else if ( file_exists( WP_CONTENT_DIR . '/wptouch/lang/' . $settings['wptouch-language'] . '.mo' ) ) { - load_textdomain( 'wptouch', WP_CONTENT_DIR . '/wptouch/lang/' . $settings['wptouch-language'] . '.mo' ); - } - } - } - } -} - -function wptouch_init() { - if ( isset( $_GET['delete_icon'] ) ) { - $nonce = $_GET['nonce']; - if ( !wp_verify_nonce( $nonce, 'wptouch_delete_nonce' ) ) { - die( 'Security Failure' ); - } else { - wptouch_delete_icon( $_GET['delete_icon'] ); - header( 'Location: ' . get_bloginfo('wpurl') . '/wp-admin/options-general.php?page=wptouch/wptouch.php#available_icons' ); - die; - } - } - - if ( !is_admin() ) { - do_action( 'wptouch_load_locale' ); - } -} - -function wptouch_include_adsense() { - global $wptouch_plugin; - $settings = bnc_wptouch_get_settings(); - if ( bnc_is_iphone() && $wptouch_plugin->desired_view == 'mobile' && isset( $settings['adsense-id'] ) && strlen( $settings['adsense-id'] ) && is_single() ) { - global $wptouch_settings; - $wptouch_settings = $settings; - - include( 'include/adsense-new.php' ); - } -} - -function wptouch_content_filter( $content ) { - global $wptouch_plugin; - $settings = bnc_wptouch_get_settings(); - if ( bnc_is_iphone() && $wptouch_plugin->desired_view == 'mobile' && isset($settings['adsense-id']) && strlen($settings['adsense-id']) && is_single() ) { - global $wptouch_settings; - $wptouch_settings = $settings; - - ob_start(); - include( 'include/adsense-new.php' ); - $ad_contents = ob_get_contents(); - ob_end_clean(); - - return '<div class="wptouch-adsense-ad">' . $ad_contents . '</div>' . $content; - } else { - return $content; - } -} - -// Version number for the admin header, footer -function WPtouch($before = '', $after = '') { - global $bnc_wptouch_version; - echo $before . 'WPtouch ' . $bnc_wptouch_version . $after; -} - -// Stop '0' Comment Counts -function wp_touch_get_comment_count() { - global $wpdb; - global $post; - - $result = $wpdb->get_row( $wpdb->prepare( "SELECT count(*) as c FROM {$wpdb->comments} WHERE comment_type = '' AND comment_approved = 1 AND comment_post_ID = %d", $post->ID ) ); - if ( $result ) { - return $result->c; - } else { - return 0; - } -} - - // WPtouch WP Thumbnail Support - if ( function_exists( 'add_theme_support' ) ) { // Added in 2.9 - add_theme_support( 'post-thumbnails' ); // Add it for posts -} - -//Add a link to 'Settings' on the plugin listings page -function wptouch_settings_link( $links, $file ) { - if( $file == 'wptouch/wptouch.php' && function_exists( "admin_url" ) ) { - $settings_link = '<a href="' . admin_url( 'options-general.php?page=wptouch/wptouch.php' ) . '">' . __('Settings') . '</a>'; - array_push( $links, $settings_link ); // after other links - } - return $links; -} - -// WPtouch Admin JavaScript -function wptouch_admin_enqueue_files() { - if ( isset( $_GET['page'] ) && $_GET['page'] == 'wptouch/wptouch.php' ) { - wp_enqueue_script( 'ajax-upload', compat_get_plugin_url( 'wptouch' ) . '/js/ajax_upload.js', array( 'jquery' ) ); - wp_enqueue_script( 'jquery-colorpicker', compat_get_plugin_url( 'wptouch' ) . '/js/colorpicker_1.4.js', array( 'ajax-upload' ) ); - wp_enqueue_script( 'jquery-fancybox', compat_get_plugin_url( 'wptouch' ) . '/js/fancybox_1.2.5.js', array( 'jquery-colorpicker' ) ); - wp_enqueue_script( 'wptouch-js', compat_get_plugin_url( 'wptouch' ) . '/js/admin_1.9.js', array( 'jquery-fancybox' ) ); - } -} - -// WPtouch Admin StyleSheets -function wptouch_admin_files() { - if ( isset( $_GET['page'] ) && $_GET['page'] == 'wptouch/wptouch.php' ) { - echo "<script type='text/javascript' src='" . get_bloginfo( "url" ) . "/?wptouch-ajax=js'></script>\n"; - echo "<link rel='stylesheet' type='text/css' href='" . compat_get_plugin_url( 'wptouch' ) . "/admin-css/wptouch-admin.css' />\n"; - echo "<link rel='stylesheet' type='text/css' href='" . compat_get_plugin_url( 'wptouch' ) . "/admin-css/bnc-global.css' />\n"; - echo "<link rel='stylesheet' type='text/css' href='" . compat_get_plugin_url( 'wptouch' ) . "/admin-css/bnc-compressed-global.css' />\n"; - } -} - -function wptouch_ajax_handler() { - if ( isset( $_GET['wptouch-ajax'] ) ) { - switch( $_GET['wptouch-ajax'] ) { - case 'js': - header( 'Content-type: text/javascript' ); - $url = rtrim( get_bloginfo('wpurl'), '/' ) . '/'; - echo "var wptouchBlogUrl = '" . $url . "';"; - break; - case 'news': - include( WP_PLUGIN_DIR . '/wptouch/ajax/news.php' ); - break; - default: - break; - } - die; - } -} - -add_action( 'init', 'wptouch_ajax_handler' ); - -function bnc_wptouch_get_exclude_user_agents() { - $user_agents = array( - 'SCH-I800', - 'Xoom' - ); - - return apply_filters( 'wptouch_exclude_user_agents', $user_agents ); -} - -function bnc_wptouch_get_user_agents() { - $useragents = array( - "iPhone", // Apple iPhone - "iPod", // Apple iPod touch - "incognito", // Other iPhone browser - "webmate", // Other iPhone browser - "Android", // 1.5+ Android - "dream", // Pre 1.5 Android - "CUPCAKE", // 1.5+ Android - "blackberry9500", // Storm - "blackberry9530", // Storm - "blackberry9520", // Storm v2 - "blackberry9550", // Storm v2 - "blackberry 9800", // Torch - "webOS", // Palm Pre Experimental - "s8000", // Samsung Dolphin browser - "bada", // Samsung Dolphin browser - "Googlebot-Mobile" // the Google mobile crawler - - ); - - $settings = bnc_wptouch_get_settings(); - if ( isset( $settings['custom-user-agents'] ) ) { - foreach( $settings['custom-user-agents'] as $agent ) { - if ( !strlen( $agent ) ) continue; - - $useragents[] = $agent; - } - } - - asort( $useragents ); - - // WPtouch User Agent Filter - $useragents = apply_filters( 'wptouch_user_agents', $useragents ); - - return $useragents; -} - -function bnc_wptouch_is_prowl_key_valid() { - require_once( 'include/class.prowl.php' ); - - $settings = bnc_wptouch_get_settings(); - - if ( isset( $settings['prowl-api'] ) ) { - $api_key = $settings['prowl-api']; - - $prowl = new Prowl( $api_key, WPTOUCH_PROWL_APPNAME ); - $verify = $prowl->verify(); - return ( $verify === true ); - } - - return false; -} - -class WPtouchPlugin { - var $applemobile; - var $desired_view; - var $output_started; - var $prowl_output; - var $prowl_success; - - function WPtouchPlugin() { - $this->output_started = false; - $this->applemobile = false; - $this->prowl_output = false; - $this->prowl_success = false; - - // Don't change the template directory when in the admin panel - add_action( 'plugins_loaded', array(&$this, 'detectAppleMobile') ); - if ( !is_admin() ) { - add_filter( 'stylesheet', array(&$this, 'get_stylesheet') ); - add_filter( 'theme_root', array(&$this, 'theme_root') ); - add_filter( 'theme_root_uri', array(&$this, 'theme_root_uri') ); - add_filter( 'template', array(&$this, 'get_template') ); - } - - add_filter( 'init', array(&$this, 'bnc_filter_iphone') ); - add_filter( 'wp', array(&$this, 'bnc_do_redirect') ); - add_filter( 'wp_head', array(&$this, 'bnc_head') ); - add_filter( 'query_vars', array( &$this, 'wptouch_query_vars' ) ); - add_filter( 'parse_request', array( &$this, 'wptouch_parse_request' ) ); - add_action( 'comment_post', array( &$this, 'wptouch_handle_new_comment' ) ); - add_action( 'user_register', array( &$this, 'wptouch_handle_new_user' ) ); - - $this->detectAppleMobile(); - } - - function wptouch_cleanup_growl( $msg ) { - $msg = str_replace("\r\n","\n", $msg); - $msg = str_replace("\r","\n", $msg); - return $msg; - } - - function wptouch_output_supports_in_footer( $content ) { - $mobile_string = sprintf( __( 'Mobile site by %s', 'wptouch' ), '<a href="http://www.bravenewcode.com/wptouch" title="Mobile iPhone and iPad Plugin for WordPress">WPtouch</a>' ); - $content = str_replace( 'WordPress</a>', 'WordPress</a><br />' . $mobile_string, $content ); - return $content; - } - - function wptouch_show_supports_in_footer() { - ob_start( array( &$this, 'wptouch_output_supports_in_footer' ) ); - } - - function wptouch_send_prowl_message( $title, $message ) { - require_once( 'include/class.prowl.php' ); - - $settings = bnc_wptouch_get_settings(); - - if ( isset( $settings['prowl-api'] ) ) { - $api_key = $settings['prowl-api']; - - $prowl = new Prowl( $api_key, $settings['header-title'] ); - - $this->prowl_output = true; - $result = $prowl->add( 1, $title, $this->wptouch_cleanup_growl( stripslashes( $message ) ) ); - - if ( $result ) { - $this->prowl_success = true; - } else { - $this->prowl_success = false; - } - } else { - return false; - } - } - - function wptouch_handle_new_comment( $comment_id, $approval_status = '1' ) { - $settings = bnc_wptouch_get_settings(); - - if ( $approval_status != 'spam' - && isset( $settings['prowl-api'] ) - && isset( $settings['enable-prowl-comments-button']) - && $settings['enable-prowl-comments-button'] == 1 ) { - - $api_key = $settings['prowl-api']; - - require_once( 'include/class.prowl.php' ); - $comment = get_comment( $comment_id ); - $prowl = new Prowl( $api_key, $settings['header-title'] ); - - if ( $comment->comment_type != 'spam' && $comment->comment_approved != 'spam' ) { - if ( $comment->comment_type == 'trackback' || $comment->comment_type == 'pingback' ) { - $result = $prowl->add( 1, - __( "New Ping/Trackback", "wptouch" ), - 'From: '. $this->wptouch_cleanup_growl( stripslashes( $comment->comment_author ) ) . - "\nPost: ". $this->wptouch_cleanup_growl( stripslashes( $comment->comment_content ) ) - ); - } else { - $result = $prowl->add( 1, - __( "New Comment", "wptouch" ), - 'Name: '. $this->wptouch_cleanup_growl( stripslashes( $comment->comment_author ) ) . - "\nE-Mail: ". $this->wptouch_cleanup_growl( stripslashes( $comment->comment_author_email ) ) . - "\nComment: ". $this->wptouch_cleanup_growl( stripslashes( $comment->comment_content ) ) - ); - } - } - } - - } - - function wptouch_handle_new_user( $user_id ) { - $settings = bnc_wptouch_get_settings(); - - if ( isset( $settings['prowl-api'] ) - && isset( $settings['enable-prowl-users-button'] ) - && $settings['enable-prowl-users-button'] == 1 ) { - - global $wpdb; - $api_key = $settings['prowl-api']; - require_once( 'include/class.prowl.php' ); - global $table_prefix; - $sql = $wpdb->prepare( "SELECT * from " . $table_prefix . "users WHERE ID = %d", $user_id ); - $user = $wpdb->get_row( $sql ); - - if ( $user ) { - $prowl = new Prowl( $api_key, $settings['header-title'] ); - $result = $prowl->add( 1, - __( "User Registration", "wptouch" ), - 'Name: '. $this->wptouch_cleanup_growl( stripslashes( $user->user_login ) ) . - "\nE-Mail: ". $this->wptouch_cleanup_growl( stripslashes( $user->user_email ) ) - ); - } - } - } - - function wptouch_query_vars( $vars ) { - $vars[] = "wptouch"; - return $vars; - } - - function wptouch_parse_request( $wp ) { - if (array_key_exists( "wptouch", $wp->query_vars ) ) { - switch ( $wp->query_vars["wptouch"] ) { - case "upload": - include( 'ajax/file_upload.php' ); - break; - } - exit; - } - } - - function bnc_head() { - if ( $this->applemobile && $this->desired_view == 'normal' ) { - echo "<link rel='stylesheet' type='text/css' href='" . compat_get_plugin_url( 'wptouch' ) . "/themes/core/core-css/wptouch-switch-link.css'></link>\n"; - } - } - - function bnc_do_redirect() { - global $post; - - // check for wptouch prowl direct messages - $nonce = ''; - if ( isset( $_POST['_nonce'] ) ) { - $nonce = $_POST['_nonce']; - } - - if ( isset( $_POST['wptouch-prowl-message'] ) && wp_verify_nonce( $nonce, 'wptouch-prowl' ) ) { - $name = $_POST['prowl-msg-name']; - $email = $_POST['prowl-msg-email']; - $msg = $_POST['prowl-msg-message']; - - $title = __( "Direct Message", "wptouch" ); - $prowl_message = 'From: '. $this->wptouch_cleanup_growl( $name ) . - "\nE-Mail: ". $this->wptouch_cleanup_growl( $email ) . - "\nMessage: ". $this->wptouch_cleanup_growl( $msg ); - "\nIP: " . $_SERVER["REMOTE_ADDR"] . - - $this->wptouch_send_prowl_message( $title, $prowl_message ); - } - - if ( $this->applemobile && $this->desired_view == 'mobile' ) { - $version = (float)get_bloginfo('version'); - $is_front = 0; - $is_front = (is_front_page() && (bnc_get_selected_home_page() > 0)); - - if ( $is_front ) { - $url = get_permalink( bnc_get_selected_home_page() ); - header('Location: ' . $url); - die; - } - } - } - - function bnc_filter_iphone() { - $key = 'wptouch_switch_toggle'; - $time = time()+60*60*24*365; // one year - $url_path = '/'; - - if ( isset( $_GET[ 'wptouch_view'] ) ) { - if ( $_GET[ 'wptouch_view' ] == 'mobile' ) { - setcookie( $key, 'mobile', $time, $url_path ); - } elseif ( $_GET[ 'wptouch_view' ] == 'normal') { - setcookie( $key, 'normal', $time, $url_path ); - } - - if ( isset( $_GET['wptouch_redirect'] ) ) { - if ( isset( $_GET['wptouch_redirect_nonce'] ) ) { - $nonce = $_GET['wptouch_redirect_nonce']; - if ( !wp_verify_nonce( $nonce, 'wptouch_redirect' ) ) { - _e( 'Nonce failure', 'wptouch' ); - die; - } - - $protocol = ( $_SERVER['HTTPS'] == 'on') ? 'https://' : 'http://'; - $redirect_location = $protocol . $_SERVER['SERVER_NAME'] . $_GET['wptouch_redirect']; - - header( 'Location: ' . $redirect_location ); - die; - } - } - } - - $settings = bnc_wptouch_get_settings(); - if (isset($_COOKIE[$key])) { - $this->desired_view = $_COOKIE[$key]; - } else { - if ( $settings['enable-regular-default'] || defined( 'XMLRPC_REQUEST' ) || defined( 'APP_REQUEST' ) ) { - $this->desired_view = 'normal'; - } else { - $this->desired_view = 'mobile'; - } - } - - if ( isset( $settings['enable-twenty-eleven-footer'] ) && $settings['enable-twenty-eleven-footer'] ) { - if ( function_exists( 'twentyeleven_setup' ) ) { - add_action( 'twentyeleven_credits', array( &$this, 'handle_footer' ) ); - } else if ( function_exists( 'twentyten_setup' ) ) { - add_action( 'twentyten_credits', array( &$this, 'handle_footer' ) ); - } - } - } - - function handle_footer() { - ob_start( array( &$this, 'handle_footer_done') ); - } - - function handle_footer_done( $content ) { - if ( function_exists( 'twentyeleven_setup' ) ) { - return str_replace( "WordPress</a>", "WordPress</a> <a href='http://www.wordpress.org/extend/plugins/wptouch'>" . sprintf( __( 'and %s', 'wptouch' ), "WPtouch" ) . "</a>", $content ); - } else if ( function_exists( 'twentyten_setup' ) ) { - return str_replace( "WordPress. </a>", "WordPress</a> <a style='background-image: none;' href='http://www.wordpress.org/extend/plugins/wptouch'>" . sprintf( __( 'and %s', 'wptouch' ), "WPtouch" ) . "</a>", $content ); - } - } - - function detectAppleMobile($query = '') { - $container = $_SERVER['HTTP_USER_AGENT']; - // The below prints out the user agent array. Uncomment to see it shown on the page. - // print_r($container); - $this->applemobile = false; - $useragents = bnc_wptouch_get_user_agents(); - $exclude_agents = bnc_wptouch_get_exclude_user_agents(); - $devfile = compat_get_plugin_dir( 'wptouch' ) . '/include/developer.mode'; - - foreach ( $useragents as $useragent ) { - if ( preg_match( "#$useragent#i", $container ) || file_exists( $devfile ) ) { - $this->applemobile = true; - break; - } - - } - - if ( $this->applemobile && !file_exists( $devfile ) ) { - foreach( $exclude_agents as $agent ) { - if ( preg_match( "#$agent#i", $container ) ) { - $this->applemobile = false; - break; - } - } - } - } - - function get_stylesheet( $stylesheet ) { - if ($this->applemobile && $this->desired_view == 'mobile') { - return 'default'; - } else { - return $stylesheet; - } - } - - function get_template( $template ) { - $this->bnc_filter_iphone(); - if ($this->applemobile && $this->desired_view === 'mobile') { - return 'default'; - } else { - return $template; - } - } - - function get_template_directory( $value ) { - $theme_root = compat_get_plugin_dir( 'wptouch' ); - if ($this->applemobile && $this->desired_view === 'mobile') { - return $theme_root . '/themes'; - } else { - return $value; - } - } - - function theme_root( $path ) { - $theme_root = compat_get_plugin_dir( 'wptouch' ); - if ($this->applemobile && $this->desired_view === 'mobile') { - return $theme_root . '/themes'; - } else { - return $path; - } - } - - function theme_root_uri( $url ) { - if ($this->applemobile && $this->desired_view === 'mobile') { - $dir = compat_get_plugin_url( 'wptouch' ) . "/themes"; - return $dir; - } else { - return $url; - } - } -} - -global $wptouch_plugin; -$wptouch_plugin = new WPtouchPlugin(); - -function bnc_wptouch_is_mobile() { - global $wptouch_plugin; - - return ( $wptouch_plugin->applemobile && $wptouch_plugin->desired_view == 'mobile' ); -} - -//Thanks to edyoshi: -function bnc_is_iphone() { - global $wptouch_plugin; - $wptouch_plugin->bnc_filter_iphone(); - return $wptouch_plugin->applemobile; -} - -// The Automatic Footer Template Switch Code (into "wp_footer()" in regular theme's footer.php) -function wptouch_switch() { - global $wptouch_plugin; - if ( bnc_is_iphone() && $wptouch_plugin->desired_view == 'normal' ) { - echo '<div id="wptouch-switch-link">'; - _e( "Mobile Theme", "wptouch" ); - echo "<a onclick=\"document.getElementById('switch-on').style.display='block';document.getElementById('switch-off').style.display='none';\" href=\"" . get_bloginfo('url') . "/?wptouch_view=mobile&wptouch_redirect_nonce=" . wp_create_nonce( 'wptouch_redirect' ) . "&wptouch_redirect=" . $_SERVER['REQUEST_URI'] . "\"><img id=\"switch-on\" src=\"" . compat_get_plugin_url( 'wptouch' ) . "/themes/core/core-images/on.jpg\" alt=\"on switch image\" class=\"wptouch-switch-image\" style=\"display:none\" /><img id=\"switch-off\" src=\"" . compat_get_plugin_url( 'wptouch' ) . "/themes/core/core-images/off.jpg\" alt=\"off switch image\" class=\"wptouch-switch-image\" /></a>"; - echo '</div>'; - } -} - -function bnc_options_menu() { - add_options_page( __( 'WPtouch Options', 'wptouch' ), 'WPtouch', 'manage_options', __FILE__, 'bnc_wp_touch_page' ); -} - -function bnc_wptouch_get_settings() { - return bnc_wp_touch_get_menu_pages(); -} - -function bnc_validate_wptouch_settings( &$settings ) { - global $wptouch_defaults; - foreach ( $wptouch_defaults as $key => $value ) { - if ( !isset( $settings[$key] ) ) { - $settings[$key] = $value; - } - } -} - -function bnc_wptouch_is_exclusive() { - $settings = bnc_wptouch_get_settings(); - return $settings['enable-exclusive']; -} - -function bnc_can_show_tweets() { - $settings = bnc_wptouch_get_settings(); - return $settings['enable-show-tweets']; -} - -function bnc_can_show_comments() { - $settings = bnc_wptouch_get_settings(); - return $settings['enable-show-comments']; -} - -function bnc_wp_touch_get_menu_pages() { - $v = get_option('bnc_iphone_pages'); - if (!$v) { - $v = array(); - } - - if (!is_array($v)) { - $v = unserialize($v); - } - - bnc_validate_wptouch_settings( $v ); - - return $v; -} - -function bnc_get_selected_home_page() { - $v = bnc_wp_touch_get_menu_pages(); - return $v['home-page']; -} - -function wptouch_get_stats() { - $options = bnc_wp_touch_get_menu_pages(); - if (isset($options['statistics'])) { - echo stripslashes($options['statistics']); - } -} - -function bnc_get_title_image() { - $ids = bnc_wp_touch_get_menu_pages(); - $title_image = $ids['main_title']; - - if ( file_exists( compat_get_plugin_dir( 'wptouch' ) . '/images/icon-pool/' . $title_image ) ) { - $image = compat_get_plugin_url( 'wptouch' ) . '/images/icon-pool/' . $title_image; - } else if ( file_exists( compat_get_upload_dir() . '/wptouch/custom-icons/' . $title_image ) ) { - $image = compat_get_upload_url() . '/wptouch/custom-icons/' . $title_image; - } - - return $image; -} - -function wptouch_excluded_cats() { - $settings = bnc_wptouch_get_settings(); - return stripslashes($settings['excluded-cat-ids']); -} - -function wptouch_excluded_tags() { - $settings = bnc_wptouch_get_settings(); - return stripslashes($settings['excluded-tag-ids']); -} - -function wptouch_custom_footer_msg() { - $settings = bnc_wptouch_get_settings(); - return stripslashes($settings['custom-footer-msg']); -} - -function bnc_excerpt_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-post-excerpts']; -} - -function bnc_is_page_coms_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-page-coms']; -} - -function bnc_is_zoom_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-zoom']; -} - -function bnc_is_cats_button_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-cats-button']; -} - -function bnc_is_tags_button_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-tags-button']; -} - -function bnc_is_search_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-search-button']; -} - -function bnc_is_gigpress_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-gigpress-button']; -} - -function bnc_is_flat_icon_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-flat-icon']; -} - -function bnc_is_login_button_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - if (get_option( 'comment_registration' ) || get_option( 'users_can_register' ) || $ids['enable-login-button'] ) { - return true; - } else { - return false; - } -} - -function bnc_is_gravatars_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-gravatars']; -} - -function bnc_show_author() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-main-name']; -} - -function bnc_show_tags() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-main-tags']; -} - -function bnc_show_categories() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-main-categories']; -} - -function bnc_is_home_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-main-home']; -} - -function bnc_is_rss_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-main-rss']; -} - -function bnc_is_email_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-main-email']; -} - -function bnc_is_truncated_enabled() { - $ids = bnc_wp_touch_get_menu_pages(); - return $ids['enable-truncated-titles']; -} - -// Prowl Functions -function bnc_is_prowl_direct_message_enabled() { - $settings = bnc_wptouch_get_settings(); - return ( isset( $settings['enable-prowl-message-button'] ) && $settings['enable-prowl-message-button'] && $settings['prowl-api'] ); -} - -function bnc_prowl_did_try_message() { - global $wptouch_plugin; - return $wptouch_plugin->prowl_output; -} - -function bnc_prowl_message_success() { - global $wptouch_plugin; - return $wptouch_plugin->prowl_success; -} -// End prowl functions - -function bnc_wp_touch_get_pages() { - global $table_prefix; - global $wpdb; - - $ids = bnc_wp_touch_get_menu_pages(); - $a = array(); - $keys = array(); - foreach ($ids as $k => $v) { - if ($k == 'main_title' || $k == 'enable-post-excerpts' || $k == 'enable-page-coms' || - $k == 'enable-cats-button' || $k == 'enable-tags-button' || $k == 'enable-search-button' || - $k == 'enable-login-button' || $k == 'enable-gravatars' || - $k == 'enable-main-home' || $k == 'enable-main-rss' || $k == 'enable-main-email' || - $k == 'enable-truncated-titles' || $k == 'enable-main-name' || $k == 'enable-main-tags' || - $k == 'enable-main-categories' || $k == 'enable-prowl-comments-button' || $k == 'enable-prowl-users-button' || - $k == 'enable-prowl-message-button' || $k == 'enable-gigpress-button' || $k == 'enable-flat-icon') { - } else { - if (is_numeric($k)) { - $keys[] = $k; - } - } - } - - $menu_order = array(); - $results = false; - - if ( count( $keys ) > 0 ) { - $query = "SELECT * from {$table_prefix}posts where ID in (" . implode(',', $keys) . ") and post_status = 'publish' order by post_title asc"; - $results = $wpdb->get_results( $query, ARRAY_A ); - } - - if ( $results ) { - $inc = 0; - foreach ( $results as $row ) { - $row['icon'] = $ids[$row['ID']]; - $a[$row['ID']] = $row; - if (isset($menu_order[$row['menu_order']])) { - $menu_order[$row['menu_order']*100 + $inc] = $row; - } else { - $menu_order[$row['menu_order']*100] = $row; - } - $inc = $inc + 1; - } - } - - if (isset($ids['sort-order']) && $ids['sort-order'] == 'page') { - return $menu_order; - } else { - return $a; - } -} - -function bnc_the_page_icon() { - $settings = bnc_wp_touch_get_menu_pages(); - - $mypages = bnc_wp_touch_get_pages(); - $icon_name = false; - if ( isset( $settings['sort-order'] ) && $settings['sort-order'] == 'page' ) { - global $post; - foreach( $mypages as $key => $page ) { - if ( $page['ID'] == $post->ID ) { - $icon_name = $page['icon']; - break; - } - } - } else { - if ( isset( $mypages[ get_the_ID() ]) ) { - $icon_name = $mypages[ get_the_ID() ]['icon']; - } - } - - if ( $icon_name ) { - if ( file_exists( compat_get_plugin_dir( 'wptouch' ) . '/images/icon-pool/' . $icon_name ) ) { - $image = compat_get_plugin_url( 'wptouch' ) . '/images/icon-pool/' . $icon_name; - } else { - $image = compat_get_upload_url() . '/wptouch/custom-icons/' . $icon_name; - } - - echo( '<img class="pageicon" src="' . $image . '" alt="icon" />' ); - } else { - echo( '<img class="pageicon" src="' . compat_get_plugin_url( 'wptouch' ) . '/images/icon-pool/Default.png" alt="pageicon" />'); - } -} - -function bnc_get_header_title() { - $v = bnc_wp_touch_get_menu_pages(); - return $v['header-title']; -} - -function bnc_get_header_background() { - $v = bnc_wp_touch_get_menu_pages(); - return $v['header-background-color']; -} - -function bnc_get_header_border_color() { - $v = bnc_wp_touch_get_menu_pages(); - return $v['header-border-color']; -} - -function bnc_get_header_color() { - $v = bnc_wp_touch_get_menu_pages(); - return $v['header-text-color']; -} - -function bnc_get_link_color() { - $v = bnc_wp_touch_get_menu_pages(); - return $v['link-color']; -} - -function bnc_get_h2_font() { - $v = bnc_wp_touch_get_menu_pages(); - return $v['h2-font']; -} - -function bnc_get_icon_style() { - $v = bnc_wp_touch_get_menu_pages(); - return $v['icon-style']; -} - -function bnc_get_wptouch_custom_lang_files() { - $lang_files = array(); - - $lang_dir = WP_CONTENT_DIR . '/wptouch/lang'; - if ( file_exists( $lang_dir ) ) { - $d = opendir( $lang_dir ); - if ( $d ) { - while ( $f = readdir( $d ) ) { - if ( strpos( $f, ".mo" ) !== false ) { - $file_info = new stdClass; - $file_info->name = $f; - $file_info->path = $lang_dir . '/' . $f; - $file_info->prefix = str_replace( ".mo", "", $f ); - - $lang_files[] = $file_info; - } - } - } - } - - return $lang_files; -} - -require_once( 'include/icons.php' ); - -function bnc_wp_touch_page() { - if (isset($_POST['submit'])) { - echo('<div class="wrap"><div id="bnc-global"><div id="wptouchupdated" style="display:none"><p class="saved"><span>'); - echo __( "Settings saved", "wptouch"); - echo('</span></p></div>'); - } - elseif (isset($_POST['reset'])) { - echo('<div class="wrap"><div id="bnc-global"><div id="wptouchupdated" style="display:none"><p class="reset"><span>'); - echo __( "Defaults restored", "wptouch"); - echo('</span></p></div>'); - } else { - echo('<div class="wrap"><div id="bnc-global">'); -} -?> - -<?php $icons = bnc_get_icon_list(); ?> - - <?php require_once( 'include/submit.php' ); ?> - <form method="post" action="<?php echo admin_url( 'options-general.php?page=wptouch/wptouch.php' ); ?>"> - <?php require_once( 'html/head-area.php' ); ?> - <?php require_once( 'html/general-settings-area.php' ); ?> - <?php require_once( 'html/advanced-area.php' ); ?> - <?php require_once( 'html/push-area.php' ); ?> - <?php require_once( 'html/style-area.php' ); ?> - <?php require_once( 'html/icon-area.php' ); ?> - <?php require_once( 'html/page-area.php' ); ?> - <?php require_once( 'html/ads-stats-area.php' ); ?> - <?php require_once( 'html/plugin-compat-area.php' ); ?> - <input type="hidden" name="wptouch-nonce" value="<?php echo wp_create_nonce( 'wptouch-nonce' ); ?>" /> - <input type="submit" name="submit" value="<?php _e('Save Options', 'wptouch' ); ?>" id="bnc-button" class="button-primary" /> - </form> - - <form method="post" action=""> - <input type="submit" onclick="return confirm('<?php _e( 'Restore default WPtouch settings?', 'wptouch' ); ?>');" name="reset" value="<?php _e('Restore Defaults', 'wptouch' ); ?>" id="bnc-button-reset" class="button-highlighted" /> - </form> - - <?php // echo( '' . WPtouch( '<div class="bnc-plugin-version"> This is ','</div>' ) . '' ); ?> - - <div class="bnc-clearer"></div> -</div> -<?php -echo('</div>'); } - -add_filter( 'init', 'wptouch_init' ); -add_action( 'wp_footer', 'wptouch_switch' ); -add_action( 'admin_init', 'wptouch_admin_enqueue_files' ); -add_action( 'admin_head', 'wptouch_admin_files' ); -add_action( 'admin_menu', 'bnc_options_menu' ); -add_filter( 'plugin_action_links', 'wptouch_settings_link', 9, 2 );