Changed source root directory
@@ -0,0 +1,103 @@
|
||||
<?php
|
||||
/* IndexNow class */
|
||||
|
||||
class GoogleSitemapGeneratorIndexNow {
|
||||
|
||||
private $siteUrl;
|
||||
private $version;
|
||||
private $prefix = "gsg_indexnow-";
|
||||
|
||||
public function start($indexUrl){
|
||||
$this->siteUrl = get_home_url();
|
||||
$this->version = $this->getVersion();
|
||||
$apiKey = $this->getApiKey();
|
||||
|
||||
return $this->sendToIndex($this->siteUrl, $indexUrl, $apiKey, false);
|
||||
}
|
||||
|
||||
public function getApiKey() {
|
||||
$meta_key = $this->prefix . "admin_api_key";
|
||||
$apiKey = is_multisite() ? get_site_option($meta_key) : get_option($meta_key);
|
||||
if ($apiKey) return base64_decode($apiKey);
|
||||
|
||||
return false;
|
||||
}
|
||||
|
||||
private function sendToIndex($site_url, $url, $api_key, $is_manual_submission){
|
||||
|
||||
$data = json_encode(
|
||||
array(
|
||||
'host' => $this->remove_scheme( $site_url ),
|
||||
'key' => $api_key,
|
||||
'keyLocation' => trailingslashit( $site_url ) . $api_key . '.txt',
|
||||
'urlList' => array( $url ),
|
||||
)
|
||||
);
|
||||
|
||||
$response = wp_remote_post(
|
||||
'https://api.indexnow.org/indexnow/',
|
||||
array(
|
||||
'body' => $data,
|
||||
'headers' => array(
|
||||
'Content-Type' => 'application/json',
|
||||
'X-Source-Info' => 'https://wordpress.com/' . $this->version . '/' . $is_manual_submission
|
||||
),
|
||||
)
|
||||
);
|
||||
|
||||
if (is_wp_error( $response )) {
|
||||
if ( true === WP_DEBUG && true === WP_DEBUG_LOG) {
|
||||
error_log(__METHOD__ . " error:WP_Error: ".$response->get_error_message()) ;
|
||||
}
|
||||
return "error:WP_Error";
|
||||
}
|
||||
if ( isset( $response['errors'] ) ) {
|
||||
return 'error:RequestFailed';
|
||||
}
|
||||
try {
|
||||
if (in_array($response['response']['code'], [200, 202])) {
|
||||
return 'success';
|
||||
} else {
|
||||
if ( 400 === $response['response']['code'] ) {
|
||||
return 'error:InvalidRequest';
|
||||
} else
|
||||
if ( 403 === $response['response']['code'] ) {
|
||||
return 'error:InvalidApiKey';
|
||||
} else
|
||||
if ( 422 === $response['response']['code'] ) {
|
||||
return 'error:InvalidUrl';
|
||||
}else
|
||||
if ( 429 === $response['response']['code'] ) {
|
||||
return 'error:UnknownError';
|
||||
}else {
|
||||
return 'error: ' . $response['response']['message'];
|
||||
if ( true === WP_DEBUG && true === WP_DEBUG_LOG) {
|
||||
error_log(__METHOD__ . " body : ". json_decode($response['body'])->message) ;
|
||||
}
|
||||
}
|
||||
}
|
||||
} catch ( \Throwable $th ) {
|
||||
return 'error:RequestFailed';
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
private function remove_scheme( $url ) {
|
||||
if ( 'http://' === substr( $url, 0, 7 ) ) {
|
||||
return substr( $url, 7 );
|
||||
}
|
||||
if ( 'https://' === substr( $url, 0, 8 ) ) {
|
||||
return substr( $url, 8 );
|
||||
}
|
||||
return $url;
|
||||
}
|
||||
|
||||
private function getVersion(){
|
||||
if ( isset( $GLOBALS['sm_version']) ) {
|
||||
$this->version = $GLOBALS['sm_version'];
|
||||
} else {
|
||||
$this->version = '1.0.1';
|
||||
}
|
||||
}
|
||||
|
||||
}
|
||||
@@ -0,0 +1,214 @@
|
||||
<?php
|
||||
/**
|
||||
* Googlesitemapgeneratorstatus class file.
|
||||
*
|
||||
* @author Arne Brachhold
|
||||
* @package sitemap
|
||||
* @since 3.0b5
|
||||
*/
|
||||
|
||||
/**
|
||||
* Represents the status (successes and failures) of a ping process
|
||||
*
|
||||
* @author Arne Brachhold
|
||||
* @package sitemap
|
||||
* @since 3.0b5
|
||||
*/
|
||||
class GoogleSitemapGeneratorStatus {
|
||||
|
||||
/**
|
||||
* Var start time of building process .
|
||||
*
|
||||
* @var float $_start_time The start time of the building process .
|
||||
*/
|
||||
private $start_time = 0;
|
||||
|
||||
/**
|
||||
* The end time of the building process.
|
||||
*
|
||||
* @var float $_end_time The end time of the building process
|
||||
*/
|
||||
private $end_time = 0;
|
||||
|
||||
/**
|
||||
* Holding an array with the results and information of the last ping .
|
||||
*
|
||||
* @var array Holding an array with the results and information of the last ping
|
||||
*/
|
||||
private $ping_results = array();
|
||||
|
||||
/**
|
||||
* If the status should be saved to the database automatically .
|
||||
*
|
||||
* @var bool If the status should be saved to the database automatically
|
||||
*/
|
||||
private $auto_save = true;
|
||||
|
||||
/**
|
||||
* Constructs a new status ued for saving the ping results
|
||||
*
|
||||
* @param string $auto_save .
|
||||
*/
|
||||
public function __construct( $auto_save = true ) {
|
||||
$this->start_time = microtime( true );
|
||||
|
||||
$this->auto_save = $auto_save;
|
||||
|
||||
if ( $auto_save ) {
|
||||
|
||||
$exists = get_option( 'sm_status' );
|
||||
|
||||
if ( false === $exists ) {
|
||||
add_option( 'sm_status', '', '', 'no' );
|
||||
}
|
||||
$this->save();
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Saves the status back to the database
|
||||
*/
|
||||
public function save() {
|
||||
update_option( 'sm_status', $this );
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the last saved status object or null
|
||||
*
|
||||
* @return GoogleSitemapGeneratorStatus
|
||||
*/
|
||||
public static function load() {
|
||||
$status = get_option( 'sm_status' );
|
||||
if ( is_a( $status, 'GoogleSitemapGeneratorStatus' ) ) {
|
||||
return $status;
|
||||
} else {
|
||||
return null;
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Ends the ping process
|
||||
*/
|
||||
public function end() {
|
||||
$this->end_time = microtime( true );
|
||||
if ( $this->auto_save ) {
|
||||
$this->save();
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the duration of the ping process
|
||||
*
|
||||
* @return int
|
||||
*/
|
||||
public function get_duration() {
|
||||
return round( $this->end_time - $this->start_time, 2 );
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the time when the pings were started
|
||||
*
|
||||
* @return int
|
||||
*/
|
||||
public function get_start_time() {
|
||||
return round( $this->start_time, 2 );
|
||||
}
|
||||
|
||||
/**
|
||||
* Start ping .
|
||||
*
|
||||
* @param string $service string The internal name of the ping service .
|
||||
* @param string $url string The URL to ping .
|
||||
* @param string $name string The display name of the service .
|
||||
* @return void
|
||||
*/
|
||||
public function start_ping( $service, $url, $name = null ) {
|
||||
$this->ping_results[ $service ] = array(
|
||||
'start_time' => microtime( true ),
|
||||
'end_time' => 0,
|
||||
'success' => false,
|
||||
'url' => $url,
|
||||
'name' => $name ? $name : $service,
|
||||
);
|
||||
|
||||
if ( $this->auto_save ) {
|
||||
$this->save();
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* End ping .
|
||||
*
|
||||
* @param string $service string The internal name of the ping service .
|
||||
* @param string $success boolean If the ping was successful .
|
||||
* @return void
|
||||
*/
|
||||
public function end_ping( $service, $success ) {
|
||||
$this->ping_results[ $service ]['end_time'] = microtime( true );
|
||||
$this->ping_results[ $service ]['success'] = $success;
|
||||
|
||||
if ( $this->auto_save ) {
|
||||
$this->save();
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the duration of the last ping of a specific ping service
|
||||
*
|
||||
* @param string $service string The internal name of the ping service .
|
||||
* @return float
|
||||
*/
|
||||
public function get_ping_duration( $service ) {
|
||||
$res = $this->ping_results[ $service ];
|
||||
return round( $res['end_time'] - $res['start_time'], 2 );
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the last result for a specific ping service
|
||||
*
|
||||
* @param string $service string The internal name of the ping service .
|
||||
* @return array
|
||||
*/
|
||||
public function get_ping_result( $service ) {
|
||||
return $this->ping_results[ $service ]['success'];
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the URL for a specific ping service
|
||||
*
|
||||
* @param string $service string The internal name of the ping service .
|
||||
* @return array
|
||||
*/
|
||||
public function get_ping_url( $service ) {
|
||||
return $this->ping_results[ $service ]['url'];
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the name for a specific ping service
|
||||
*
|
||||
* @param string $service string The internal name of the ping service .
|
||||
* @return array
|
||||
*/
|
||||
public function get_service_name( $service ) {
|
||||
return $this->ping_results[ $service ]['name'];
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns if a service was used in the last ping
|
||||
*
|
||||
* @param string $service string The internal name of the ping service .
|
||||
* @return bool
|
||||
*/
|
||||
public function used_ping_service( $service ) {
|
||||
return array_key_exists( $service, $this->ping_results );
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the services which were used in the last ping
|
||||
*
|
||||
* @return array
|
||||
*/
|
||||
public function get_used_ping_services() {
|
||||
return array_keys( $this->ping_results );
|
||||
}
|
||||
}
|
||||
@@ -0,0 +1,417 @@
|
||||
Google XML Sitemaps Generator for WordPress
|
||||
==============================================================================
|
||||
|
||||
This generator will create a sitemaps.org compliant sitemap of your WordPress site.
|
||||
Currently homepage, posts, static pages, categories, archives and author pages are supported.
|
||||
|
||||
The priority of a post depends on its comments. You can choose the way the priority
|
||||
is calculated in the options screen.
|
||||
|
||||
Feel free to visit my website under www.arnebrachhold.de or contact me at
|
||||
himself [at] arnebrachhold [dot] de
|
||||
|
||||
Have fun!
|
||||
Arne
|
||||
|
||||
Installation:
|
||||
==============================================================================
|
||||
1. Upload the full directory into your wp-content/plugins directory
|
||||
2. Activate the plugin at the plugin administration page
|
||||
3. Open the plugin configuration page, which is located under Settings -> XML-Sitemap and customize settings like priorities and change frequencies.
|
||||
4. The plugin will automatically update your sitemap of you publish a post, so theres nothing more to do :)
|
||||
|
||||
|
||||
Additional contributors:
|
||||
==============================================================================
|
||||
Inspiration Michael Nguyen http://www.socialpatterns.com/
|
||||
SQL Improvements Rodney Shupe http://www.shupe.ca/
|
||||
Japanse Lang. File Hirosama http://hiromasa.zone.ne.jp/
|
||||
Spanish lang. File Omi http://equipajedemano.info/
|
||||
Italian lang. File Stefano Aglietti http://wordpress-it.it/
|
||||
Trad.Chinese File Kirin Lin http://kirin-lin.idv.tw/
|
||||
Simpl.Chinese File june6 http://www.june6.cn/
|
||||
Swedish Lang. File Tobias Bergius http://tobiasbergius.se/
|
||||
Czech Lang. File Peter Kahoun http://kahi.cz
|
||||
Finnish Lang. File Olli Jarva http://kuvat.blog.olli.jarva.fi/
|
||||
Belorussian Lang. File Marcis Gasuns
|
||||
Bulgarian Lang. File Alexander Dichev http://dichev.com
|
||||
|
||||
Thanks to all contributors and bug reporters! There were much more people involved
|
||||
in testing this plugin and reporting bugs, either by email or in the WordPress forums.
|
||||
|
||||
Unfortunately I can't maintain a whole list here, but thanks again to everybody not listed here!
|
||||
|
||||
|
||||
Release History:
|
||||
==============================================================================
|
||||
2005-06-05 1.0 First release
|
||||
2005-06-05 1.1 Added archive support
|
||||
2005-06-05 1.2 Added category support
|
||||
2005-06-05 2.0a Beta: Real Plugin! Static file generation, Admin UI
|
||||
2005-06-05 2.0 Various fixes, more help, more comments, configurable filename
|
||||
2005-06-07 2.01 Fixed 2 Bugs: 147 is now _e(strval($i)); instead of _e($i); 344 uses a full < ?php instead of < ?
|
||||
Thanks to Christian Aust for reporting this :)
|
||||
2005-06-07 2.1 Correct usage of last modification date for cats and archives (thx to Rodney Shupe (http://www.shupe.ca/))
|
||||
Added support for .gz generation
|
||||
Fixed bug which ignored different post/page priorities
|
||||
Should support now different wordpress/admin directories
|
||||
2005-06-07 2.11 Fixed bug with hardcoded table table names instead of the $wpd vars
|
||||
2005-06-07 2.12 Changed SQL Statement of the categories to get it work on MySQL 3
|
||||
2005-06-08 2.2 Added language file support:
|
||||
- Japanese Language Files and code modifications by hiromasa (http://hiromasa.zone.ne.jp/)
|
||||
- German Language File by Arne Brachhold (http://www.arnebrachhold.de)
|
||||
2005-06-14 2.5 Added support for external pages
|
||||
Added support for Google Ping
|
||||
Added the minimum Post Priority option
|
||||
Added Spanish Language File by César Gómez Martín (http://www.cesargomez.org/)
|
||||
Added Italian Language File by Stefano Aglietti (http://wordpress-it.it/)
|
||||
Added Traditional Chine Language File by Kirin Lin (http://kirin-lin.idv.tw/)
|
||||
2005-07-03 2.6 Added support to store the files at a custom location
|
||||
Changed the home URL to have a slash at the end
|
||||
Required admin-functions.php so the script will work with external calls, wp-mail for example
|
||||
Added support for other plugins to add content to the sitemap via add_filter()
|
||||
2005-07-20 2.7 Fixed wrong date format in additional pages
|
||||
Added Simplified Chinese Language Files by june6 (http://www.june6.cn/)
|
||||
Added Swedish Language File by Tobias Bergius (http://tobiasbergius.se/)
|
||||
2006-01-07 3.0b Added different priority calculation modes and introduced an API to create custom ones
|
||||
Added support to use the Popularity Contest plugin by Alex King to calculate post priority
|
||||
Added Button to restore default configuration
|
||||
Added several links to homepage and support
|
||||
Added option to exclude password protected posts
|
||||
Added function to start sitemap creation via GET and a secret key
|
||||
Posts and pages marked for publish with a date in the future won't be included
|
||||
Improved compatiblity with other plugins
|
||||
Improved speed and optimized settings handling
|
||||
Improved user-interface
|
||||
Recoded plugin architecture which is now fully OOP
|
||||
2006-01-07 3.0b1 Changed the way for hook support to be PHP5 and PHP4 compatible
|
||||
Readded support for tools like w.Bloggar
|
||||
Fixed "doubled-content" bug with WP2
|
||||
Added xmlns to enable validation
|
||||
2006-03-01 3.0b3 More performance
|
||||
More caching
|
||||
Better support for Popularity Contest and WP 2.x
|
||||
2006-11-16 3.0b4 Fixed bug with option SELECTS
|
||||
Decreased memory usage which should solve timeout and memory problems
|
||||
Updated namespace to support YAHOO and MSN
|
||||
2007-01-19 3.0b5 Javascripted page editor
|
||||
WP 2 Design
|
||||
YAHOO notification
|
||||
New status report, removed ugly logfiles
|
||||
Better Popularity Contest Support
|
||||
Fixed double backslashes on windows systems
|
||||
Added option to specify time limit and memory limit
|
||||
Added option to define a XSLT stylesheet and added a default one
|
||||
Fixed bug with sub-pages. Thanks to:
|
||||
- Mike Baptiste (http://baptiste.us),
|
||||
- Peter Claus Lamprecht (http://fastagent.de)
|
||||
- Glenn Nicholas (http://publicityship.com.au)
|
||||
Improved file handling, thanks to VJTD3 (http://www.VJTD3.com)
|
||||
WP 2.1 improvements
|
||||
2007-01-23 3.0b6 Use memory_get_peak_usage instead of memory_get_usage if available
|
||||
Removed the usage of REQUEST_URI since it not correct in all environments
|
||||
Fixed that sitemap.xml.gz was not compressed
|
||||
Added compat function "stripos" for PHP4 (Thanks to Joseph Abboud!)
|
||||
Streamlined some code
|
||||
2007-05-17 3.0b7 Added option to include the author pages like /author/john
|
||||
Small enhancements, removed stripos dependency and the added compat function
|
||||
Added check to not build the sitemap if importing posts
|
||||
Fixed missing domain parameter for translator name
|
||||
Fixed WP 2.1 / Pre 2.1 post / pages database changes
|
||||
Fixed wrong XSLT location (Thanks froosh)
|
||||
Added Ask.com notification
|
||||
Removed unused javascript
|
||||
2007-07-22 3.0b8 Changed category SQL to prevent unused cats from beeing included
|
||||
Plugin will be loaded on "init" instead of direclty after the file has been loaded.
|
||||
Added support for robots.txt modification
|
||||
Switched YAHOO ping API from YAHOO Web Services to the "normal" ping service which doesn't require an app id
|
||||
Search engines will only be pinged if the sitemap file has changed
|
||||
2007-09-02 3.0b9 Added tag support for WordPress 2.3
|
||||
Now using post_date_gmt instead of post_date everywhere
|
||||
Fixed archive bug with static pages (Thanks to Peter Claus Lamprecht)
|
||||
Fixed some missing translation domains, thanks to Kirin Lin!
|
||||
Added Czech translation files for 2.7.1, thanks to Peter Kahoun (http://kahi.cz)
|
||||
2007-09-04 3.0b10 Added category support for WordPress 2.3
|
||||
Fixed bug with empty URLs in sitemap
|
||||
Repaired GET building
|
||||
Added more info on debug mode
|
||||
2007-09-23 3.0b11 Changed mysql queries to unbuffered queries
|
||||
Uses MUCH less memory
|
||||
Fixed really stupid bug with search engine pings
|
||||
Option to set how many posts will be included
|
||||
2007-09-24 3.0 Yeah, 3.0 Final after one and a half year ;)
|
||||
Removed useless functions
|
||||
2007-11-03 3.0.1 Using the Snoopy HTTP client for ping requests instead of wp_remote_fopen
|
||||
Fixed undefined translation strings
|
||||
Added "safemode" for SQL which doesn't use unbuffered results (old style)
|
||||
Added option to run the building process in background using wp-cron
|
||||
Removed unnecessary function_exists, Thanks to user00265
|
||||
Added links to test the ping if it failed.
|
||||
2007-11-25 3.0.2 Fixed bug which caused that some settings were not saved correctly
|
||||
Added option to exclude pages or post by ID
|
||||
Restored YAHOO ping service with API key since the other one is to unreliable. (see 3.0b8)
|
||||
2007-11-28 3.0.2.1 Fixed wrong XML Schema Location (Thanks to Emanuele Tessore)
|
||||
Added Russian Language files by Sergey http://ryvkin.ru
|
||||
2007-12-30 3.0.3 Added Live Search Ping
|
||||
Removed some hooks which rebuilt the sitemap with every comment
|
||||
2008-03-30 3.0.3.1 Added compatibility CSS for WP 2.5
|
||||
2008-04-28 3.0.3.2 Improved WP 2.5 handling
|
||||
2008-04-29 3.0.3.3 Fixed author pages
|
||||
Enhanced background building and increased delay to 15 seconds
|
||||
Background building is enabled by default
|
||||
2008-04-28 3.1b1 Reorganized files in builder, loader and UI
|
||||
Added 2 step loader so only code that's needed will be loaded
|
||||
Improved WP 2.5 handling
|
||||
Secured all admin actions with nonces
|
||||
2008-05-18 3.1b2 Fixed critical bug with the build in background option
|
||||
Added notification if a build is scheduled
|
||||
2008-05-19 3.1b3 Cleaned up plugin directory and moved asset files to subfolders
|
||||
Fixed background building bug in WP 2.1
|
||||
Removed auto-update plugin link for WP < 2.5
|
||||
2008-05-22 3.1 Marked as 3.1 stable, updated documentation
|
||||
2008-05-27 3.1.0.1 Extracted UI JS to external file
|
||||
Enabled the option to include following pages of multi-page posts
|
||||
Script tries to raise memory and time limit if active
|
||||
2008-12-21 3.1.1 Fixed redirect issue if wp-admin is rewritten via mod_rewrite, thanks to macjoost
|
||||
Fixed wrong path to assets, thanks PozHonks
|
||||
Fixed wrong plugin URL if wp-content was renamed / redirected, thanks to wnorris
|
||||
Updated WP User Interface for 2.7
|
||||
Various other small things
|
||||
2008-12-26 3.1.2 Changed the way the stylesheet is saved (default / custom stylesheet)
|
||||
Sitemap is now build when page is published
|
||||
Removed support for static robots.txt files, this is now handled via WordPress
|
||||
Added compat. exceptions for WP 2.0 and WP 2.1
|
||||
2009-06-07 3.1.3 Changed MSN Live Search to Bing
|
||||
Exclude categories also now exludes the category itself and not only the posts
|
||||
Pings now use the new WordPress HTTP API instead of Snoopy
|
||||
Fixed bug that in localized WP installations priorities could not be saved.
|
||||
The sitemap cron job is now cleared after a manual rebuild or after changing the config
|
||||
Adjusted style of admin area for WP 2.8 and refreshed icons
|
||||
Disabled the "Exclude categories" feature for WP 2.5.1, since it doesn't have the required functions yet
|
||||
2009-06-22 3.1.4 Fixed bug which broke all pings in WP < 2.7
|
||||
Added more output in debug mode if pings fail
|
||||
Moved global post definitions for other plugins
|
||||
Added small icon for ozh admin menu
|
||||
Added more help links in UI
|
||||
2009-08-24 3.1.5 Added option to completely disable the last modification time
|
||||
Fixed bug regarding the use of the HTTPS url for the XSL stylesheet if the sitemap was build via the admin panel
|
||||
Improved handling of homepage if a single page was set for it
|
||||
Fixed mktime warning which appeared sometimes
|
||||
Fixed bug which caused inf. reloads after rebuilding the sitemap via the admin panel
|
||||
Improved handling of missing sitemaps files if WP was moved to another location
|
||||
2009-08-31 3.1.6 Fixed PHP error "Only variables can be passed by reference"
|
||||
Fixed wrong URLS of multi-page posts (Thanks artstorm!)
|
||||
2009-10-21 3.1.7 Added support for custom taxonomies (Thanks to Lee!)
|
||||
2009-11-07 3.1.8 Improved custom taxonomy handling and fixed wrong last modification date
|
||||
Changed readme and backlinks
|
||||
Fixed fatal error in WP < 2.3
|
||||
Fixed Update Notice in WP 2.8+
|
||||
Added warning if blog privacy is activated
|
||||
Fixed custom URLs priorities were shown as 0 instead of 1
|
||||
2009-11-13 3.1.9 Fixed MySQL Error if author pages were included
|
||||
2009-11-23 3.2 Added function to show the actual results of a ping instead of only linking to the url
|
||||
Added new hook (sm_rebuild) for third party plugins to start building the sitemap
|
||||
Fixed bug which showed the wrong URL for the latest Google ping result
|
||||
Added some missing phpdoc documentation
|
||||
Removed hardcoded php name for sitemap file for admin urls
|
||||
Uses KSES for showing ping test results
|
||||
Ping test fixed for WP < 2.3
|
||||
2009-12-16 3.2.1 Notes and update messages could interfere with the redirect after manual build
|
||||
Help Links in the WP context help were not shown anymore since last update
|
||||
IE 7 sometimes displayed a cached admin page
|
||||
Removed invalid link to config page from the plugin description (This resulted in a "Not enough permission error")
|
||||
Improved performance of getting the current plugin version with caching
|
||||
Updated Spanish language files
|
||||
2009-12-19 3.2.2 Fixed PHP4 problems
|
||||
2010-04-02 3.2.3 Fixed that all pages were not included in the sitemap if the "Uncategorized" category was excluded
|
||||
2010-05-29 3.2.4 Fixed more deprecated function calls
|
||||
Added (GMT) to sitemap xslt template to avoid confusion with time zone
|
||||
Added warning and don't activate plugin if multisite mode is enabled (this mode is NOT tested yet)
|
||||
Changed get_bloginfo('siteurl') to get_bloginfo('url') to avoid deprecation warning
|
||||
Changed has_cap(10) to has_cap('level_10') to avoid deprecation warning
|
||||
Fixed wrong SQL statement for author pages (Ticket #1108), thanks to twoenough
|
||||
2010-07-11 3.2.5 Backported Bing ping success fix from beta
|
||||
Added friendly hint to try out the new beta
|
||||
2010-09-19 3.2.6 Removed YAHOO ping since YAHOO uses bing now
|
||||
Removed deprecated function call
|
||||
2012-04-24 3.2.7 Fixed custom post types, thanks to clearsite of the wordpress.org forum!
|
||||
Fixed broken admin layout on WP 3.4
|
||||
2012-08-08 3.2.8 Fixed wrong custom taxonomy URLs, thanks to ramon fincken of the wordpress.org forum!
|
||||
Removed ASK ping since they shut down their service.
|
||||
Exclude post_format taxonomy from custom taxonomy list
|
||||
2013-01-11 3.2.9 Fixed security issue with change frequencies and filename of sitemap file. Exploit was only possible for admin accounts.
|
||||
2013-09-28 3.3 Fixed problem with file permission checking
|
||||
Filter out hashs (#) in URLs
|
||||
2013-11-24 3.4 Fixed deprecation warnings in PHP 5.4, thanks to Dion Hulse!
|
||||
2014-03-29 4.0 No static files anymore, sitemap is created on the fly
|
||||
Sitemap is split-up into sub-sitemaps by month, allowing up to 50.000 posts per month
|
||||
Support for custom post types and custom taxonomis!
|
||||
100% Multisite compatible, including by-blog and network activation.
|
||||
Added support for mu-plugins forced-activation (see sitemap-wpmu.php for details)
|
||||
Reduced server resource usage due to less content per request.
|
||||
New API allows other plugins to add their own, separate sitemaps.
|
||||
Raised min requirements to PHP 5.1 and WordPress 3.3
|
||||
Note: This version will try to rename your old sitemap files to *-old.xml. If that doesn’t work, please delete them manually since no static files are needed anymore!
|
||||
Using only wpdb instead of unbuffered queries anymore
|
||||
Ping to search engines are done on WP ping
|
||||
Using PHP5 syntax instead of old PHP4 OOP style
|
||||
Added pre-loader which checks the requirements
|
||||
Avoid the main query of WordPress (based on plugin by Michael Adams)
|
||||
Avoid additional queries in post sitemaps
|
||||
Added custom post types
|
||||
Fixed include of static front page in pages index
|
||||
Do not list "#" permalinks from placeholder plugins
|
||||
Removed YAHOO pings since YAHOO doesn't have its own ping service anymore.
|
||||
Sitemap doesn't state it is a feed anymore
|
||||
Removed Ask.com ping since they shut down their service (who uses Ask anyway?)
|
||||
2014-03-31 4.0.1 Fixed bug with custom post types including a "-"
|
||||
Changed rewrite-setup to happen on init and flushing on wp_loaded to better work with other plugins
|
||||
2014-04-01 4.0.2 Fixed warning if an gzip handler is already active
|
||||
2014-04-13 4.0.3 Fixed compression if an gzlib handler was already active
|
||||
Help regarding permalinks for Nginx users
|
||||
Fix with gzip compression in case there was other output before already
|
||||
Return 404 for HTML sitemaps if the option has been disabled
|
||||
2014-04-19 4.0.4 Removed deprecated get_page call
|
||||
Changed last modification time of sub-sitemaps to the last modification date of the posts instead of the publish date
|
||||
Removed information window if the statistic option has not been activated
|
||||
Added link regarding new sitemap format
|
||||
Updated Portuguese translation, thanks to Pedro Martinho
|
||||
Updated German translation
|
||||
2014-05-18 4.0.5 Fixed issue with empty post sitemaps (related to GMT/local time offset)
|
||||
Fixed some timing issues in archives
|
||||
Improved check for possible problems before gzipping
|
||||
Fixed empty Archives and Authors in case there were no posts
|
||||
Changed content type to text/xml to improve compatibility with caching plugins
|
||||
Changed query parameters to is_feed=true to improve compatibility with caching plugins
|
||||
Switched from using WP_Query to load posts to a custom SQL statement to avoid problems with other plugin filters
|
||||
Fixed bug which caused the Priority Provider to disappear in recent PHP versions
|
||||
Cleaned up code and renamed variables to be more readable
|
||||
Added caching of some SQL statements
|
||||
Added support feed for more help topics
|
||||
Added support for changing the base of the sitemap url to another URL (for WP installations in sub-folders)
|
||||
Changed text in XSL template to be more clear about sitemap-index and sub-sitemaps
|
||||
Added link to new help page
|
||||
Plugin will also ping with the corresponding sub-sitemap in case a post was modified
|
||||
Added function to manually start ping for main-sitemap or all sub-sitemaps
|
||||
Better checking for empty externals
|
||||
Updated Japanese Translation, thanks to Daisuke Takahashi
|
||||
2014-06-03 4.0.6 Added option to disable automatic gzipping
|
||||
Fixed bug with duplicated external sitemap entries
|
||||
Updated language file template
|
||||
Don't gzip if behind Varnish
|
||||
Improved compatibility with caches
|
||||
Ping on post edit
|
||||
2014-06-23 4.0.7 Better compatibility with managed GoDaddy hosting (clear alloptions cache when generating the sitemap)
|
||||
Improved checking if the sitemap should be gzipped or not (depending on ob levels)
|
||||
Removed WordPress version from the sitemap
|
||||
Corrected link to WordPress privacy settings
|
||||
Changed hook which is being used for sitemap pings
|
||||
2014-09-02 4.0.7.1Added icon for the new WP Add-Plugin page
|
||||
Changed "Tested up to" to 4.0
|
||||
2014-11-15 4.0.8 Fixed bug with excluded categories, thanks to Claus Schöffel!
|
||||
2017-03-22 4.0.9 Fixed security issue with donation submission.
|
||||
2018-12-18 4.1.0 Fixed security issues related to forms and external URLs
|
||||
2022-04-07 4.1.1 Fixed security issues and added support for WooCommerce based sitemap
|
||||
2022-04-07 4.1.2 Fixed security issues and features like support for WooCommerce based sitemap
|
||||
2022-05-31 4.1.3 Added backward compatibility settings, Changed Google Tracking ID field to optional, Fixed PHP warnings
|
||||
2022-06-06 4.1.4 Fixed the issue of PHP warnings, Fixed links per page issue, Improved WordPress 6.0 compatibility
|
||||
2022-06-14 4.1.5 Fixed code regressions moving from git to svn
|
||||
2022-11-23 4.1.6 Made the Google TID field non mandatory in order to ping Google
|
||||
2022-11-24 4.1.7 Fixed custom taxonomy unit generation issue
|
||||
|
||||
|
||||
|
||||
Todo:
|
||||
==============================================================================
|
||||
- Your wishes :)
|
||||
|
||||
|
||||
License:
|
||||
==============================================================================
|
||||
Copyright 2005 - 2018 ARNE BRACHHOLD (email : himself - arnebrachhold - de)
|
||||
|
||||
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
|
||||
|
||||
Please see license.txt for the full license.
|
||||
|
||||
|
||||
Developer Documentation
|
||||
==============================================================================
|
||||
|
||||
Adding other pages to the sitemap via other plugins
|
||||
|
||||
This plugin uses the action system of WordPress to allow other plugins
|
||||
to add urls to the sitemap. Simply add your function with add_action to
|
||||
the list and the plugin will execute yours every time the sitemap is build.
|
||||
Use the static method "get_instance" to get the generator and add_url method
|
||||
to add your content.
|
||||
|
||||
Sample:
|
||||
|
||||
function your_pages() {
|
||||
$generatorObject = &GoogleSitemapGenerator::get_instance();
|
||||
if($generatorObject!=null) $generatorObject->add_url("http://blog.uri/tags/hello/",time(),"daily",0.5);
|
||||
}
|
||||
add_action("sm_buildmap", "your_pages");
|
||||
|
||||
Parameters:
|
||||
- The URL to the page
|
||||
- The last modified data, as a UNIX timestamp (optional)
|
||||
- The Change Frequency (daily, hourly, weekly and so on) (optional)
|
||||
- The priority 0.0 to 1.0 (optional)
|
||||
|
||||
|
||||
Rebuilding the sitemap on request
|
||||
|
||||
If you want to rebuild the sitemap because dynamic content from your plugin has changed,
|
||||
please use the "sm_rebuild" hook which is available since 3.1.9.
|
||||
All other methods, like calling the Build method directly are highly unrecommended and might
|
||||
not work anymore with the next version of the plugin. Using this hook, the sitemap plugin will
|
||||
take care of everything like loading the required classes and so on.
|
||||
|
||||
Sample:
|
||||
|
||||
do_action("sm_rebuild");
|
||||
|
||||
The sitemap might not be rebuild immediately, since newer versions use a background WP-Cron
|
||||
job by default to prevent that the user has to wait and avoid multiple rebuilds within a very short time.
|
||||
In case the sitemap plugin is not installed, nothing will happen and no errors will be thrown.
|
||||
|
||||
===============================================
|
||||
|
||||
Adding additional PriorityProviders
|
||||
|
||||
This plugin uses several classes to calculate the post priority.
|
||||
You can register your own provider and choose it at the options screen.
|
||||
|
||||
Your class has to extend the GoogleSitemapGeneratorPrioProviderBase class
|
||||
which has a default constructor and a method called GetPostPriority
|
||||
which you can override.
|
||||
|
||||
Look at the GoogleSitemapGeneratorPrioByPopularityContestProvider class
|
||||
for an example.
|
||||
|
||||
To register your provider to the sitemap generator, use the following filter:
|
||||
|
||||
add_filter("sm_add_prio_provider","AddMyProvider");
|
||||
|
||||
Your function could look like this:
|
||||
|
||||
function AddMyProvider($providers) {
|
||||
array_push($providers,"MyProviderClass");
|
||||
return $providers;
|
||||
}
|
||||
|
||||
Note that you have to return the modified list!
|
||||
@@ -0,0 +1,54 @@
|
||||
<?php
|
||||
/**
|
||||
* External interface .
|
||||
*
|
||||
* @author Arne Brachhold
|
||||
* @package sitemap
|
||||
* @since 3.0
|
||||
*/
|
||||
|
||||
/**
|
||||
* Interface for all priority providers
|
||||
*
|
||||
* @author Arne Brachhold
|
||||
* @package sitemap
|
||||
* @since 3.0
|
||||
*/
|
||||
interface Google_Sitemap_Generator_Prio_Provider_Base {
|
||||
|
||||
/**
|
||||
* Initializes a new priority provider
|
||||
*
|
||||
* @param int $total_comments int The total number of comments of all posts .
|
||||
* @param int $total_posts int The total number of posts .
|
||||
* @since 3.0
|
||||
*/
|
||||
public function __construct( $total_comments, $total_posts );
|
||||
|
||||
/**
|
||||
* Returns the (translated) name of this priority provider
|
||||
*
|
||||
* @since 3.0
|
||||
* @return string The translated name
|
||||
*/
|
||||
public static function get_name();
|
||||
|
||||
/**
|
||||
* Returns the (translated) description of this priority provider
|
||||
*
|
||||
* @since 3.0
|
||||
* @return string The translated description
|
||||
*/
|
||||
public static function get_description();
|
||||
|
||||
/**
|
||||
* Returns the priority for a specified post
|
||||
*
|
||||
* @param int $post_id int The ID of the post .
|
||||
* @param int $comment_count int The number of comments for this post .
|
||||
* @since 3.0
|
||||
* @return int The calculated priority
|
||||
*/
|
||||
public function get_post_priority( $post_id, $comment_count );
|
||||
}
|
||||
|
||||
BIN
html/wp-content/plugins/google-sitemap-generator/img/close.png
Normal file
|
After Width: | Height: | Size: 6.9 KiB |
BIN
html/wp-content/plugins/google-sitemap-generator/img/help.png
Normal file
|
After Width: | Height: | Size: 16 KiB |
|
After Width: | Height: | Size: 244 B |
|
After Width: | Height: | Size: 1.1 KiB |
|
After Width: | Height: | Size: 345 B |
|
After Width: | Height: | Size: 857 B |
|
After Width: | Height: | Size: 90 B |
|
After Width: | Height: | Size: 668 B |
|
After Width: | Height: | Size: 699 B |
|
After Width: | Height: | Size: 220 B |
|
After Width: | Height: | Size: 253 B |
|
After Width: | Height: | Size: 173 B |
|
After Width: | Height: | Size: 88 B |
110
html/wp-content/plugins/google-sitemap-generator/img/sitemap.js
Normal file
@@ -0,0 +1,110 @@
|
||||
/*
|
||||
|
||||
$Id: sitemap.js 48032 2008-05-27 14:32:06Z arnee $
|
||||
|
||||
*/
|
||||
|
||||
function sm_addPage(url,priority,changeFreq,lastChanged) {
|
||||
|
||||
var table = document.getElementById('sm_pageTable').getElementsByTagName('TBODY')[0];
|
||||
var ce = function(ele) { return document.createElement(ele) };
|
||||
var tr = ce('TR');
|
||||
|
||||
var td = ce('TD');
|
||||
var iUrl = ce('INPUT');
|
||||
iUrl.type="text";
|
||||
iUrl.style.width='95%';
|
||||
iUrl.name="sm_pages_ur[]";
|
||||
if(url) iUrl.value=url;
|
||||
td.appendChild(iUrl);
|
||||
tr.appendChild(td);
|
||||
|
||||
td = ce('TD');
|
||||
td.style.width='150px';
|
||||
var iPrio = ce('SELECT');
|
||||
iPrio.style.width='95%';
|
||||
iPrio.name="sm_pages_pr[]";
|
||||
for(var i=0; i <priorities.length; i++) {
|
||||
var op = ce('OPTION');
|
||||
op.text = priorities[i];
|
||||
op.value = priorities[i];
|
||||
try {
|
||||
iPrio.add(op, null); // standards compliant; doesn't work in IE
|
||||
} catch(ex) {
|
||||
iPrio.add(op); // IE only
|
||||
}
|
||||
if(priority && priority == op.value) {
|
||||
iPrio.selectedIndex = i;
|
||||
}
|
||||
}
|
||||
td.appendChild(iPrio);
|
||||
tr.appendChild(td);
|
||||
|
||||
td = ce('TD');
|
||||
td.style.width='150px';
|
||||
var iFreq = ce('SELECT');
|
||||
iFreq.name="sm_pages_cf[]";
|
||||
iFreq.style.width='95%';
|
||||
for(var i=0; i<changeFreqVals.length; i++) {
|
||||
var op = ce('OPTION');
|
||||
op.text = changeFreqNames[i];
|
||||
op.value = changeFreqVals[i];
|
||||
try {
|
||||
iFreq.add(op, null); // standards compliant; doesn't work in IE
|
||||
} catch(ex) {
|
||||
iFreq.add(op); // IE only
|
||||
}
|
||||
|
||||
if(changeFreq && changeFreq == op.value) {
|
||||
iFreq.selectedIndex = i;
|
||||
}
|
||||
}
|
||||
td.appendChild(iFreq);
|
||||
tr.appendChild(td);
|
||||
|
||||
var td = ce('TD');
|
||||
td.style.width='150px';
|
||||
var iChanged = ce('INPUT');
|
||||
iChanged.type="text";
|
||||
iChanged.name="sm_pages_lm[]";
|
||||
iChanged.style.width='95%';
|
||||
if(lastChanged) iChanged.value=lastChanged;
|
||||
td.appendChild(iChanged);
|
||||
tr.appendChild(td);
|
||||
|
||||
var td = ce('TD');
|
||||
td.style.textAlign="center";
|
||||
td.style.width='5px';
|
||||
var iAction = ce('A');
|
||||
iAction.innerHTML = 'X';
|
||||
iAction.href="javascript:void(0);"
|
||||
iAction.onclick = function() { table.removeChild(tr); };
|
||||
td.appendChild(iAction);
|
||||
tr.appendChild(td);
|
||||
|
||||
var mark = ce('INPUT');
|
||||
mark.type="hidden";
|
||||
mark.name="sm_pages_mark[]";
|
||||
mark.value="true";
|
||||
tr.appendChild(mark);
|
||||
|
||||
|
||||
var firstRow = table.getElementsByTagName('TR')[1];
|
||||
if(firstRow) {
|
||||
var firstCol = (firstRow.childNodes[1]?firstRow.childNodes[1]:firstRow.childNodes[0]);
|
||||
if(firstCol.colSpan>1) {
|
||||
firstRow.parentNode.removeChild(firstRow);
|
||||
}
|
||||
}
|
||||
var cnt = table.getElementsByTagName('TR').length;
|
||||
if(cnt%2) tr.className="alternate";
|
||||
|
||||
table.appendChild(tr);
|
||||
}
|
||||
|
||||
function sm_loadPages() {
|
||||
for(var i=0; i<pages.length; i++) {
|
||||
sm_addPage(pages[i].url,pages[i].priority,pages[i].changeFreq,pages[i].lastChanged);
|
||||
}
|
||||
}
|
||||
if (typeof(sm_loadPages) == 'function') addLoadEvent(sm_loadPages);
|
||||
@@ -0,0 +1,920 @@
|
||||
# Copyright (C) 2005 Sewar : www.sewar.be
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# Sewar <www.sewar.be/contact.php>, 2005.
|
||||
# $Id: sitemap.pot 2327 2005-06-19 03:09:59 RedAltExport $
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: Sitemap v2.7.1 for WP\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2009-06-07 01:15+0100\n"
|
||||
"PO-Revision-Date: 2009-07-15 03:12+0200\n"
|
||||
"Last-Translator: Hazem Khaled <hazem.khaled@gmail.com>\n"
|
||||
"Language-Team: Sewar <www.sewar.be/contact.php>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Poedit-Language: Arabic\n"
|
||||
"X-Poedit-Country: ARABIAN WORLD\n"
|
||||
"X-Poedit-SourceCharset: utf-8\n"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:846
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:642
|
||||
msgid "Comment Count"
|
||||
msgstr "عدد التعليقات"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:858
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:654
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "أستخدم عدد التعليقات لحساب الأولوية"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:714
|
||||
msgid "Comment Average"
|
||||
msgstr "متوسط التعليقات"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:726
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "أستخدم متوسط التعليقات لحساب الأولوية"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:993
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:789
|
||||
msgid "Popularity Contest"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:1005
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:801
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr ""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1187
|
||||
msgid "Always"
|
||||
msgstr "دائماً"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1188
|
||||
msgid "Hourly"
|
||||
msgstr "كل ساعة"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1189
|
||||
msgid "Daily"
|
||||
msgstr "يومياً"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1190
|
||||
msgid "Weekly"
|
||||
msgstr "اسبوعياً"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1191
|
||||
msgid "Monthly"
|
||||
msgstr "شهرياً"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1192
|
||||
msgid "Yearly"
|
||||
msgstr "سنوياً"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1193
|
||||
msgid "Never"
|
||||
msgstr "أبداً"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:102
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:102
|
||||
msgid "Hide this notice"
|
||||
msgstr "أخفاء هذا التبليغ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:108
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "شكراً ﻷستخدامك هذه الأضافة! لقد قمت بتركيب الإضافة من اكثر من شهر. إذا كنت راضي عن النتائج, يمكنك التبرع بدولار واحد على الأقل؟ <a href=\"%s\">المتبرعين</a> ساعدوني بدعم وتطوير هذه الأضافة <i>المجانية</i>! <a href=\"%s\">أكيد, لا يوجد مشكلة!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:108
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:67
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:119
|
||||
msgid "Your sitemap is being refreshed at the moment. Depending on your blog size this might take some time!"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:69
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:121
|
||||
#, php-format
|
||||
msgid "Your sitemap will be refreshed in %s seconds. Depending on your blog size this might take some time!"
|
||||
msgstr ""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:146
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:453
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "صانع خريطة الموقع"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:298
|
||||
msgid "Configuration updated"
|
||||
msgstr "تم تحديث الإعدادات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:299
|
||||
msgid "Error while saving options"
|
||||
msgstr "حدث خطأ عند حفظ إعدادات الصفحات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:301
|
||||
msgid "Pages saved"
|
||||
msgstr "تم حفظ إعدادات الصفحات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:302
|
||||
msgid "Error while saving pages"
|
||||
msgstr "حدث خطأ عند حفظ إعدادات الصفحات"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:309
|
||||
msgid "The default configuration was restored."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:374
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:466
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a>."
|
||||
msgstr "هناك إصدارة جديدة %1$s متاحة. <a href=\"%2$s\">تحميل الأصدارة %3$s من هنا</a>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:376
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:468
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> <em>automatic upgrade unavailable for this plugin</em>."
|
||||
msgstr "هناك إصدارة جديدة %1$s متاحة. <a href=\"%2$s\">تحميل الأصدارة %3$s من هنا</a>. <em>التحديث التلقائي غير متاح في هذه المدونة</em>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:378
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:470
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> or <a href=\"%4$s\">upgrade automatically</a>."
|
||||
msgstr "هناك إصدارة جديدة %1$s متاحة. <a href=\"%2$s\">تحميل الأصدارة %3$s من هنا</a> او <a href=\"%4$s\">حدث تلقائياً</a>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2851
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2868
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:493
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:510
|
||||
msgid "open"
|
||||
msgstr "فتح"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2852
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2869
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:494
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:511
|
||||
msgid "close"
|
||||
msgstr "أغلاق"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2853
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2870
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:495
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:512
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2854
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2871
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:496
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:513
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "أضغط لكي %toggle% هذا المربع"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2855
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2872
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:497
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:514
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "أستخدم السهم لتحريك المربعات"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2856
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2873
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:498
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:515
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", او أضغط على الزر لـ%toggle%"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:533
|
||||
msgid "About this Plugin:"
|
||||
msgstr "عن هذه الأضافة"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:534
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:141
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "الصفحة الرئيسية"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:421
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:535
|
||||
msgid "Suggest a Feature"
|
||||
msgstr "رشح خاصية جديدة"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:536
|
||||
msgid "Notify List"
|
||||
msgstr "قائمة التبليغ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:537
|
||||
msgid "Support Forum"
|
||||
msgstr "منتدى الدعم"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:424
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:538
|
||||
msgid "Report a Bug"
|
||||
msgstr "أبلغ عن خطأ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:540
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "تبرع بالباي بال"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:541
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "قائمة رغباتي بأمازون"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:542
|
||||
msgid "translator_name"
|
||||
msgstr "إعادة الترجمة : حازم خالد"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:542
|
||||
msgid "translator_url"
|
||||
msgstr "http://HazemKhaled.com"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:545
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "موارد خريطة الموقع:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:546
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:552
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "ادوات مدير الموقع"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:547
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "مدونة مدير الموقع"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2900
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:549
|
||||
msgid "Site Explorer"
|
||||
msgstr "متصفح الموقع"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:550
|
||||
msgid "Search Blog"
|
||||
msgstr "بحث المدونة"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3010
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:553
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "مدونة مركز مدير الموقع"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:555
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "بروتوكول خريطة الموقع"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:556
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "الأسئلة الشائعة الرسمية عن خريطة المواقع"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:557
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "الأسئلة الشائعة عن خريطة الموقع"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:560
|
||||
msgid "Recent Donations:"
|
||||
msgstr "أخر تبرع"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:564
|
||||
msgid "List of the donors"
|
||||
msgstr "قائمة المتبرعين"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:566
|
||||
msgid "Hide this list"
|
||||
msgstr "اخفاء هذه القائمة"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:569
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "شكراً لدعمك"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2931
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:587
|
||||
msgid "Status"
|
||||
msgstr "الحالة"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2941
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:595
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2947
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:601
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2949
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:603
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "مشكلة في ملف خريطة الموقع. تاكد من تواجد الملف ومن إتاجة الكتابة عليه. <a href=\"%url%\">أعرف المزيد</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2956
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:610
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2958
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:612
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "مشكلة في ملف تكوين خريطة الموقع المضغوطة. تاكد من تواجد الملف ومن إتاجة الكتابة عليه. <a href=\"%url%\">أعرف المزيد</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2964
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:618
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:621
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3011
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:624
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:630
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2979
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:633
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3023
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:636
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr ""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:642
|
||||
msgid "Bing was <b>successfully notified</b> about changes."
|
||||
msgstr ""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:645
|
||||
msgid "It took %time% seconds to notify Bing, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr ""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:648
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Bing. <a href=\"%s\">View result</a>"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2988
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:654
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:657
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3035
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:660
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3002
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:668
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "تم الأنشاء في حوالي <b>%time% ثانية</b> وأستخدام %memory% MB من الذاكرة."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3004
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:670
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3008
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:674
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:586
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:682
|
||||
msgid "The building process might still be active! Reload the page in a few seconds and check if something has changed."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3012
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:685
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3014
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:687
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3018
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:691
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3022
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:695
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3025
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:698
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "إذا تغير شيء على الخادم الخاص بك أو مدونتك, فيجب عليك <a href=\"%s\">إعادة غنشاء</a> الخريطة يدوياً"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3027
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:700
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "إذا واجهتك أي مشاكل في عملية انشاء الخريطة فيمكنك أستخدام <a href=\"%d\">debug function</a> للحصول على المزيد من المعلومات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:707
|
||||
msgid "Basic Options"
|
||||
msgstr "إعدادات أساسية"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:709
|
||||
msgid "Sitemap files:"
|
||||
msgstr "ملفات الخريطة"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:709
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:724
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:744
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:777
|
||||
msgid "Learn more"
|
||||
msgstr "أعرف المزيد"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:714
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "كتابة ملف XML عادي (ملف خريطة الموقع)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:720
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "كتابة ملف XML مضغوط (ملف خريطة الموقع + .gz)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:724
|
||||
msgid "Building mode:"
|
||||
msgstr "نظام البناء:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3064
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:729
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "اعادة إنشاء الخريطة إذا قمت بتغيير محتوى المدونة"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3071
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:736
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "إتاحة أنشاء الخريطة يدوياً عن طريق طلب GET"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3075
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:740
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr ""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:744
|
||||
msgid "Update notification:"
|
||||
msgstr "تحديث التبليغات:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:748
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "تبليغ جوجل عن تحديثات موقعك"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:749
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "لا يحتاج للتسجيل, ولكن يمكنك التسجيل في <a href=\"%s\">Google Webmaster Tools</a> لمتابعة أحصائيات أرشفة موقعك."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:753
|
||||
msgid "Notify Bing (formerly MSN Live Search) about updates of your Blog"
|
||||
msgstr "أبلاغ BING (رسمياً MSN Live Search) عن التحديثات بمدونتك"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:754
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Bing Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "لا يحتاج للتسجيل, ولكن يمكنك التسجيل في <a href=\"%s\">Bing Webmaster Tools</a> لمتابعة أحصائيات أرشفة موقعك."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3088
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:758
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "أبلاغ Ask.com عن تحديثات مدونتك"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3089
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:759
|
||||
msgid "No registration required."
|
||||
msgstr "لا يحتاج للتسجيل"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3093
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:763
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "تبليغ YAHOO بتحديثات مدونتك"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:764
|
||||
msgid "Your Application ID:"
|
||||
msgstr "رقم الطلب الخاص بك :"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:765
|
||||
#, php-format
|
||||
msgid "Don't you have such a key? <a href=\"%s1\">Request one here</a>! %s2"
|
||||
msgstr ""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:770
|
||||
msgid "Add sitemap URL to the virtual robots.txt file."
|
||||
msgstr "إضافة خريطة الموقع لملف robots.txt"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:774
|
||||
msgid "The virtual robots.txt generated by WordPress is used. A real robots.txt file must NOT exist in the blog directory!"
|
||||
msgstr "ملف robots.txt الأفتراضي الذي تم إنشائه بواسطة WordPress قيد الأستخدام. ملف robots.txt الفعلي يجب أن لا يكون موجود بمجلد المدونة!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:777
|
||||
msgid "Advanced options:"
|
||||
msgstr "خيارات متقدمة"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:780
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "تحديد عدد التدوينات في الخريطة :"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:780
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "التدوينة الجديدة ستدرج الأولى"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:783
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "حاول تزيد حد الذاكرة إلى:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:783
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "مثال : \"4M\", \"16M\""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:786
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "حاول زيادة مدة التنفيذ :"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:786
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "بالثواني, مثال: \"60\" أو \"0\" للغير نهائي"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:790
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "أستخدام ملف تنسيقي XSLT:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:791
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "الرابط كاملاً ملفم ال .xsl"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:791
|
||||
msgid "Use default"
|
||||
msgstr "أستخدام الأفتراضي"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:797
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "تفعيل وضع MySQL القياسي. أستخدها فقط في حالة حدوث اخطاء MySQL. (يحتاج إلى المزيد من الذاكرة!)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:798
|
||||
msgid "Upgrade WordPress at least to 2.2 to enable the faster MySQL access"
|
||||
msgstr "يجب تحديث وردبريس للأصدارة 2.2 لتفعيل وصل أسرع لل MySQL"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:805
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "بناء خريطة الموقع في كل مرة في الخلفية (لكل لا يأخر عملية حفظ التدوينات)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:806
|
||||
msgid "Upgrade WordPress at least to 2.1 to enable background building"
|
||||
msgstr "يجب تحديث المدونة لإصدارة 2.1 على الأقل لتفعيل العمل في الخلفية"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:813
|
||||
msgid "Additional pages"
|
||||
msgstr "صفحات إضافية"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:816
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "هنا يمكنك تضمين الملفات و الروابط التي يجب أن يتم تضمينها في خريطة الموقع، لكنها لا تتبع ووردبريس .<br />على سبيل المثال، إذا كان نطاق موقعك www.foo.com و مدونتك موجودة في www.foo.com/blog أنت قد تريد تضمين الصفحة الرئيسية لموقعك في www.foo.com."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:818
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:997
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1011
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1020
|
||||
msgid "Note"
|
||||
msgstr "تنبيه"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:819
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "إذا كانت مدونتك في مجلد فرعي و أردت إضافة صفحات خارج مجلد مدونتك، يجب عليك وضع ملف خريطة موقعك في المجلد الرئيسي لموقعك (انظر فسم "مكان ملف خريطة موقعك" في هذه الصفحة)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:821
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:860
|
||||
msgid "URL to the page"
|
||||
msgstr "رابط الصفحة"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:822
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "ضع رابط الصفحة ، مثلاً : http://www.foo.com/index.html أو www.foo.com/home ."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:824
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:861
|
||||
msgid "Priority"
|
||||
msgstr "الأفضلية"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:825
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "إختر أفضلية الصفحة نسبة إلى الصفحات الأخرى ، على سبيل المثال ، صفحتك الرئيسية لربّما يكون لها أفضلية أعلى من سيرتك الذاتية ."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:827
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:863
|
||||
msgid "Last Changed"
|
||||
msgstr "آخر تعديل"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:828
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "ضع تاريخ آخر تعديل كـ YYYY-MM-DD (مثلاً : 2005-12-31) (اختياري) ."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:862
|
||||
msgid "Change Frequency"
|
||||
msgstr "فترة التحديث"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:864
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:869
|
||||
msgid "No pages defined."
|
||||
msgstr "لا يوجد صفحات مضافة ."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:874
|
||||
msgid "Add new page"
|
||||
msgstr "أضف صفحة جديدة"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:879
|
||||
msgid "Post Priority"
|
||||
msgstr "الأفضلية"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:881
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "الرجاء اختيار مدى أولوية كل تدوينة :"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:883
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "لا تستخدم حساب الأولوية تلقائيا"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:883
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "كل المواضيع تحمل نفس الأولوية التي تم تحديدها في "الأولويات""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:894
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "مكان ملف خريطة موقعك"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:897
|
||||
msgid "Automatic detection"
|
||||
msgstr "الكشف الآلي"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:901
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "اسم ملف خريطة الموقع:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:904
|
||||
msgid "Detected Path"
|
||||
msgstr "مسار الملف"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:904
|
||||
msgid "Detected URL"
|
||||
msgstr "رابط الملف"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:909
|
||||
msgid "Custom location"
|
||||
msgstr "مسار مخصص"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:913
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "المسار الكامل لملف خريطة الموقع."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:915
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:924
|
||||
msgid "Example"
|
||||
msgstr "مثال"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:922
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "الرابط الكامل لملف خريطة الموقع."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:935
|
||||
msgid "Sitemap Content"
|
||||
msgstr "محتوى خريطة الموقع"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:941
|
||||
msgid "Include homepage"
|
||||
msgstr "تضمين الصفحة الرئيسية"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:947
|
||||
msgid "Include posts"
|
||||
msgstr "تضمين التدوينات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:953
|
||||
msgid "Include following pages of multi-page posts (Increases build time and memory usage!)"
|
||||
msgstr "إدراج الصفحات التابعة للمواضيع متعددة الصفحات (يزيد في مدة إنشاء الخيرطة وكمية الذاكرة المستخدمة)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:959
|
||||
msgid "Include static pages"
|
||||
msgstr "تضمين الصفحات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:965
|
||||
msgid "Include categories"
|
||||
msgstr "تضمين التصنيفات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:971
|
||||
msgid "Include archives"
|
||||
msgstr "تضمين الأرشيف"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:978
|
||||
msgid "Include tag pages"
|
||||
msgstr "تضمين صفحات التاجات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:985
|
||||
msgid "Include author pages"
|
||||
msgstr "تضمين صفحات الكتاب"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:993
|
||||
msgid "Excluded items"
|
||||
msgstr "استبعاد عناصر"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:995
|
||||
msgid "Excluded categories"
|
||||
msgstr "استبعاد التصنيفات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:997
|
||||
msgid "Using this feature will increase build time and memory usage!"
|
||||
msgstr "باستخدام هذه الميزة سوف تزيد من وقت الأنشاء واستخدام ذاكرة اكبر!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1004
|
||||
#, php-format
|
||||
msgid "This feature requires at least WordPress 2.5.1, you are using %s"
|
||||
msgstr "هذه الخاصية تحتاج لنسخة وردبريس 2.5.1, أنت تستخدم %s"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1007
|
||||
msgid "Exclude posts"
|
||||
msgstr "استبعاد التدوينات"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1009
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "أستبعاد التدوينات او المواضيع الأتية:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1009
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "ضع الأرقام IDs, وأفصل بينهم بكومة انجليزية"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1011
|
||||
msgid "Child posts won't be excluded automatically!"
|
||||
msgstr "المواضيع التابعة لن تستبعد تلقائيا!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1017
|
||||
msgid "Change frequencies"
|
||||
msgstr "فترة التحديث"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1021
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "رجاء لاحظ بأنّ قيمة هذه الخاصية هي تلميح معتبر و ليس إجبارياً . بالرغم من أنّ محركات البحث تقرأ هذه الخاصية عندما تبحث ، هي قد تفحص الصفحات التي أشّرت \"كل ساعة\" أقل كثيرا من ذلك ، وهي قد تفحص الصفحات التي أشّرت \"سنوياً\" أكثر من ذلك . هي أيضا من المحتمل تفحص الصفحات التي أشّرت \"أبداً\" بشكل دوري لكي هم يمكن أن يعالجوا التغييرات الغير المتوقّعة في تلك الصفحات ."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1027
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1084
|
||||
msgid "Homepage"
|
||||
msgstr "الصفحة الرئيسية"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1033
|
||||
msgid "Posts"
|
||||
msgstr "التدوينات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1039
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1102
|
||||
msgid "Static pages"
|
||||
msgstr "الصفحات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1045
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1108
|
||||
msgid "Categories"
|
||||
msgstr "التصنيفات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1051
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "أرشيف الشهر الحالي (يفضل أن يكون مثل الصفحة الرئيسية)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1057
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "الأرشيف السابق (يتغير عندما تحرر تدوينة قديمة فقط)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1064
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1121
|
||||
msgid "Tag pages"
|
||||
msgstr "صفحات التاجات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1071
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1128
|
||||
msgid "Author pages"
|
||||
msgstr "صفحات المؤلفين"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1079
|
||||
msgid "Priorities"
|
||||
msgstr "الأفضليات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1090
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "التدوينات (إذا كان الحساب الآلي غير مفعل)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1096
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "أفضلية التدوينة الدنيا (حتى إذا كان الحساب الآلي مفعل)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1114
|
||||
msgid "Archives"
|
||||
msgstr "الأرشيف"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1139
|
||||
msgid "Update options"
|
||||
msgstr "تحديث الإعدادات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1140
|
||||
msgid "Reset options"
|
||||
msgstr "تصفير الإعدادات"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:84
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "صانع خريطة الموقع"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:84
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "خريطة الموقع"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:142
|
||||
msgid "Sitemap FAQ"
|
||||
msgstr "الأسئلة الشائعة عن خريطة الموقع"
|
||||
|
||||
#~ msgid "Manual location"
|
||||
#~ msgstr "تحديد الرابط يدوياً"
|
||||
#~ msgid "OR"
|
||||
#~ msgstr "أو"
|
||||
#~ msgid "Error"
|
||||
#~ msgstr "حصل خطأ"
|
||||
#~ msgid ""
|
||||
#~ "A new page was added. Click on "Save page changes" to save your "
|
||||
#~ "changes."
|
||||
#~ msgstr ""
|
||||
#~ "تم إضافة صفحة جديدة ، إضغط على زر "حفظ تغييرات الصفحات" لحفظ "
|
||||
#~ "تغييراتك ."
|
||||
#~ msgid ""
|
||||
#~ "The page was deleted. Click on "Save page changes" to save your "
|
||||
#~ "changes."
|
||||
#~ msgstr "تم حذف الصفحة ."
|
||||
#~ msgid "You changes have been cleared."
|
||||
#~ msgstr "تم إلغاء تغييراتك ."
|
||||
#~ msgid "Manual rebuild"
|
||||
#~ msgstr "إنشاء خريطة الموقع يدوياً"
|
||||
#~ msgid ""
|
||||
#~ "If you want to build the sitemap without editing a post, click on here!"
|
||||
#~ msgstr ""
|
||||
#~ "إذا كنت تريد إنشاء خريطة الموقع بدون تعديل تدوينة ، إضغط على الزر التالي :"
|
||||
#~ msgid "Rebuild Sitemap"
|
||||
#~ msgstr "إعادة إنشاء خريطة الموقع"
|
||||
|
||||
@@ -0,0 +1,827 @@
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap 3.1.1\n"
|
||||
"POT-Creation-Date: \n"
|
||||
"PO-Revision-Date: 2009-03-02 13:53+0200\n"
|
||||
"Last-Translator: Alexander Dichev <http://dichev.com/contact/>\n"
|
||||
"Language-Team: Alexander Dichev <http://dichev.com/contact/>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=utf-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Poedit-Language: Bulgarian\n"
|
||||
"X-Poedit-Country: BULGARIA\n"
|
||||
"X-Poedit-SourceCharset: utf-8\n"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:642
|
||||
msgid "Comment Count"
|
||||
msgstr "Брой Коментари"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:654
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Използва броя на коментарите при калкулиране на приоритета на поста"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:714
|
||||
msgid "Comment Average"
|
||||
msgstr "Коментари Средно"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:726
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Използва средния брой на коментарите при калкулиране на приоритета"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:789
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Popularity Contest"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:801
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "Използва активиран <a href=\"%1\">Popularity Contest Plugin</a> от <a href=\"%2\">Alex King</a>. Виж <a href=\"%3\">Настройки</a> и <a href=\"%4\">Най-популярните постове</a>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1118
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1209
|
||||
msgid "Always"
|
||||
msgstr "Винаги"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1119
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1210
|
||||
msgid "Hourly"
|
||||
msgstr "Ежечасно"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1120
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1211
|
||||
msgid "Daily"
|
||||
msgstr "Ежедневно"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1121
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1212
|
||||
msgid "Weekly"
|
||||
msgstr "Ежеседмично"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1122
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1213
|
||||
msgid "Monthly"
|
||||
msgstr "Ежемесечно"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1123
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1214
|
||||
msgid "Yearly"
|
||||
msgstr "Ежегодно"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1215
|
||||
msgid "Never"
|
||||
msgstr "Никога"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:102
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Благодаря Ви много за дарението. Вие ми помагате да продължа развитието и поддръжката на този плъгин и на други безплатни приложения и софтуер."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:102
|
||||
msgid "Hide this notice"
|
||||
msgstr "Скриване на съобщението"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:108
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "Благодаря Ви, че използвате този плъгин! Вие сте инсталирали и използвате този плъгин повече от месец. Ако работи добре и сте доволни от резултата, не си ли заслужава поне един долар? <a href=\"%s\">Даренията</a> ми помагат да продължа развитието и поддръжката на този <i>безплатен</i> софтуер! <a href=\"%s\">Разбира се, няма проблеми!</a> "
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:108
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Не благодаря, моля, не ме безпокойте повече!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:67
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:119
|
||||
msgid "Your sitemap is being refreshed at the moment. Depending on your blog size this might take some time!"
|
||||
msgstr "Вашата карта на сайта се обновява в момента. В зависимост от големината на блога, това би коствало известно време."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:69
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:121
|
||||
#, php-format
|
||||
msgid "Your sitemap will be refreshed in %s seconds. Depending on your blog size this might take some time!"
|
||||
msgstr "Вашата карта на сайта ще бъде обновена след %s секунди. В зависимост от големината на блога, това би коствало известно време."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:146
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:441
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "XML Sitemap Генератор за WordPress"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:278
|
||||
msgid "Configuration updated"
|
||||
msgstr "Конфигурацията е обновена"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:279
|
||||
msgid "Error while saving options"
|
||||
msgstr "Грешка при запазване на настройките"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:281
|
||||
msgid "Pages saved"
|
||||
msgstr "Страниците са запаметени"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:282
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Грешка при запаметяване на страниците"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:286
|
||||
#, php-format
|
||||
msgid "<a href=\"%s\">Robots.txt</a> file saved"
|
||||
msgstr "Файла <a href=\"%s\">Robots.txt</a> е запазен"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:288
|
||||
msgid "Error while saving Robots.txt file"
|
||||
msgstr "Грешка при запазването на файла robots.txt"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:297
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "Стандартните настройки са възстановени"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:374
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:454
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a>."
|
||||
msgstr "Има нова версия на %1$s. <a href=\"%2$s\">Изтеглете версия %3$s тук</a>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:376
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:456
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> <em>automatic upgrade unavailable for this plugin</em>."
|
||||
msgstr "Има нова версия на %1$s. <a href=\"%2$s\">Изтегли версия %3$s тук</a> <em>невъзможно е автоматично обновяване за това разширение</em>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:378
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:458
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> or <a href=\"%4$s\">upgrade automatically</a>."
|
||||
msgstr "Има нова версия на %1$s. <a href=\"%2$s\">Изтегли версия %3$s тук</a> илиr <a href=\"%4$s\">обнови автоматично</a>."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:481
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:498
|
||||
msgid "open"
|
||||
msgstr "отвори"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:482
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:499
|
||||
msgid "close"
|
||||
msgstr "затвори"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:483
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:500
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "кликнете с мишката върху кутията и провлачете за да я преместите"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:484
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:501
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "кликнете за да %toggle% кутията"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:485
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:502
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "използвайте бутоните със стрелките за преместване на кутията"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:486
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:503
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", или натиснете бутона Enter за да го %toggle%"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:521
|
||||
msgid "About this Plugin:"
|
||||
msgstr "За плъгина:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:522
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:138
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Страница на плъгина"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:421
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:523
|
||||
msgid "Suggest a Feature"
|
||||
msgstr "Предложи Нова Възможност"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:524
|
||||
msgid "Notify List"
|
||||
msgstr "E-Mail абонамент за обновяванията"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:525
|
||||
msgid "Support Forum"
|
||||
msgstr "Форуми за помощ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:424
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:526
|
||||
msgid "Report a Bug"
|
||||
msgstr "Докладвай за Бъг"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:528
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Дарение с PayPal"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:529
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Моят списък с желания от Amazon"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:530
|
||||
msgid "translator_name"
|
||||
msgstr "Alexander Dichev"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:530
|
||||
msgid "translator_url"
|
||||
msgstr "http://dichev.com/"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:533
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Sitemap Ресурси:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:534
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:540
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Webmaster Tools"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:535
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:537
|
||||
msgid "Site Explorer"
|
||||
msgstr "Site Explorer"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:538
|
||||
msgid "Search Blog"
|
||||
msgstr "Search Blog"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:541
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "Webmaster Center Blog"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:543
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Sitemaps Протокол"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:544
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Официални Често Задавани Въпроси"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:545
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "Моите Често Задавани Въпроси"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:548
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Последни Дарения;"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:552
|
||||
msgid "List of the donors"
|
||||
msgstr "Списък на дарителите"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:554
|
||||
msgid "Hide this list"
|
||||
msgstr "Скрийте този списък"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:557
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Благодаря за помощта!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:575
|
||||
msgid "Status"
|
||||
msgstr "Статус"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:583
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "Все още не е създаден sitemap-файл. От <a href=\"%s\">тази връзка</a> генерирайте карта на сайта за първи път."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:589
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "Вашият <a href=\"%url%\">sitemap-файл</a> беше създаден успешно на <b>%date%</b>."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:591
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Имаше проблем при записването на sitemap-файла. Моля, уверете се, че файла е разрешен за презаписване. <a href=\"%url%\">Повече информация</a>."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:598
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "Вашият <a href=\"%url%\">архивиран sitemap-файл</a> беше създаден успешно на <b>%date%</b>."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:600
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Имаше проблем при записването на архивирания sitemap-файл. Моля, уверете се, че файла е разрешен за презаписване. <a href=\"%url%\">Повече информация</a>."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:606
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google беше <b>уведомен успешно</b> за промените в блога."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:609
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Отне %time% секунди за уведомяването на Google ако желаете да намалите времето за генериране можете да деактивирате тази функция."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:612
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "Имаше проблем с уведомяването на Google. <a href=\"%s\">Виж резултата</a>"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:618
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "YAHOO беше <b>уведомен успешно</b> за промените в блога."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:621
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Отне %time% секунди за уведомяването на YAHOO ако желаете да намалите времето за генериране можете да деактивирате тази функция."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:624
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "Имаше проблем с уведомяването на YAHOO. <a href=\"%s\">Виж резултата</a>"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:630
|
||||
msgid "MSN was <b>successfully notified</b> about changes."
|
||||
msgstr "MSN беше <b>уведомен успешно</b> за промените в блога."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:633
|
||||
msgid "It took %time% seconds to notify MSN.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Отне %time% секунди за уведомяването на MSN.com, ако желаете да намалите времето за генериране можете да деактивирате тази функция."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:636
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying MSN.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Имаше проблем с уведомяването на MSN.com. <a href=\"%s\">Виж резултата</a>"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:642
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com беше <b>уведомен успешно</b> за промените в блога."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:645
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Отне %time% секунди за уведомяването на Ask.com ако желаете да намалите времето за генериране можете да деактивирате тази функция."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:648
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Имаше проблем с уведомяването на Ask.com. <a href=\"%s\">Виж резултата</a>"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:656
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "Генерирането на sitemap-а отне <b>%time% секунди</b> и беше използвана %memory% MB памет."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:658
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "Процесът на генериране отне <b>%time% секунди</b>."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:662
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "Съдържанието на картата на сайта Ви <strong>не е променено</strong> от последния път, затова файлове не бяха създадени и не бяха ping-нати търсачки."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:586
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:670
|
||||
msgid "The building process might still be active! Reload the page in a few seconds and check if something has changed."
|
||||
msgstr "Възможно е процесът по изграждане все още да не е приключил. Презареди страницата след няколко секунди и провери за промяна."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:673
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "Последният опит на генериране на карта на сайта приключи неуспешно! Можете да опитате да увеличите максимума използвана памет и лимита за време на изпълнение на PHP-скриптове на Вашия уеб-сървър. <a href=\"%url%\">Повече информация</a>."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:675
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "Последното регистрирано количество използвана от скрипта памет е %memused%MB, лимита за използвана памет от PHP-скриптове, зададен в конфигурацията на Вашия уеб-сървър е %memlimit%MB."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:679
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "Последното регистрирано време за изпълнение на скрипта беше %timeused% секунди, лимита за продължителност на изпълнение на PHP-скриптове зададен в конфигурацията на Вашия уеб-сървър е %timelimit% секунди."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:683
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "Изпълнението на този скрипт спря около пост номер %lastpost% (+/- 100)."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:686
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "Ако сте направили някакви промени по сървъра или блога е необходимо да <a href=\"%s\">Регенерирате Sitemap-а</a> ръчно."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:688
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Ако изпитвате проблеми при създаването на файла можете да активирате <a href=\"%d\">Дебъг Функцията</a> за да получите повече информация за грешките."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:695
|
||||
msgid "Basic Options"
|
||||
msgstr "Основни Настройки"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:697
|
||||
msgid "Sitemap files:"
|
||||
msgstr "Sitemap файлове:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:697
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:712
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:732
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:765
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:782
|
||||
msgid "Learn more"
|
||||
msgstr "Повече информация"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:702
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Генерирай нормален XML файл (име на файла)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:708
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Генерирай архивирана версия (име_на_файла + .gz)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:712
|
||||
msgid "Building mode:"
|
||||
msgstr "Метод на генериране:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:717
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "Регенерирай sitemap-а при промяна в съдържанието на блога"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:724
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "Активиране на ръчно генериране на sitemap-файла чрез изпращане на GET заявка"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:728
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr "Това прави възможно регенериране на sitemap-а ако външен инструмент е внесъл промени в базата данни на WordPress без да изпозва WordPress API. Активирайте процеса от тази връзка: <a href=\"%1\">%1</a>. Моля, проверете log-файла по-горе за да разжерете дали sitemap-а е генериран успешно."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:732
|
||||
msgid "Update notification:"
|
||||
msgstr "Уведомяване при обновяване:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:736
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Уведомяване на Google при обновяване на блога Ви"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:737
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Не е необходима регистрация, но трябва да се включите в <a href=\"%s\">Google Webmaster Tools</a> за да проверите статистиката от посещенията на търсачката на сайта ви."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:741
|
||||
msgid "Notify MSN Live Search about updates of your Blog"
|
||||
msgstr "Уведомяване на MSN Live Search при обновяване на блога Ви"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:742
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">MSN Live Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Не е необходима регистрация, но трябва да се включите в <a href=\"%s\">MSN Live Webmaster Tools</a> за да проверите статистиката от посещенията на търсачката на сайта ви."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:746
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Уведомяване на Ask.com за обновявания на блога Ви"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:747
|
||||
msgid "No registration required."
|
||||
msgstr "Не е необходима регистрация."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:751
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "Уведомяване на YAHOO за обновявания на блога Ви"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:752
|
||||
msgid "Your Application ID:"
|
||||
msgstr "Вашето Application ID:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:753
|
||||
#, php-format
|
||||
msgid "Don't you have such a key? <a href=\"%s1\">Request one here</a>! %s2"
|
||||
msgstr "Нямате ли ключ? <a href=\"%s1\">Заявете си от тук</a>! %s2"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:760
|
||||
#, php-format
|
||||
msgid "Modify or create %s file in blog root which contains the sitemap location."
|
||||
msgstr "Обновяване или създаване на факл %s в главната директория на блога, която се намира местоположението на картата на сайта."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:763
|
||||
msgid "File permissions: "
|
||||
msgstr "Права върху файла:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:768
|
||||
msgid "OK, robots.txt is writable."
|
||||
msgstr "OK, robots.txt е разрешен за промяна."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:770
|
||||
msgid "Error, robots.txt is not writable."
|
||||
msgstr "Грешка, robots.txt е заключен за промяна."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:774
|
||||
msgid "OK, robots.txt doesn't exist but the directory is writable."
|
||||
msgstr "OK, robots.txt не съществува, но директорията е разрешена за писане."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:776
|
||||
msgid "Error, robots.txt doesn't exist and the directory is not writable"
|
||||
msgstr "Грешка, robots.txt не съществува и директорията не е разрешена за писане"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:782
|
||||
msgid "Advanced options:"
|
||||
msgstr "Допълнителни настройки:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:785
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "Ограничи броя на постовете в sitemap-а:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:785
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "Новите постове ще бъдат включени първо"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:788
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "При възможност увеличи лимита на паметта на:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:788
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "например \"4M\", \"16M\""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:791
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "При възможност увеличи времето за изпълнение на:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:791
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "секунди, например \"60\" или \"0\" без ограничение"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:795
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "Добави XSLT Stylesheet:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:796
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "Абсолютен или относителен URL до Вашия .xsl файл"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:796
|
||||
msgid "Use default"
|
||||
msgstr "Използвай Стандартните"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:801
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "Активиране на MySQL Standard метод. Използва се само при получаване на MySQL грешки. (Използва доста повече памет!)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:807
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "Генерирай картата на сайта на заден план (Няма да е необходимо да се чака при запазване на пост)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:814
|
||||
msgid "Additional pages"
|
||||
msgstr "Допълнителни страници"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:817
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Тук можете да определите файлове или URL-и, които да бъдат добавени в картата на сайта, въпреки, че не са част от блога/WordPress.<br />Например, ако домейнът Ви е www.foo.com и блогът Ви се намира на www.foo.com/blog, може да добавите заглавната страница на сайта си http://www.foo.com"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:819
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:998
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1012
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1021
|
||||
msgid "Note"
|
||||
msgstr "Забележка"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:820
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Ако блогът Ви се намира в поддиректория и Вие желаете да включите страници, които НЕ са в директорията на блога, вие ТРЯБВА да локализирате Вашия sitemap-файл в главната директория (Виж секцията "Местонахождение на sitemap-файла")!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:822
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:861
|
||||
msgid "URL to the page"
|
||||
msgstr "URL на страницата"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:823
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Въведете URL на страницата. Примери: http://www.foo.com/index.html или www.foo.com/home "
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:825
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:862
|
||||
msgid "Priority"
|
||||
msgstr "Приоритет"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:826
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Изберете приоритета на страницата в зависимост от другите страници. Например, Вашата заглавна страница може да има по-висок приоритет от страницата Ви за контакт."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:828
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:864
|
||||
msgid "Last Changed"
|
||||
msgstr "Последна Промяна"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:829
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Въведете датата на последното обновяване във вида (например 2005-12-31) (незадължително)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:863
|
||||
msgid "Change Frequency"
|
||||
msgstr "Честота на Обновяване"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:865
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:870
|
||||
msgid "No pages defined."
|
||||
msgstr "Няма дефинирани страници."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:875
|
||||
msgid "Add new page"
|
||||
msgstr "Добавяне на нова страница"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:880
|
||||
msgid "Post Priority"
|
||||
msgstr "Приоритет на Поста"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:882
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Моля, изберете начин на калкулиране на приоритета на постовете"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:884
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Не използвай авто-калкулиране на приоритета"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:884
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "Всички постове ще имат еднакъв приоритет, който е дефиниран в "Приоритети""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:895
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Път до sitemap-файла"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:898
|
||||
msgid "Automatic detection"
|
||||
msgstr "Автоматично разпознаване"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:902
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Име на sitemap-файла"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:905
|
||||
msgid "Detected Path"
|
||||
msgstr "Намерен път"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:905
|
||||
msgid "Detected URL"
|
||||
msgstr "Намерен URL"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:910
|
||||
msgid "Custom location"
|
||||
msgstr "Друго местонахождение"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:914
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Абсолютен и относителен път до sitemap-файла, включително името."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:916
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:925
|
||||
msgid "Example"
|
||||
msgstr "Пример"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:923
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "Абсолютен URL до sitemap-файла, включително името."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:936
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Съдържание на картата на сайта"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:942
|
||||
msgid "Include homepage"
|
||||
msgstr "Включи заглавната страница"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:948
|
||||
msgid "Include posts"
|
||||
msgstr "Включи постове"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:911
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:954
|
||||
msgid "Include following pages of multi-page posts (<!--nextpage-->)"
|
||||
msgstr "Включи следните страници от многостранични статии (<!--nextpage-->)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:960
|
||||
msgid "Include static pages"
|
||||
msgstr "Включи статични страници"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:966
|
||||
msgid "Include categories"
|
||||
msgstr "Включи категории"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:972
|
||||
msgid "Include archives"
|
||||
msgstr "Включи архиви"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:979
|
||||
msgid "Include tag pages"
|
||||
msgstr "Включи страници с тагове"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:986
|
||||
msgid "Include author pages"
|
||||
msgstr "Включи авторски страници"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:994
|
||||
msgid "Excluded items"
|
||||
msgstr "Изключени"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:996
|
||||
msgid "Excluded categories"
|
||||
msgstr "Изключени категории"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:998
|
||||
msgid "Using this feature will increase build time and memory usage!"
|
||||
msgstr "Използването на това ще увеличи времето за създаване и употребата на памет!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1005
|
||||
#, php-format
|
||||
msgid "This feature requires at least WordPress 2.5, you are using %s"
|
||||
msgstr "Това изисква най-малко WordPress 2.5, Вие използвате %s"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1008
|
||||
msgid "Exclude posts"
|
||||
msgstr "Изключени постове"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1010
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "Не включвай следните постове и/или страници:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1010
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "Списък на ID-тата, разделени със запетая"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1012
|
||||
msgid "Child posts will not automatically be excluded!"
|
||||
msgstr "Подстраниците ще бъдат автоматично изключени!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1018
|
||||
msgid "Change frequencies"
|
||||
msgstr "Честота на обновяване"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1022
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Моля, обърнете внимание, че стойността на този таг е само подсказка, а не команда. Дори търсачките да се влияят от тази информация при вземане на решенията си, те може да посещават страници, маркирани с \"hourly\" по-рядко от това на всеки час и страници маркирани с \"yearly\" по-често от един път в годината. Приема се, че търсачките периодично посещават страници, маркирани с \"never\" за да могат да отбележат евентуални неочаквани промени в съдържанието им."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1028
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1086
|
||||
msgid "Homepage"
|
||||
msgstr "Заглавна страница"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1034
|
||||
msgid "Posts"
|
||||
msgstr "Постове"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1040
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1104
|
||||
msgid "Static pages"
|
||||
msgstr "Статични страници"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1046
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1110
|
||||
msgid "Categories"
|
||||
msgstr "Категории"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1052
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Настоящ архив за месеца (Трябва да е същия като на заглавната страница)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1058
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Стари архиви (Промяна само при редакция на стар пост)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1065
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1123
|
||||
msgid "Tag pages"
|
||||
msgstr "Страници на тагове"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1072
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1130
|
||||
msgid "Author pages"
|
||||
msgstr "Авторски страници"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1080
|
||||
msgid "Priorities"
|
||||
msgstr "Приоритети"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1092
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Постове (Ако авто-калкулиране е неактивно)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1098
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Минимален приоритет на постовете (Важи и при активирано авто-калкулиране)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1116
|
||||
msgid "Archives"
|
||||
msgstr "Архив"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1141
|
||||
msgid "Update options"
|
||||
msgstr "Обновяване на настройките"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1142
|
||||
msgid "Reset options"
|
||||
msgstr "Връщане на вградените настройки"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:81
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "XML-Sitemap Генератор"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:81
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Sitemap"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:139
|
||||
msgid "Sitemap FAQ"
|
||||
msgstr "Често Задавани Въпроси"
|
||||
|
||||
@@ -0,0 +1,685 @@
|
||||
# [Countryname] Language File for sitemap (sitemap-[localname].po)
|
||||
# Copyright (C) 2005 [name] : [URL]
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# [name] <[mail-address]>, 2005.
|
||||
# $Id: sitemap.pot 24948 2007-11-18 16:37:44Z arnee $
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: <[mail-address]>\n"
|
||||
"POT-Creation-Date: 2005-06-15 00:00+0000\n"
|
||||
"PO-Revision-Date: 2009-06-07 02:23+0100\n"
|
||||
"Last-Translator: Arne Brachhold\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Language-Team: \n"
|
||||
"X-Poedit-KeywordsList: _e;__\n"
|
||||
"X-Poedit-Basepath: .\n"
|
||||
"X-Poedit-SearchPath-0: C:\\Inetpub\\wwwroot\\wp\\wp-content\\plugins\\sitemap_beta\n"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:846
|
||||
msgid "Comment Count"
|
||||
msgstr "Колькасць каментароў"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:858
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Выкарыстае колькасць каментароў да артыкула для вылічэння прыярытэту"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
msgid "Comment Average"
|
||||
msgstr "Сярэдняя колькасць каментароў"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Выкарыстае сярэдняя колькасць каментароў для вылічэння прыярытэту"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:993
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Папулярнасць дыскусіі"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:1005
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "Выкарыстайце актываваны <a href=\"%1\">Убудова папулярнасці дыскусій</a> ад <a href=\"%2\">Alex King</a>. Гл. <a href=\"%3\">Налады</a> і <a href=\"%4\">Самыя папулярныя запісы</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "Генератар XML-карты сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-карта сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Премного дзякую за ахвяраванні. Вы дапамагаеце мне ў продалжении падтрымкі і распрацоўкі гэтай убудовы і іншага вольнага ПА!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Hide this notice"
|
||||
msgstr "Схаваць гэтую заўвагу"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "Дзякую Вас за выкарыстанне гэтай убудовы! Вы ўсталявалі яго звыш месяца назад. Калі ён працуе і Вы здаволеныя яго вынікамі, вышліце мне хоць бы $1? <a href=\"%s\">Ахвяраванні</a> дапамогуць мне ў падтрымцы і распрацоўцы гэтага <i>бясплатнага</i> ПА! <a href=\"%s\">Вядома, без праблем!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Не, дзякуй. Прашу мяне больш не турбаваць!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2635
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2835
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "Генератар XML-карты сайта для WordPress"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2740
|
||||
msgid "Configuration updated"
|
||||
msgstr "Канфігурацыя абноўленая"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2741
|
||||
msgid "Error while saving options"
|
||||
msgstr "Памылка пры захаванні параметраў"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2743
|
||||
msgid "Pages saved"
|
||||
msgstr "Старонкі захаваныя"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2744
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Памылка пры захаванні старонак"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2748
|
||||
#, php-format
|
||||
msgid "<a href=\"%s\">Robots.txt</a> file saved"
|
||||
msgstr "Файл <a href=\"%s\">Robots.txt</a> захаваны"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2750
|
||||
msgid "Error while saving Robots.txt file"
|
||||
msgstr "Памылка пры захаванні файла Robots.txt"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "Канфігурацыя па змаўчанні адноўленая."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2851
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2868
|
||||
msgid "open"
|
||||
msgstr "адкрыць"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2852
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2869
|
||||
msgid "close"
|
||||
msgstr "зачыніць"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2853
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2870
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "Націсніце кнопку мышы і цягнеце для перамяшчэння гэтага блока"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2854
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2871
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "Націсніце для %toggle% на гэты блок"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2855
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2872
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "выкарыстайце стрэлкі для перамяшчэння гэтага блока"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2856
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2873
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", або націсніце копку ўвод (enter) для %toggle% яго"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
msgid "About this Plugin:"
|
||||
msgstr "Аб гэта ўбудове:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2886
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Хатняя старонка ўбудовы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
msgid "Notify List"
|
||||
msgstr "Спіс напамінку"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
msgid "Support Forum"
|
||||
msgstr "Форум тэхнічнай падтрымкі"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Ахвяраваць праз PayPal"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Мой спіс пажаданняў на Amazon"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_name"
|
||||
msgstr "Перавёў Сяргей Рывкин"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_url"
|
||||
msgstr "http://ryvkin.ru"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2895
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Рэсурсы карыт сайта:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Прылады вэб-майстра"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Дзённік вэб-майстра"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2900
|
||||
msgid "Site Explorer"
|
||||
msgstr "Прагляд сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
msgid "Search Blog"
|
||||
msgstr "Шукаць у дзённіку"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2903
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Пратакол выкарыстання карты сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Афіцыйны ЧАВО па картах сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "Мой ЧАВО па картах сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Апошнія ахвяраванні:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
msgid "List of the donors"
|
||||
msgstr "Спіс спонсараў"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
msgid "Hide this list"
|
||||
msgstr "Схаваць гэты спіс"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Дзякуй за Вашу падтрымку!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2931
|
||||
msgid "Status"
|
||||
msgstr "Статут"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2941
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "Карта сайта яшчэ не пабудаваная. <a href=\"%s\">Націсніце тут</a> для стварэння яе ўпершыню."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2947
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "Ваша <a href=\"%url%\">карта сайта</a> апошні раз была пабудаваная: <b>%date%</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2949
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Пры запісе Вашага файла з картай сайта адбылася памылка. Упэўніцеся, што файл існуе і адчынены на запіс. <a href=\"%url%\">Пачытаць яшчэ</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2956
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "Ваша карта сайта (<a href=\"%url%\">сціснутая</a>) апошні раз была пабудаваная: <b>%date%</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2958
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Пры запісе сціснутай карты сайта адбылася памылка. Упэўніцеся, што файл існуе і адчынены на запіс. <a href=\"%url%\">Пачытаць яшчэ</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2964
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google быў <b>паспяхова паінфармаваны</b> аб зменах."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "%time% секунд заняло інфармаванне Google; магчыма, Вас варта адключыць гэтую функцыю, каб знізіць час пабудовы карты."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3011
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "Пры інфармаванні Google адбылася памылка. <a href=\"%s\">Паглядзець вынік</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "YAHOO быў <b>паспяхова паінфармаваны</b> аб зменах."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2979
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "%time% секунд заняло інфармаванне YAHOO; магчыма, Вас варта адключыць гэтую функцыю, каб знізіць час пабудовы карты."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3023
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "Пры інфармаванні YAHOO адбылася памылка. <a href=\"%s\">Паглядзець вынік</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2988
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com быў <b>паспяхова паінфармаваны</b> аб зменах."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "%time% секунд заняло інфармаванне Ask.com; магчыма, Вас варта адключыць гэтую функцыю, каб знізіць час пабудовы карты."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3035
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Пры інфармаванні Ask.com адбылася памылка. <a href=\"%s\">Паглядзець вынік</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3002
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "Працэс пабудовы заняў прыкладна <b>%time% секунд</b> і выкарыстаў %memory% MB памяці."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3004
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "Працэс пабудовы заняў прыкладна <b>%time% секунд</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3008
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "Утрыманне Вашай карты сайта <strong>не змянялася</strong> за апошні час, таму файлы не запісваліся і пошукавыя сістэмы не інфармаваліся."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3012
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "Апошні запуск не быў завершаны! Магчыма, Вы перавысілі ліміты памяці або часу выканання. <a href=\"%url%\">Пачытаць яшчэ</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3014
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "Апошні раз скрыпт выкарыстаў %memused%MB памяці, ліміт памяці Вашага сервера складае %memlimit%."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3018
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "Апошні раз скрыпт працаваў %timeused% секунд, абмежаванне часу на Вашым серверы складае %timelimit% секунд."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3022
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "Скрыпт спыніўся каля артыкула нумар %lastpost% (+/- 100)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3025
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "Калі Вы нешта памянялі на Вашым сервре або ў дзённіку, Вам неабходна <a href=\"%s\">зноўку пабудаваць карту сайта</a> уручную."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3027
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Калі Вы сапхнуліся з якія-небудзь праблемамі ў працэсе пабудовы, Вы можаце скарыстацца <a href=\"%d\">функцыяй адладкі</a> для атрымання дадатковай інфармацыі."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3040
|
||||
msgid "Basic Options"
|
||||
msgstr "Базавыя параметры"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
msgid "Sitemap files:"
|
||||
msgstr "Файлы карты сайта:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
msgid "Learn more"
|
||||
msgstr "Пачытаць яшчэ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3049
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Запісаць звычайны XML файл (Ваша імя файла)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3055
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Запісаць запакаваны XML файл (Ваша імя файла + .gz)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
msgid "Building mode:"
|
||||
msgstr "Рэжым пабудовы карты:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3064
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "Пабудуйце зноўку карту сайта, калі Вы змянілі ўтрыманне Вашага дзённіка"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3071
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "Дазволіць ручную пабудову карты сайта з дапамогай запыту GET"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3075
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr "Гэта дазволіць Вам абнавіць карту сайта, калі знешняя прылада будзе пісаць у базу WordPress? не выкарыстаючы WordPress API. Выкарыстайце наступны URL для выканання працэсу: <a href=\"%1\">%1</a> Паглядзіце пратакол (гл. вышэй) для праверкі, ці пабудаваная карта сайта."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
msgid "Update notification:"
|
||||
msgstr "Абнавіць апавяшчэнне:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Апавясціць Google аб зменах у Вашым дзённіку"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Рэгістрацыя не патрабуецца, але Вы можаце далучыцца да <a href=\"%s\">Прыладам вэб-майстра Google</a> для прагляду статыстыкі пошукавых робатаў."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3088
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Апавясціць Asc.com аб зменах у Вашым дзённіку"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3089
|
||||
msgid "No registration required."
|
||||
msgstr "Рэгістрацыя не патрабуецца."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3093
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "Апавясціць YAHOO аб зменах у Вашым дзённіку"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
msgid "Your Application ID:"
|
||||
msgstr "Ваш ідэнтыфікатар прыкладання (Application ID):"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
#, php-format
|
||||
msgid "Don't you have such a key? <a href=\"%s1\">Request one here</a>!</a> %s2"
|
||||
msgstr "У Вас няма такога ключа?? <a href=\"%s1\">Запытаеце тут</a>!</a> %s2"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3099
|
||||
#, php-format
|
||||
msgid "Modify or create %s file in blog root which contains the sitemap location."
|
||||
msgstr "Змяніць або стварыць файл %s у дзённіку, які ўтрымоўвае інфармацыю аб размяшчэнні карты сайта."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3102
|
||||
msgid "File permissions: "
|
||||
msgstr "Дазволы на доступ да файлаў: "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3107
|
||||
msgid "OK, robots.txt is writable."
|
||||
msgstr "OK, robots.txt адчынены на запіс."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3109
|
||||
msgid "Error, robots.txt is not writable."
|
||||
msgstr "Памылка, robots.txt не адчынены на запіс."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3113
|
||||
msgid "OK, robots.txt doesn't exist but the directory is writable."
|
||||
msgstr "OK, robots.txt не існуе, але каталог адчынены на запіс."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3115
|
||||
msgid "Error, robots.txt doesn't exist and the directory is not writable"
|
||||
msgstr "Памылка, robots.txt не існуе, і каталог не адчынены на запіс"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
msgid "Advanced options:"
|
||||
msgstr "Пашыраныя параметры:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "Абмежаваць колькасць артыкулаў у карце сайта:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "Навейшыя артыкулы будуць уключаныя першымі"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Паспрабаваць павялічыць ліміт памяці да:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "напрыклад, \"4M\", \"16M\""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "Паспрабаваць павялічыць абмежаванне часу выканання да:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "у секундах, напрыклад, \"60\" або \"0\" для неабмежаванага часу"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "Уключыць табліцу стыляў XSLT:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Use Default"
|
||||
msgstr "Выкарыстаць значэнне па змаўчанні"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "Поўны або адносны URL да Вашага файла .xsl"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "Дазволіць стандартны рэжым MySQL. Выкарыстаць толькі ў выпадку памылак MySQL. (Патрабуе нашмат больш памяці!)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "Будаваць карту сайта ў фонавым працэсе (Вам не трэба чакаць захаванні артыкула)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "Выключыць наступныя артыкулы або старонкі:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "Спіс ідэнтыфікатараў (ID), падзеленых коскамі"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3144
|
||||
msgid "Additional pages"
|
||||
msgstr "Дадатковыя старонкі"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3149
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Тут Вы можаце паказаць файлы або URL, якія павінны быць уключаныя ў карту сайта, але не прыналежныя Вашаму дзённіку/WordPress.<br />Напрыклад,калі Ваш дамен www.foo.com, а Ваш дзённік размешчаны ў www.foo.com/blog, Вам можа спатрэбіцца дадаць хатнюю старонку з www.foo.com"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3151
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3462
|
||||
msgid "Note"
|
||||
msgstr "Заўвага"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Калі Ваш дзённік размешчаны ў падкаталогу, і Вы жадаеце дадаць старонкі, якія знаходзяцца ВЫШЭЙ у структуры каталогаў, Вам НЕАБХОДНА змясціць карту сайта ў каранёвы каталог (Гл. секцыю "Размяшчэнне файла з картай сайта" на гэтай старонцы)!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3300
|
||||
msgid "URL to the page"
|
||||
msgstr "URL старонкі"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Увядзіце URL гэтай старонкі. Прыклады: http://www.foo.com/index.html або www.foo.com/home "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3157
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3301
|
||||
msgid "Priority"
|
||||
msgstr "Прыярытэт"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3158
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Вылучыце прыярытэт гэтай старонкі адносна іншых старонак. Напрыклад, Ваша галоўная старонка можа мець больш высокі прыярытэт, чым старонка з інфармацыяй аб сайце."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3160
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3303
|
||||
msgid "Last Changed"
|
||||
msgstr "Апошні раз змянялася"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3161
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Увядзіце дату апошняй змены ў фармаце YYYY-MM-DD (2005-12-31, напрыклад) (не абавязкова)."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3302
|
||||
msgid "Change Frequency"
|
||||
msgstr "Частата змен"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3304
|
||||
msgid "#"
|
||||
msgstr "№"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3309
|
||||
msgid "No pages defined."
|
||||
msgstr "Няма старонак."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3314
|
||||
msgid "Add new page"
|
||||
msgstr "Дадаць новую старонку"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3325
|
||||
msgid "Post Priority"
|
||||
msgstr "Прыярытэт артыкула"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Вылучыце, як будзе вылічацца прыярытэт кожнага артыкула:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Не выкарыстаць аўтаматычнае вылічэнне прыярытэту"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "Усе артыкулы будуць мець аднолькавы прыярытэт, які вызначаны ў "Прыярытэтах""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3348
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Размяшчэнне Вашага файла з картай сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3353
|
||||
msgid "Automatic detection"
|
||||
msgstr "Аўтаматычнае азначэнне"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3357
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Імя файла з картай сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3360
|
||||
msgid "Detected Path"
|
||||
msgstr "Выяўлены шлях"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3360
|
||||
msgid "Detected URL"
|
||||
msgstr "Выяўлены URL"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3365
|
||||
msgid "Custom location"
|
||||
msgstr "Карыстацкае размяшчэнне"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3369
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Абсалютны або адносны шлях да файла з картай сайта, уключаючы імя файла."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3371
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3380
|
||||
msgid "Example"
|
||||
msgstr "Прыклад"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3378
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "Запоўніце URL да файла з картай сайта, уключаючы імя файла."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3397
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Утрыманне карты сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3405
|
||||
msgid "Include homepage"
|
||||
msgstr "Уключыць хатнюю старонку"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3411
|
||||
msgid "Include posts"
|
||||
msgstr "Уключыць артыкулы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3417
|
||||
msgid "Include static pages"
|
||||
msgstr "Уключыць статычныя старонкі"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3423
|
||||
msgid "Include categories"
|
||||
msgstr "Уключыць катэгорыі"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3429
|
||||
msgid "Include archives"
|
||||
msgstr "Уключыць архівы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3436
|
||||
msgid "Include tag pages"
|
||||
msgstr "Уключыць старонкі пазанак"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3443
|
||||
msgid "Include author pages"
|
||||
msgstr "Уключыць старонкі аўтараў"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3457
|
||||
msgid "Change frequencies"
|
||||
msgstr "Змяніць частоты"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3463
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Звернеце ўвагу, што значэнне гэтай пазнакі лічыцца рэкамендацыяй і не з'яўляецца камандай. Нават калі пошукавыя робаты бяруць гэтую інфармацыю да ўвагі для прыняцця рашэнняў, яны могуць аглядаць старонкі, пазначаныя \"раз у гадзіну\" радзей, чым запытана, і яны могуць аглядаць старонкі, пазначаныя як \"раз у год\" гушчару, чым запытана. Таксама бывае, што пошукавыя робаты аглядаюць старонкі, пазначаныя як \"ніколі\", адзначаючы не прадугледжаныя змены на гэтых старонках."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3469
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3535
|
||||
msgid "Homepage"
|
||||
msgstr "Галоўная старонка"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3475
|
||||
msgid "Posts"
|
||||
msgstr "Артыкулы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3481
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3553
|
||||
msgid "Static pages"
|
||||
msgstr "Статычныя старонкі"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3487
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3559
|
||||
msgid "Categories"
|
||||
msgstr "Катэгорыі"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3493
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Бягучы архіў за гэты месяц (Павінен быць тым жа, што і Галоўная старонка)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3499
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Старыя архівы (Змяняюцца толькі ў выпадку, калі Вы рэдагуеце старыя артыкулы)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3506
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3572
|
||||
msgid "Tag pages"
|
||||
msgstr "Старонкі пазанак"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3513
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3579
|
||||
msgid "Author pages"
|
||||
msgstr "Старонкі аўтараў"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3527
|
||||
msgid "Priorities"
|
||||
msgstr "Прыярытэты"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3541
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Артыкулы (Калі аўтаматычнае вылічэнне забароненае)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3547
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Мінімальны прыярытэт артыкула (Нават калі аўтаматычнае вылічэнне дазволена)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3565
|
||||
msgid "Archives"
|
||||
msgstr "Архівы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3590
|
||||
msgid "Update options"
|
||||
msgstr "Абнавіць параметры"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3591
|
||||
msgid "Reset options"
|
||||
msgstr "Вярнуць зыходныя значэнні"
|
||||
|
||||
@@ -0,0 +1,604 @@
|
||||
# [Countryname] Language File for sitemap (sitemap-[localname].po)
|
||||
# Copyright (C) 2005 [name] : [URL]
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# [name] <[mail-address]>, 2005.
|
||||
# $Id: sitemap.pot 2502 2005-07-03 20:50:38Z arnee $
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: <[mail-address]>\n"
|
||||
"POT-Creation-Date: 2005-06-15 00:00+0000\n"
|
||||
"PO-Revision-Date: 2007-11-21 20:50+0100\n"
|
||||
"Last-Translator: Peter Kahoun <kahi@kahi.cz>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Language-Team: \n"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:846
|
||||
msgid "Comment Count"
|
||||
msgstr "Počet komentářů"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:858
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "K vypočítání priority se využívá počet komentářů"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
msgid "Comment Average"
|
||||
msgstr "Průměrný počet komentářů"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "K vypočítání priority se využívá průměrného počtu komentářů"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:993
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Soutěž popularity"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:1005
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "Využívá se pluginu <a href=\"%1\">Soutěž popularity (Popularity contest)</a> od <a href=\"%2\">Alexe Kinga</a>. Viz <a href=\"%3\">Nastavení</a> a <a href=\"%4\">Nejpopulárnější příspěvky</a>"
|
||||
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "Generátor XML-Sitemapy"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Sitemap"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Děkuji vám mockrát za vaše příspěvky. Pomáháte tím pokračovat v podpoře a vývoji tohoto pluginu a dalšího nekomerčního softwaru!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Hide this notice"
|
||||
msgstr "Skrýt toto oznámení"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "Díky za používání tohoto pluginu! Už je to více než měsíc, co jste ho naistalovali. Pokud funguje k vaší spokojenosti, není hoden alespoň toho jednoho dolaru? <a href=\"%s\">Peněžní příspěvky</a> mi pomáhají pokračovat v podpoře a vývoji tohoto <i>nekomerčního</i> softwaru! <a href=\"%s\">Ovšem, žádný problém!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Ne, díky, už mě prosím neotravuj!"
|
||||
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "Generátor XML Sitemap"
|
||||
|
||||
msgid "Configuration updated"
|
||||
msgstr "Nastavení aktualizováno"
|
||||
|
||||
msgid "Error while saving options"
|
||||
msgstr "Při ukládání nastavení nastala chyba"
|
||||
|
||||
msgid "Pages saved"
|
||||
msgstr "Stránka uložena"
|
||||
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Při ukládání stránek nastala chyba"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2748
|
||||
#, php-format
|
||||
msgid "<a href=\"%s\">Robots.txt</a> file saved"
|
||||
msgstr "Soubor <a href=\"%s\">robots.txt</a> uložen"
|
||||
|
||||
msgid "Error while saving Robots.txt file"
|
||||
msgstr "Při ukládání souboru robots.txt nastala chyba"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "Výchozí nastavení bylo obnoveno."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2851
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2868
|
||||
msgid "open"
|
||||
msgstr "otevřít"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2852
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2869
|
||||
msgid "close"
|
||||
msgstr "zavřít"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2853
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2870
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "Podržte tlačítko myši a táhněte tento box dolů"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2854
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2871
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "klikněte k přepnutí viditelnosti tohoto boxu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2855
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2872
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "k přesunutí tohoto boxu použijte šipky na klávesnici"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2856
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2873
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", anebo stiskněte Enter k přepnutí viditelnosti"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
msgid "About this Plugin:"
|
||||
msgstr "O tomto pluginu:"
|
||||
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Domovská stránka pluginu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
msgid "Notify List"
|
||||
msgstr "Oznamovatel novinek"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
msgid "Support Forum"
|
||||
msgstr "Podpora (fórum)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Přispějte přes PayPal"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Můj WishList na Amazonu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_name"
|
||||
msgstr "Peter \"Kahi\" Kahoun"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_url"
|
||||
msgstr "http://kahi.cz/wordpress"
|
||||
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Zdroje:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Webmaster Tools"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2900
|
||||
msgid "Site Explorer"
|
||||
msgstr "Site Explorer"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
msgid "Search Blog"
|
||||
msgstr "Search Blog"
|
||||
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Sitemaps protokol"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Oficiální Sitemaps FAQ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "Mé Sitemaps FAQ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Poslední příspěvky:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
msgid "List of the donors"
|
||||
msgstr "Seznam dárců"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
msgid "Hide this list"
|
||||
msgstr "Skrýt seznam"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Díky za vaši podporu!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2931
|
||||
msgid "Status"
|
||||
msgstr "Stav"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2941
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "Sitemapa ještě nebyla vytvořena. <a href=\"%s\">Klikněte sem</a> pro první vytvoření."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2947
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "Vaše <a href=\"%url%\">sitemapa</a> byla naposledy aktualizována <b>%date%</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2949
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Vyskytl se problém při zápisu do souboru sitemapy. Ujistěte se prosím, že soubor existuje a je do něj povolen zápis. <a href=\"%url%\">Dozvědět se víc</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2956
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "Vaše <a href=\"%url%\">zazipovaná sitemapa</a> byla naposledy aktualizována <b>%date%</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2958
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Vyskytl se problém při zápisu do souboru zazipované sitemapy. Ujistěte se prosím, že soubor existuje a je do něj povolen zápis. <a href=\"%url%\">Dozvědět se víc</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2964
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google byl <b>úspěšně upozorněn</b> na změny."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Oznámení Googlu zabralo %time% sekund, možná budete chtít deaktivovat tuto funkci pro snížení potřebného času k vytváření sitemapy."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3011
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "Vyskytl se problém při oznamování změn Googlu. <a href=\"%s\">Prohlédnout výsledek</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "Yahoo byl <b>úspěšně upozorněn</b> na změny."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2979
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Oznámení Yahoo zabralo %time% sekund, možná budete chtít deaktivovat tuto funkci pro snížení potřebného času k vytváření sitemapy."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3023
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "Vyskytl se problém při oznamování změn Yahoo. <a href=\"%s\">Prohlédnout výsledek</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2988
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com byl <b>úspěšně upozorněn</b> na změny."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Oznámení Ask.com zabralo %time% sekund, možná budete chtít deaktivovat tuto funkci pro snížení potřebného času k vytváření sitemapy."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3035
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Vyskytl se problém při oznamování změn Ask.com. <a href=\"%s\">Prohlédnout výsledek</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3002
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "Proces vytváření zabral kolem <b>%time% seconds</b> a spotřeboval %memory% MB paměti."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3004
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "Proces vytváření zabral kolem <b>%time% sekund</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3008
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "Obsah vaší sitemapy <strong>se nezměnil</strong> od posledního vytváření, takže soubory nebyly aktualizovány a vyhledávače nebyly upozorňovány na změny."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3012
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "Poslední běh neproběhl do konce! Možná byste mohli navýšit limit paměti či maximálního času pro PHP skripty. <a href=\"%url%\">Dozvědět se víc</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3014
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "Poslední známé využití paměti bylo %memused%MB, limit vašeho serveru je %memlimit%."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3018
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "Poslední známý čas trvání skriptu byl %timeused% sekund, limit vašeho serveru je %timelimit% sekund."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3022
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "Skript byl zastaven kolem příspěvku číslo %lastpost% (+/- 100)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3025
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "Pokud bylo něco na vašem serveru nebo blogu změněno, měli byste <a href=\"%s\">aktualizovat sitemapu</a> ručně."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3027
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Pokud zaregistrujete jakékoli problémy při procesu aktualizace sitemapy, k získání více informací můžete použít <a href=\"%d\">ladící funkci</a>."
|
||||
|
||||
msgid "Basic Options"
|
||||
msgstr "Základní možnosti"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
msgid "Sitemap files:"
|
||||
msgstr "Soubory sitemapy:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
msgid "Learn more"
|
||||
msgstr "Dozvědět se víc"
|
||||
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Ukládat normální XML soubor (jméno vašeho souboru)"
|
||||
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Ukládat komprimovaný (gzip) soubor (jméno vašeho souboru + .gz)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
msgid "Building mode:"
|
||||
msgstr "Mód aktualizace:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3064
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "Aktualizovat sitemapu při každé změně v obsahu vašeho blogu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3071
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "Povolit ruční aktualizaci sitemapy pomocí GET dotazu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3075
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr "Toto umožní aktualizovat vaši sitemapu, pokud do databáze Wordpressu zapíše data nějaký externí nástroj bez využití WordPress API. Použijte tuto URL ke spuštění procesu: <a href=\"%1\">%1</a>. Prosím zkontrolujte log-soubor výše, jestli byla sitemapa aktualizována úspěšně."
|
||||
|
||||
msgid "Update notification:"
|
||||
msgstr "Oznámení o aktualizaci:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Oznamovat Googlu změny na vašem blogu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Registrace není vyžadována, ale může se připojit k <a href=\"%s\">Google Webmaster Tools</a> kvůli kontrole statistik návštěv vyhledávače."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3088
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Oznamovat Ask.com změny na vašem blogu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3089
|
||||
msgid "No registration required."
|
||||
msgstr "Registrace není vyžadována."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3093
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "Oznamovat Yahoo změny na vašem blogu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3094
|
||||
#, php-format
|
||||
msgid "No registration required, but you can sign up for the <a href=\"%s\">YAHOO Site Explorer</a> to view the crawling progress."
|
||||
msgstr "Registrace není vyžadována, ale můžete se přihlásit do <a href=\"%s\">YAHOO Site Explorer</a> kvůli prohlížení postupu návštěv vyhledávače."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3099
|
||||
#, php-format
|
||||
msgid "Modify or create %s file in blog root which contains the sitemap location."
|
||||
msgstr "Upravit nebo vytvořit %s soubor v kořeni blogu, který obsahuje adresu sitemapy."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3102
|
||||
msgid "File permissions: "
|
||||
msgstr "Oprávnění k souboru:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3107
|
||||
msgid "OK, robots.txt is writable."
|
||||
msgstr "V pořádku, je možné zapisovat do robots.txt."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3109
|
||||
msgid "Error, robots.txt is not writable."
|
||||
msgstr "Chyba, není možné zapisovat do robots.txt."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3113
|
||||
msgid "OK, robots.txt doesn't exist but the directory is writable."
|
||||
msgstr "V pořádku, robots.txt neexistuje, ale zápis do adresáře je povolen."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3115
|
||||
msgid "Error, robots.txt doesn't exist and the directory is not writable"
|
||||
msgstr "Chyba, robots.txt neexistuje a zápis do adresáře není povolen."
|
||||
|
||||
msgid "Advanced options:"
|
||||
msgstr "Pokročilé možnosti:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "Omezit počet příspěvků v sitemapě:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "Novější příspěvky budou zahrnuty nejdříve"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Zkuste navýšit limit paměti na:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "např: \"4M\", \"16M\""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "Zkuste navýšit maximální čas provádění skriptu na:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "v sekundách, např. \"60\" anebo \"0\" pro nekonečno"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "Připojit XSLT stylopis:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Use Default"
|
||||
msgstr "Použít výchozí"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "Adresa k vašemu .xsl souboru"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "Povolit standardní mód MySQL. Toto používejte jedině když se zobrazují MySQL chyby - vyžaduje to mnohem víc paměti!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "Vytvářet sitemapu v pozadí (Tzn. nebudete muset čekat při ukládání příspěvku)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "Vyřadit tyto příspěvky či stránky:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "Seznam ID oddělených čárkou"
|
||||
|
||||
msgid "Additional pages"
|
||||
msgstr "Stránky navíc"
|
||||
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Zde můžete nastavit URL adresy, které mají být zahrnuty do sitemapy, ale nenáleží k blogu/WordPressu.<br />Například, pokud vaše doména je www.něco.cz a váš blog se nachází na www.něco.cz/blog, možná byste chtěli zahrnout i www.něco.cz"
|
||||
|
||||
msgid "Note"
|
||||
msgstr "Poznámka"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Je-li váš blog v podsložce a chcete-li přidat stránky, které NEJSOU v adresáři blogu (anebo v podadresářích), MUSÍTE umístit vaši sitemapu do kořenové složky (Viz sekce "Umístění vaší sitemapy" na této stránce)!"
|
||||
|
||||
msgid "URL to the page"
|
||||
msgstr "URL stránky"
|
||||
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Vložte URL (adresu) stránky. Příklady: http://www.něco.cz/index.html nebo www.něco.cz/home "
|
||||
|
||||
msgid "Priority"
|
||||
msgstr "Priorita"
|
||||
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Vyberte prioritu stránky relativně k ostatním stránkám. Například, vaše titulní stránka by měla mít vyšší prioritu než stránka O mně."
|
||||
|
||||
msgid "Last Changed"
|
||||
msgstr "Naposledy změněno"
|
||||
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Vložte datum poslední změny ve formátu RRRR-MM-DD (například 2007-08-12) (nepovinné)."
|
||||
|
||||
msgid "Change Frequency"
|
||||
msgstr "Nastavit frekvenci"
|
||||
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
msgid "No pages defined."
|
||||
msgstr "Nejsou definovány žádné stránky."
|
||||
|
||||
msgid "Add new page"
|
||||
msgstr "Přidat novou stránku"
|
||||
|
||||
msgid "Post Priority"
|
||||
msgstr "Priorita příspěvků"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Vyberte prosím způsob, kterým má být priorita každého z příspěvků vypočítávána."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Nepoužívat automatický výpočet priority"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "Všechny příspěvky budou mít stejnou prioritu, která je definována v "Prioritách""
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Umístění vaší sitemapy"
|
||||
|
||||
msgid "Automatic detection"
|
||||
msgstr "Automatická detekce"
|
||||
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Jméno souboru sitemapy"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "Zjištěná cesta"
|
||||
|
||||
msgid "Detected URL"
|
||||
msgstr "Zjištěná URL"
|
||||
|
||||
msgid "Custom location"
|
||||
msgstr "Vlastní umístění"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Absolutní nebo relativní cesta k sitemapě, včetně jména souboru."
|
||||
|
||||
msgid "Example"
|
||||
msgstr "Příklad"
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "Celá URL k sitemapě, včetně jména."
|
||||
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Obsah sitemapy"
|
||||
|
||||
msgid "Include homepage"
|
||||
msgstr "Zahrnout titulní stránku"
|
||||
|
||||
msgid "Include posts"
|
||||
msgstr "Zahrnout příspěvky"
|
||||
|
||||
msgid "Include static pages"
|
||||
msgstr "Zahrnout statické stránky"
|
||||
|
||||
msgid "Include categories"
|
||||
msgstr "Zahrnout rubriky"
|
||||
|
||||
msgid "Include archives"
|
||||
msgstr "Zahrnout archivy"
|
||||
|
||||
msgid "Include tag pages"
|
||||
msgstr "Zahrnout stránky štítků"
|
||||
|
||||
msgid "Include author pages"
|
||||
msgstr "Zahrnout stránky autorů"
|
||||
|
||||
msgid "Change frequencies"
|
||||
msgstr "Nastavení frekvence"
|
||||
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Berte prosím na vědomí, že hodnota tohoto štítku je jen zvažována \"jako náznak\", není to příkaz. Přestože vyhledávací roboti berou při rozhodování tuto hodnotu na vědomí, přesto mohou navštěvovat stránky označené jako \"každou hodinu\" méně často, a také mohou stránky označené jako \"ročně\" navštěvovat častěji. Rovněž je pravděpodobné, že roboti budou naštěvovat i stránky označené jako \"nikdy\" aby se mohli vypořádat s nečekanými změnami na těchto stránkách."
|
||||
|
||||
msgid "Homepage"
|
||||
msgstr "Titulní stránka"
|
||||
|
||||
msgid "Posts"
|
||||
msgstr "Příspěvky"
|
||||
|
||||
msgid "Static pages"
|
||||
msgstr "Statické stránky"
|
||||
|
||||
msgid "Categories"
|
||||
msgstr "Rubriky"
|
||||
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Stávající archiv tohoto měsíce (Měl by být stejný jako vaše titulní stránka)"
|
||||
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Starší archivy (Mění se jen když upravíte starý příspěvek)"
|
||||
|
||||
msgid "Tag pages"
|
||||
msgstr "Stránky štítků"
|
||||
|
||||
msgid "Author pages"
|
||||
msgstr "Stránky autorů"
|
||||
|
||||
msgid "Priorities"
|
||||
msgstr "Priority"
|
||||
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Příspěvky (Když je automatický výpočet vypnutý)"
|
||||
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Minimální priorita příspěvku (I když je povolený automatický výpočet)"
|
||||
|
||||
msgid "Archives"
|
||||
msgstr "Archivy"
|
||||
|
||||
msgid "Update options"
|
||||
msgstr "Aktualizovat možnosti"
|
||||
|
||||
msgid "Reset options"
|
||||
msgstr "Vynulovat možnosti"
|
||||
|
||||
@@ -0,0 +1,594 @@
|
||||
# [Countryname] Language File for sitemap (sitemap-[localname].po)
|
||||
# Copyright (C) 2005 [name] : [URL]
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# [name] <[mail-address]>, 2005.
|
||||
# $Id: sitemap.pot 2502 2005-07-03 20:50:38Z arnee $
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: <[mail-address]>\n"
|
||||
"POT-Creation-Date: 2005-06-15 00:00+0000\n"
|
||||
"PO-Revision-Date: 2007-11-25 01:16+0100\n"
|
||||
"Last-Translator: Arne Brachhold <http://www.arnebrachhold.de>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Language-Team: \n"
|
||||
|
||||
msgid "Comment Count"
|
||||
msgstr "Antal kommentar"
|
||||
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Brug antallet af kommentarer til indlægget til at udregne prioriteten"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
msgid "Comment Average"
|
||||
msgstr "Kommentar gennemsnit"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Bruger det gennemsnitlige antal kommentarer til at udregne prioriteten"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:993
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Popularitets konkurrence"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:1005
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "Bruger det aktiveret <a href=\"%1\">Popularity Contest Plugin</a> fra <a href=\"%2\">Alex King</a>. Se <a href=\"%3\">indstillinger</a> og <a href=\"%4\">Mest populære indlæg</a>"
|
||||
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "XML-Sitemap Generator"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Sitemap"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Mange tak for din donation. Du hjælper mig med at fortsætte support og udvikling af dette plugin og andet gratis software!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Hide this notice"
|
||||
msgstr "Skjul denne meddelelse"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2606
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "Tak fordi du bruger dette plugin! Du installerede dette plugin over en månede siden. Hvis det virker og du er tilfreds, er det så ikke bare en enkel dollar værd? <a href=\"%s\">Donationer</a> hjælper mig med at fortsætte support og udvikling af dette <i>gratis</i> stykke software! <a href=\"%s\">Selvfølgelig, ingen problem!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2606
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Nej tak, lad venligst være med at forstyrre mig igen!"
|
||||
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "XML-Sitemap Generator til Wordpress"
|
||||
|
||||
msgid "Configuration updated"
|
||||
msgstr "Indstillingerne blev opdateret"
|
||||
|
||||
msgid "Error while saving options"
|
||||
msgstr "Der forekom en fejl da indstilingerne skulle gemmes"
|
||||
|
||||
msgid "Pages saved"
|
||||
msgstr "Sider gemt"
|
||||
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Der opstod en fejl da siderne skulle gemmes"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2748
|
||||
#, php-format
|
||||
msgid "<a href=\"%s\">Robots.txt</a> file saved"
|
||||
msgstr "<a href=\"%s\">Robots.txt</a> er gemt"
|
||||
|
||||
msgid "Error while saving Robots.txt file"
|
||||
msgstr "Der forekom en fejl da Robots.txt filen skulle gemmes"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "Standard indstillingerne er gendannet."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2851
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2868
|
||||
msgid "open"
|
||||
msgstr "Åben"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2852
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2869
|
||||
msgid "close"
|
||||
msgstr "Luk"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2853
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2870
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "tryk og træk for at flytte denne boks"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2854
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2871
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "klik for at %toggle% denne boks"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2855
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2872
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "brug piltasterne for at flytte denne boks"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2856
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2873
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", eller tryk på enter tasten for at %toggle% den"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
msgid "About this Plugin:"
|
||||
msgstr "Om dette plugin:"
|
||||
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Plugin hjemmeside"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
msgid "Notify List"
|
||||
msgstr "Informer liste"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
msgid "Support Forum"
|
||||
msgstr "Support forum"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Donere via PayPal"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Min Amazon ønskeliste"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_name"
|
||||
msgstr "translator_name"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_url"
|
||||
msgstr "translator_url"
|
||||
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Sitemap ressourcer:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Webmaster Tools"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2900
|
||||
msgid "Site Explorer"
|
||||
msgstr "Site Explorer"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
msgid "Search Blog"
|
||||
msgstr "Search Blog"
|
||||
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Sitemap protocol"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Officiel Sitemap FAQ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "Dette Sitemaps FAQ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Seneste donationer:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
msgid "List of the donors"
|
||||
msgstr "Liste over donationsgivere"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
msgid "Hide this list"
|
||||
msgstr "Skjul denne liste"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Tak for din support!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2931
|
||||
msgid "Status"
|
||||
msgstr "Status"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2941
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "Dette Sitemap er ikke bygget endnu. <a href=\"%s\">Klik her</a> for at bygge det for første gang."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2947
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "Dit <a href=\"%url%\">sitemap</a> blev sidst bygget den <b>%date%</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2949
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Der optod et problem under skrivning af din sitemap fil. Tjek om filen eksisterer og om den er skrivbar. <a href=\"%url%\">Lær mere</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2956
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "Dit sitemap (<a href=\"%url%\">gzipped</a>) blev bygget sidst den <b>%date%</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2958
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Der optod et problem under skrivningen af din pakkede sitemap fil. Tjek om filen eksisterer og er skrivbar. <a href=\"%url%\">Lær mere</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2964
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google blev <b>informeret korrekt</b> omkring ændringerne."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Det tog %time% sekunder at informerer google, måske skulle du deaktivere denn funktion for at reducerer bygge tiden."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2970
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "Der opstod et problem under kommunikationen med Google. <a href=\"%s\">Se resultat</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "Yahoo blev <b>informeret korrekt</b> omkring ændringerne."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2979
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Det tog %time% sekunder at informerer Yahoo, måske skulle du deaktivere denn funktion for at reducerer bygge tiden."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2982
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "Der opstod et problem under kommunikationen med YAHOO. <a href=\"%s\">Se resultat</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2988
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com blev <b>informeret korrekt</b> omkring ændringerne."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Det tog %time% sekunder at informerer Ask.com, måske skulle du deaktivere denn funktion for at reducerer bygge tiden."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2994
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Der opstod et problem under kommunikationen med Ask.com. <a href=\"%s\">Se resultat</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3002
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "Bygge processen tog omkring <b>%time% sekunder</b> for at fuldføre og bruge %memory% MB hukommelse."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3004
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "Bygge processen tog omkring <b>%time% sekunder</b> for at fuldføre."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3008
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "Indholdet af dit sitemap har <strong>ikke</strong> ændret sig siden sidst. Derfor blev der ikke ikke skrevet til nogle filer og ikke kommunikeret med nogle søgemaskiner."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3012
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "Sidste forsøg blev ikke færdigt! Måske skal du hæve hukommelses begrænsningen for PHP scripts. <a href=\"%url%\">Lær mere</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3014
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "Det sidst kendte forbrug af hukommelse af dette script var %memused%MB, begrænsningen på din server er %memlimit%."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3018
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "Den sidste kendte eksekverings tid for dette script var %timeused% sekunder, begrænsningen på din server er %timelimit% sekunder."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3022
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "Scriptet stoppede omkring indlæg nummer %lastpost% (+/-100)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3025
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "Hvis du ændre noget på din server eller blog, burde du <a href=\"%s\">opdatere dit sitemap</a> manuelt."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3027
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Hvis du støder på problemer under bygge processen, kan du bruge <a href=\"%d\">debug funktionen</a> for at få flere informationer."
|
||||
|
||||
msgid "Basic Options"
|
||||
msgstr "Basis indstillinger"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
msgid "Sitemap files:"
|
||||
msgstr "Sitemap filer:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
msgid "Learn more"
|
||||
msgstr "Lær mere"
|
||||
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Lav en normal XML fil (Dit filnavn)"
|
||||
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Lav en gzipped fil (Dit filnavn + .gz"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
msgid "Building mode:"
|
||||
msgstr "Bygge metode:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3064
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "Opdater dit sitemap hvis der sker ændringer i indholdet på din blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3071
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "Aktiverer manuel bygning af sitemap via GET Request"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3075
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr "Dette vil tillade dig at opdatere dit sitemap hvis et eksternt værktøj skrev til Wordpress databasen uden at bruge Wordpress API'et. Brug følgende URL til at starte processen: <a href=\"%1\">%1</a> Tjek venligst logfilen ovenover, for at se om dit sitemap blev bygget korrekt."
|
||||
|
||||
msgid "Update notification:"
|
||||
msgstr "Opdaterings meddelelser:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Informer Google om opdateringer på din blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Registrering er ikke påkrævet, men du kan tilmelde dig <a href=\"%s\">Google Webmaster Tools</a> for at tjekke \"crawling\" statistikker."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3088
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Informer Ask.com om opdateringer på din blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3089
|
||||
msgid "No registration required."
|
||||
msgstr "Registrering ikke påkrævet."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3093
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "Informer Yahoo om opdateringer på din blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3094
|
||||
#, php-format
|
||||
msgid "No registration required, but you can sign up for the <a href=\"%s\">YAHOO Site Explorer</a> to view the crawling progress."
|
||||
msgstr "Registrering er ikke påkrævet, men du kan tilmelde dig <a href=\"%s\">YAHOO Site Explorer</a> for at tjekke \"crawling\" statistikker."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3099
|
||||
#, php-format
|
||||
msgid "Modify or create %s file in blog root which contains the sitemap location."
|
||||
msgstr "Ændre eller opret %s i blog \"root\", som indeholder sitemap placeringen."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3102
|
||||
msgid "File permissions: "
|
||||
msgstr "Fil rettigheder: "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3107
|
||||
msgid "OK, robots.txt is writable."
|
||||
msgstr "OK, robots.txt er skrivbar."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3109
|
||||
msgid "Error, robots.txt is not writable."
|
||||
msgstr "Fejl, robots.txt er ikke skrivbar."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3113
|
||||
msgid "OK, robots.txt doesn't exist but the directory is writable."
|
||||
msgstr "OK, robots.txt eksisterer ikke, men mappen er skrivbar."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3115
|
||||
msgid "Error, robots.txt doesn't exist and the directory is not writable"
|
||||
msgstr "Fejl, robots.txt eksisterer ikke og mappen er ikke skrivbar."
|
||||
|
||||
msgid "Advanced options:"
|
||||
msgstr "Avanceret indstillinger"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "Begræns antallet af indlæg i dit sitemap:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "Nyeste indlæg vil blive inkluderet først"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Prøv at forøg hukommelses begrænsningen til:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "f.eks. \"4M\", \"16M\""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "Prøv at forøg eksekverings tids begrænsningen til:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "i sekunder, f.eks. \"60\" eller \"0\" for ubegrænset"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "Inkluderer et XSLT stylesheet:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Use Default"
|
||||
msgstr "Brug standard"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "Fuld eller relativ URL til din .xsl fil"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "Aktiver MySQL standard mode. Brug kun dette hvis du får MySQL fejl. (Bruger meget mere hukommelse!)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "Byg dit sitemap i en baggrundsprocess (Du behøver ikke at vente når du gemmer et indlæg)"
|
||||
|
||||
msgid "Additional pages"
|
||||
msgstr "Ekstra sider"
|
||||
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Her kan du specificere filer og URLs, der skal inkluderes i dit sitemap, som ikke tilhører din side.<br/>F.eks. hvis dit domæne er www.minside.dk og din side er placeret i en under mappe (www.minside.dk/blog), så vil du måske inkludere www.minside.dk"
|
||||
|
||||
msgid "Note"
|
||||
msgstr "Note"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Hvis din blog er i en undermappe og du vil tilføje sider, som IKKE er i blog mappen eller en mappe under, SKAL du placerer din sitemap fil i "root mappen" (Se "Stien til din sitemap fil" sektionen på denne side)."
|
||||
|
||||
msgid "URL to the page"
|
||||
msgstr "URL til siden"
|
||||
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Indtast URL'en til siden. F.eks.: http://www.minside.dk/index.html ellerhttp://www.minside.dk/forside"
|
||||
|
||||
msgid "Priority"
|
||||
msgstr "Prioritet"
|
||||
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Vælg sidens prioritet i forhold til de andre sider."
|
||||
|
||||
msgid "Last Changed"
|
||||
msgstr "Ændret sidst"
|
||||
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Indtast datoen for den sidste ændret, som YYYY-MM-DD (F.eks. 2005-12-31) (Valgfri)"
|
||||
|
||||
msgid "Change Frequency"
|
||||
msgstr "Skift frekvens"
|
||||
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
msgid "No pages defined."
|
||||
msgstr "Ingen sider defineret"
|
||||
|
||||
msgid "Add new page"
|
||||
msgstr "Tilføj ny side"
|
||||
|
||||
msgid "Post Priority"
|
||||
msgstr "Indlægs prioritet"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Vælg venligst hvordan prioriteten af hver enkelt indlæg skal udregnes:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Brug ikke automatisk prioritets udregning"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "Alle indlæg vil have den samme prioritet som er defineret under "Prioritet""
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Stien til din sitemap fil"
|
||||
|
||||
msgid "Automatic detection"
|
||||
msgstr "Find Automatisk "
|
||||
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Sitemap filnavn"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "Fundet sti"
|
||||
|
||||
msgid "Detected URL"
|
||||
msgstr "Fundet URL"
|
||||
|
||||
msgid "Custom location"
|
||||
msgstr "Brugerdefineret sti"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Absolut eller relativ sti til sitemap filen, inklusiv filnavn."
|
||||
|
||||
msgid "Example"
|
||||
msgstr "Eksempel"
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "Fuldstændig URL til sitemap filen, inklusiv filnavn"
|
||||
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Sitemap indhold"
|
||||
|
||||
msgid "Include homepage"
|
||||
msgstr "Inkluder hjemmeside"
|
||||
|
||||
msgid "Include posts"
|
||||
msgstr "Inkluder indlæg"
|
||||
|
||||
msgid "Include static pages"
|
||||
msgstr "Inkluder statiske sider"
|
||||
|
||||
msgid "Include categories"
|
||||
msgstr "Inkluder kategorier"
|
||||
|
||||
msgid "Include archives"
|
||||
msgstr "Inkluder arkiver"
|
||||
|
||||
msgid "Include tag pages"
|
||||
msgstr "Inkluder tag sider"
|
||||
|
||||
msgid "Include author pages"
|
||||
msgstr "Inkluder forfatter sider"
|
||||
|
||||
msgid "Change frequencies"
|
||||
msgstr "Ændre frekvenser"
|
||||
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Bemærk venligst at værdien af dette \"tag\" anses for at være et hint og ikke en kommando. Selvom søgemaskine crawlers tager denne information i betrægtning, kan de crawle sider markeret \"pr. time\" færre gange og sider markeret \"årlig\" oftere. Det er også sandsynligt at crawlere periodisk vil crawle sider makeret \"aldrig\", så de kan håndtere uforventet ændringer på disse sider."
|
||||
|
||||
msgid "Homepage"
|
||||
msgstr "Hjemmeside"
|
||||
|
||||
msgid "Posts"
|
||||
msgstr "Indlæg"
|
||||
|
||||
msgid "Static pages"
|
||||
msgstr "Statiske sider"
|
||||
|
||||
msgid "Categories"
|
||||
msgstr "Kategorier"
|
||||
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Arkivet for denne måned (Burde være den som på din hjemmeside)"
|
||||
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Ældre arkiver (Ændre sig kun hvis du redigere et gammelt indlæg"
|
||||
|
||||
msgid "Tag pages"
|
||||
msgstr "Tag sider"
|
||||
|
||||
msgid "Author pages"
|
||||
msgstr "Forfatter sider"
|
||||
|
||||
msgid "Priorities"
|
||||
msgstr "Prioriteter"
|
||||
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Indlæg (Hvis auto-udregn er deaktiveret)"
|
||||
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Minimum indlægs prioritet (Selvom auto-udregn er aktiveret)"
|
||||
|
||||
msgid "Archives"
|
||||
msgstr "Arkiver"
|
||||
|
||||
msgid "Update options"
|
||||
msgstr "Opdater indstillinger"
|
||||
|
||||
msgid "Reset options"
|
||||
msgstr "Nulstil indstillinger"
|
||||
|
||||
@@ -0,0 +1,596 @@
|
||||
# [Countryname] Language File for sitemap (sitemap-[localname].po)
|
||||
# Copyright (C) 2005 [name] : [URL]
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# [name] <[mail-address]>, 2005.
|
||||
# $Id: sitemap.pot 2502 2005-07-03 20:50:38Z arnee $
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: <[mail-address]>\n"
|
||||
"POT-Creation-Date: 2005-06-15 00:00+0000\n"
|
||||
"PO-Revision-Date: 2007-11-05 23:44+0100\n"
|
||||
"Last-Translator: Cenzi <lupus.lupine@gmail.com>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Language-Team: \n"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:846
|
||||
msgid "Comment Count"
|
||||
msgstr "Kommentek számolása"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:858
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Kommentek számának felhasználása a fontosság kiszámításához"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
msgid "Comment Average"
|
||||
msgstr "Kommentek"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Kommentek számolása, hogy a fontosságot megállapíthassa"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:993
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Gyakori tartalom"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:1005
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "Oldaltérkép generátor"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Oldaltérkép"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Köszönjük a támogatást. Segíthez a plugin fejlesztésében, hogy mindez ingyenes maradhasson!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Hide this notice"
|
||||
msgstr "Tanács elrejtése"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "Köszönjük, hogy ezt a plugint használja! Kb. egy hónapja telepítette a plugint. Ha jól működik, és elégedett az eredményekkel, akkor nem adományozna a fejlesztéshez egy keveset? <a href=\"%s\">Adományok</a> segíthetnek a fejleszésekben, hogy ez a plugin <i>ingyenes</i> maradhasson! <a href=\"%s\">Persze, nem probléma!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Köszönöm, nem. Ne jelenjen meg többet."
|
||||
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "Oldaltérkép generátor WordPresshez"
|
||||
|
||||
msgid "Configuration updated"
|
||||
msgstr "Beállítások frissítve!"
|
||||
|
||||
msgid "Error while saving options"
|
||||
msgstr "Hiba az oldalak mentésekor"
|
||||
|
||||
msgid "Pages saved"
|
||||
msgstr "Oldalak mentve"
|
||||
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Hiba az oldalak mentésekor"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2748
|
||||
#, php-format
|
||||
msgid "<a href=\"%s\">Robots.txt</a> file saved"
|
||||
msgstr "<a href=\"%s\">Robots.txt</a> fájl elmentve"
|
||||
|
||||
msgid "Error while saving Robots.txt file"
|
||||
msgstr "Hiba aa Robots.txt fájl mentésekor"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "Alap beállítás visszaállítva."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2851
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2868
|
||||
msgid "open"
|
||||
msgstr "megnyit"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2852
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2869
|
||||
msgid "close"
|
||||
msgstr "bezár"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2853
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2870
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "kattintson rá, és ragadja meg ezt a dobozt"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2854
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2871
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "kattintson, hogy %toggle% ezt a dobozt"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2855
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2872
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "használja a mozgatáshoz a jobbra, balra, fel és le billentyűket"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2856
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2873
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", vagy nyomja meg az enter gombot az %toggle% -hez."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
msgid "About this Plugin:"
|
||||
msgstr "Pluginról:"
|
||||
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Plugin főoldal"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
msgid "Notify List"
|
||||
msgstr "Értesítések"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
msgid "Support Forum"
|
||||
msgstr "Fórum"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Adományozás (PayPal)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "My Amazon kívánságlista"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_name"
|
||||
msgstr "Cenzi"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_url"
|
||||
msgstr "http://blog.cenzi.hu"
|
||||
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Oldaltérkép eredmények:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Webmaster Tools"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2900
|
||||
msgid "Site Explorer"
|
||||
msgstr "Oldal böngészése"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
msgid "Search Blog"
|
||||
msgstr "Kereső blog"
|
||||
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Oldaltérkép protokol"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Hivatalos oldaltérképek GYIK"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "Oldaltérképek GYIK"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Adományok:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
msgid "List of the donors"
|
||||
msgstr "Adományozók listája"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
msgid "Hide this list"
|
||||
msgstr "Lista elrejtése"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Köszönjük a támogatást!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2931
|
||||
msgid "Status"
|
||||
msgstr "Állapot"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2941
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "Az oldaltérkép még nem készült el. <a href=\"%s\">Kattints ide</a> az elkészítéséhez."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2947
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "Az <a href=\"%url%\">oldaltérkép</a> legutóbbi felépítése: <b>%date%</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2949
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Probléma merült fel az oldaltérkép elkészítésekor. Bizonyosodj meg, hogy a fájl létezik és írható. <a href=\"%url%\">Tovább</a"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2956
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "Az oldaltérképed (<a href=\"%url%\">tömörésének</a>) ideje: <b>%date%</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2958
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Probléma merült fel az oldaltérkép tömörítésénél. Bizonyosodj meg, hogy a fájl létezik és írható. <a href=\"%url%\">Tovább</a"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2964
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google <b>sikeresen értesítve</b> lett a változásokról."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "%time% másodpercbe telt a Google értesítése, de kikapcsolható ez a funkció."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3011
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "Probléma merült fel a Google értesítésénél. <a href=\"%s\">Eredmény megtekintése</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "YAHOO <b>sikeresen értesítve</b> lett a változásokról."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2979
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "%time% másodpercbe telt a YAHOO értesítése, de kikapcsolható ez a funkció."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3023
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "Probléma merült fel a YAHOO értesítésénél. <a href=\"%s\">Eredmény megtekintése</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2988
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com <b>sikeresen értesítve</b> lett a változásokról."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "%time% másodpercbe telt a Ask.com értesítése, de kikapcsolható ez a funkció."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3035
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Probléma merült fel a Ask.com értesítésénél. <a href=\"%s\">Eredmény megtekintése</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3002
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "Felépítési folyamat kb. <b>%time% másodperc</b> ami %memory% MB memóriát használ fel."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3004
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "Felépítési folyamat kb. <b>%time% másodperc</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3008
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "Az oldaltérkép tartalma <strong>nem változott</strong>, ezért nem lesznek a keresők megpingelve."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3012
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "Nem sikerült! Talán kevés a memória. <a href=\"%url%\">Tovább</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3014
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "Az utolsó memóriahasználat %memused%MB volt, a memórialimit: %memlimit%."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3018
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "Az utolsó script használat %timeused% másodperc, a szervered limite: %timelimit% másodperc."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3022
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "A script megállt megközelítőleg a következő bejegyzési számnál: %lastpost% (+/- 100)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3025
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "Ha valamilyen változás történik a blogodon vagy szervereden, akkor ajánlatos az <a href=\"%s\">oldaltérkép újraépítése</a> kézzel."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3027
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Ha felmerül valamilyen probléma a felépítési folyamat során, akkor futtasd le a <a href=\"%d\">debug funkciót</a> a további információért."
|
||||
|
||||
msgid "Basic Options"
|
||||
msgstr "Alap beállítások"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
msgid "Sitemap files:"
|
||||
msgstr "Oldaltérkép fájlok:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
msgid "Learn more"
|
||||
msgstr "Tovább"
|
||||
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Normál XML fájl írása (fájlnév)"
|
||||
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Gzippelt fájl írása (fájlév + .gz)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
msgid "Building mode:"
|
||||
msgstr "Felépítési mód:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3064
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "Oldaltérkép újraépítése, ha a blogod tartalma megváltozott"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3071
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "Kézi oldaltérkép engedélyezése a GET Request segítségével"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3075
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr "Ez engedélyezni fogja az oldaltérkép frissülését a WordPress adatbázisban. Használd a következő címet a folyamat elindításához: <a href=\"%1\">%1</a> Ellenőrizd a naplózó fájlt, hogy a folyamat befejeződött-e."
|
||||
|
||||
msgid "Update notification:"
|
||||
msgstr "Frissítési értesítések"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Google értesítése a blogod frissülésekor"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Nincs szükség a regisztráláshoz, de csatlakozhatsz a <a href=\"%s\">Google Webmaster Tools</a> programhoz, hogy ellenőrizhesd a robotok statisztikáját."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3088
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Ask.com értesítése a blogod frissítésekor"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3089
|
||||
msgid "No registration required."
|
||||
msgstr "Nincs szükség a regisztrációhoz."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3093
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "YAHOO értesítése a blogod frissítésekor"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3094
|
||||
#, php-format
|
||||
msgid "No registration required, but you can sign up for the <a href=\"%s\">YAHOO Site Explorer</a> to view the crawling progress."
|
||||
msgstr "Nincs szükség a regisztráláshoz, de csatlakozhatsz a <a href=\"%s\">YAHOO Site Explorer</a> programhoz, hogy ellenőrizhesd a robotok statisztikáját."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3099
|
||||
#, php-format
|
||||
msgid "Modify or create %s file in blog root which contains the sitemap location."
|
||||
msgstr "%s fájl elkészítése vagy módosítása."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3102
|
||||
msgid "File permissions: "
|
||||
msgstr "Fájl engedélyek:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3107
|
||||
msgid "OK, robots.txt is writable."
|
||||
msgstr "OK, robots.txt írható."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3109
|
||||
msgid "Error, robots.txt is not writable."
|
||||
msgstr "Hiba, robots.txt nem írható."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3113
|
||||
msgid "OK, robots.txt doesn't exist but the directory is writable."
|
||||
msgstr "OK, robots.txt nem létezik, de a könyvtár írható."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3115
|
||||
msgid "Error, robots.txt doesn't exist and the directory is not writable"
|
||||
msgstr "Hiba, robots.txt nem létezik és a könyvtár nem írható."
|
||||
|
||||
msgid "Advanced options:"
|
||||
msgstr "Haladó beállítások:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "Bejegyzések számának limitálása az oldaltérképben:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "Újabb bejegyzések előre kerülnek"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Próbáld meg a memória limit emelését:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "pl. \"4M\", \"16M\""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "Próbáld meg a végrehajtási idő emelését:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "másodpercekben pl. \"60\" vagy \"0\" a korlátlanért"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "XSLT stíluslap mellékelése:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Use Default"
|
||||
msgstr "Alapbeállítás használata"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "Teljes vagy relatív URL elérése a .xsl fájlhoz"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "Alap MySQL mód engedélyezése. Ezt csak akkor használd, ha MySQL hibákat tapasztalsz. (Sokkal több memóriára lesz szükség!)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "Háttérfolyamatként építse fel az oldaltérképet (Nem kell várni, amíg a bejegyzést elmented)"
|
||||
|
||||
msgid "Additional pages"
|
||||
msgstr "Oldalak"
|
||||
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Be tudod állítani azokat a fájlokat, amelyek nem tartoznak a blogodhoz.<br />Például, ha a domainod www.akarmi.hu és a blogod a www.akarmi.hu/blog címen van, beleteheted a www.akarmi.hu címet is az oldaltérképbe."
|
||||
|
||||
msgid "Note"
|
||||
msgstr "Megjegyzés"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Ha a blogod egy alkönyvtárban van és olyan oldalakat szeretnél felvenni, amelyek nincsennek a blog könyvtárában, akkor a gyökér könyvtárban kell elhelyeznek az oldaltérképet."
|
||||
|
||||
msgid "URL to the page"
|
||||
msgstr "Oldal URL-je"
|
||||
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Írd be az oldal URL-jét. Például: http://www.akarmi.hu/index.html vagy www.akarmi.hu/home"
|
||||
|
||||
msgid "Priority"
|
||||
msgstr "Fontosság"
|
||||
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Válaszd ki az oldalak fontosságát. Például, a kezdőlapod lehet, hogy fontosabb, mint az aloldalak."
|
||||
|
||||
msgid "Last Changed"
|
||||
msgstr "Utolsó módosítás"
|
||||
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Írd be az utolsó módosítást YYYY-MM-DD (példaként: 2007-08-12) (ajánlott)."
|
||||
|
||||
msgid "Change Frequency"
|
||||
msgstr "Változások gyakorisága"
|
||||
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
msgid "No pages defined."
|
||||
msgstr "Nincs oldal beállítva."
|
||||
|
||||
msgid "Add new page"
|
||||
msgstr "Új oldal felvétele"
|
||||
|
||||
msgid "Post Priority"
|
||||
msgstr "Bejegyzés fontossága"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Válaszd ki, hogyan működjön a fontosság kalkulálása"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Ne használja az automatikus fontosság kalkulálását"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "Minden bejegyzés azonos fontosságú ami a "Fontosságok" alatt lett beállítva"
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Oldaltérkép fájl elérése"
|
||||
|
||||
msgid "Automatic detection"
|
||||
msgstr "Automatikus megállapítás"
|
||||
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Oldaltérkép fájl neve"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "Elérés"
|
||||
|
||||
msgid "Detected URL"
|
||||
msgstr "URL megállapítása"
|
||||
|
||||
msgid "Custom location"
|
||||
msgstr "Egyéni elérés"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Abszolút vagy relatív elérése az oldaltérkép fájlnak (fájl-névvel együtt)."
|
||||
|
||||
msgid "Example"
|
||||
msgstr "Példa"
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "Teljes URL-je az oldaltérkép fájlnak (fájl-névvel együtt)."
|
||||
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Oldaltérkép tartalma"
|
||||
|
||||
msgid "Include homepage"
|
||||
msgstr "Főoldal mellékelése"
|
||||
|
||||
msgid "Include posts"
|
||||
msgstr "Bejegyzések mellékelése"
|
||||
|
||||
msgid "Include static pages"
|
||||
msgstr "Statikus oldalak mellékelése"
|
||||
|
||||
msgid "Include categories"
|
||||
msgstr "Kategóriák mellékelése"
|
||||
|
||||
msgid "Include archives"
|
||||
msgstr "Arhívumok mellékelése"
|
||||
|
||||
msgid "Include tag pages"
|
||||
msgstr "Címkék oldalak melléklése"
|
||||
|
||||
msgid "Include author pages"
|
||||
msgstr "Szerző oldalak melléklése"
|
||||
|
||||
msgid "Change frequencies"
|
||||
msgstr "Változások gyakorisága"
|
||||
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
|
||||
msgid "Homepage"
|
||||
msgstr "Főoldal"
|
||||
|
||||
msgid "Posts"
|
||||
msgstr "Bejegyzések"
|
||||
|
||||
msgid "Static pages"
|
||||
msgstr "Statikus oldal"
|
||||
|
||||
msgid "Categories"
|
||||
msgstr "Kategóriák"
|
||||
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Jelenlegi hónap arhívuma (Megegyezik az oldaladéval)"
|
||||
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Régi archívumok (Ha egy régi bejegyzést módosítottál)"
|
||||
|
||||
msgid "Tag pages"
|
||||
msgstr "Címkék oldalak"
|
||||
|
||||
msgid "Author pages"
|
||||
msgstr "Szerző oldalak"
|
||||
|
||||
msgid "Priorities"
|
||||
msgstr "Fontosságok"
|
||||
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Bejegyzések (Ha az automatikus kalkulálás ki van kapcsolva)"
|
||||
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Minimum bejegyzések fontossága (Ha az automatikus kalkulálás engedélyezve van)"
|
||||
|
||||
msgid "Archives"
|
||||
msgstr "Archívumok"
|
||||
|
||||
msgid "Update options"
|
||||
msgstr "Beállítások frissítése"
|
||||
|
||||
msgid "Reset options"
|
||||
msgstr "Beállítások visszaállítása"
|
||||
|
||||
@@ -0,0 +1,938 @@
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: Google Sitemap Generator in italiano\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2009-08-24 00:20+0100\n"
|
||||
"PO-Revision-Date: 2009-08-24 19:14+0100\n"
|
||||
"Last-Translator: Gianni Diurno (aka gidibao) <gidibao@gmail.com>\n"
|
||||
"Language-Team: Gianni Diurno | http://gidibao.net/ <gidibao@gmail.com>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Poedit-Language: Italian\n"
|
||||
"X-Poedit-Country: ITALY\n"
|
||||
"X-Poedit-SourceCharset: utf-8\n"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:846
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:642
|
||||
msgid "Comment Count"
|
||||
msgstr "Numero dei commenti"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:858
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:654
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Utilizza per calcolare la priorità il numero dei commenti all'articolo"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:714
|
||||
msgid "Comment Average"
|
||||
msgstr "Media dei commenti"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:726
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Utilizza per calcolare la priorità la media dei commenti"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:993
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:789
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Popularity Contest"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:1005
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:801
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "Utilizza il plugin attivato a nome<a href=\"%1\">Popularity Contest</a> di <a href=\"%2\">Alex King</a>. Vai sotto <a href=\"%3\">Impostazioni</a> quindi <a href=\"%4\">Most Popular Posts</a>"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1191
|
||||
msgid "Always"
|
||||
msgstr "sempre"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1192
|
||||
msgid "Hourly"
|
||||
msgstr "ogni ora"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1193
|
||||
msgid "Daily"
|
||||
msgstr "ogni giorno"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1194
|
||||
msgid "Weekly"
|
||||
msgstr "settimanalmente"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1195
|
||||
msgid "Monthly"
|
||||
msgstr "mensilmente"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1196
|
||||
msgid "Yearly"
|
||||
msgstr "annualmente"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1197
|
||||
msgid "Never"
|
||||
msgstr "mai"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:97
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Grazie per la tua donazione. Mi hai aiutato nel proseguire lo sviluppo ed il supporto per questo plugin e per dell'altro software gratuito!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:97
|
||||
msgid "Hide this notice"
|
||||
msgstr "Nascondi questo annuncio"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:103
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "Grazie per l'utilizzo di questo plugin! Tu hai installato questo plugin più di un mese fa. Qualora funzionasse correttamente e tu fossi soddisfatto per i risultati, perché non donarmi un dollaro? <a href=\"%s\">Le donazioni</a> mi aiuteranno nel proseguire lo sviluppo ed il supporto per questo plugin <i>gratuito</i>! <a href=\"%s\">Ecco la mia offerta!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:103
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "No grazie. Non scocciarmi più!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:67
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:114
|
||||
msgid "Your sitemap is being refreshed at the moment. Depending on your blog size this might take some time!"
|
||||
msgstr "La tua sitemap sta per essere rigenerata. In relazione alla dimensione del tuo blog potrebbe occorrere un po' di tempo!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:69
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:116
|
||||
#, php-format
|
||||
msgid "Your sitemap will be refreshed in %s seconds. Depending on your blog size this might take some time!"
|
||||
msgstr "La tua sitemap verrà rigenerata in %s secondi. In relazione alla dimensione del tuo blog potrebbe occorrere un po' di tempo!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:145
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:448
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "XML Sitemap Generator per WordPress"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:293
|
||||
msgid "Configuration updated"
|
||||
msgstr "Configurazione aggiornata"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:294
|
||||
msgid "Error while saving options"
|
||||
msgstr "Errore durante il savataggio delle opzioni"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:296
|
||||
msgid "Pages saved"
|
||||
msgstr "Pagine salvate"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:297
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Errore durante il salvataggio delle pagine"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:304
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "La configurazione predefinita é stata ripristinata."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:374
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:461
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a>."
|
||||
msgstr "E' disponibile una nuova versione di %1$s. <a href=\"%2$s\">Scarica qui la versione %3$s</a>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:376
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:463
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> <em>automatic upgrade unavailable for this plugin</em>."
|
||||
msgstr "E' disponibile una nuova versione di %1$s. <a href=\"%2$s\">Scarica qui la versione %3$s</a> <em>l'aggiornamento automatico non é disponibile per questo plugin</em>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:378
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:465
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> or <a href=\"%4$s\">upgrade automatically</a>."
|
||||
msgstr "E' disponibile una nuova versione di %1$s. <a href=\"%2$s\">Scarica qui la versione %3$s</a> oppure <a href=\"%4$s\">aggiorna in automatico</a>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2851
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2868
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:488
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:505
|
||||
msgid "open"
|
||||
msgstr "apri"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2852
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2869
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:489
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:506
|
||||
msgid "close"
|
||||
msgstr "chiudi"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2853
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2870
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:490
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:507
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "clicca verso il basso e trascina per spostare questo riquadro"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2854
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2871
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:491
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:508
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "clicca per %toggle% questo riquadro"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2855
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2872
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:492
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:509
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "udsa il tasto freccia per spostare questo riquadro"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2856
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2873
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:493
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:510
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", oppure premi il tasto Invio per %toggle%"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:528
|
||||
msgid "About this Plugin:"
|
||||
msgstr "Info plugin:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:529
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:153
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Plugin Homepage"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:421
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:530
|
||||
msgid "Suggest a Feature"
|
||||
msgstr "Suggerimenti"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:531
|
||||
msgid "Notify List"
|
||||
msgstr "Lista notifiche"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:532
|
||||
msgid "Support Forum"
|
||||
msgstr "Forum di supporto"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:424
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:533
|
||||
msgid "Report a Bug"
|
||||
msgstr "Segnala un errore"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:535
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Dona con PayPal"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:536
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "La mia Amazon Wish List"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:537
|
||||
msgid "translator_name"
|
||||
msgstr "Gianni Diurno"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:537
|
||||
msgid "translator_url"
|
||||
msgstr "http://gidibao.net/"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:540
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Risorse Sitemap:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:541
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:547
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Webmaster Tools"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:542
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2900
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:544
|
||||
msgid "Site Explorer"
|
||||
msgstr "Site Explorer"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:545
|
||||
msgid "Search Blog"
|
||||
msgstr "Search Blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3010
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:548
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "Webmaster Center Blog"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:550
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Protocollo Sitemap"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:551
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "FAQ ufficiale Sitemap"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:552
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "La mia Sitemaps FAQ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:555
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Contributi recenti:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:559
|
||||
msgid "List of the donors"
|
||||
msgstr "Lista dei donatori"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:561
|
||||
msgid "Hide this list"
|
||||
msgstr "Nascondi questa lista"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:564
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Grazie per il tuo supporto!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:584
|
||||
msgid "The sitemap wasn't generated yet."
|
||||
msgstr "La sitemap non é stata ancora generata."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:587
|
||||
msgid "Result of the last build process, started on %date%."
|
||||
msgstr "Risultato dell'ultimo processo di generazione, avviato il %date%."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2941
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:596
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "La sitemap non é stata ancora generatat. <a href=\"%s\">Clicca qui</a> per costruirla la prima volta."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2947
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:602
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "La tua <a href=\"%url%\">sitemap</a> é stata generata il <b>%date%</b>."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:603
|
||||
msgid "The last build succeeded, but the file was deleted later or can't be accessed anymore. Did you move your blog to another server or domain?"
|
||||
msgstr "La generazione é avvenuta con successo ma pare che il file é stato cancellato oppure non sia più accessibile. Hai forse spostato il tuo blog su di un altro server oppure hai cambiato il dominio?"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2949
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:605
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "Si é verificato un problema durante la scrittura del file sitemap. Assicurati che il file esista e sia scrivibile. <a href=\"%url%\">Info</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2956
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:612
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "La tua sitemap (<a href=\"%url%\">archivio .zip</a>) é stata generata il <b>%date%</b>."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:613
|
||||
msgid "The last zipped build succeeded, but the file was deleted later or can't be accessed anymore. Did you move your blog to another server or domain?"
|
||||
msgstr "La creazione del file .zip é avvenuta con successo ma pare che il file é stato cancellato oppure non sia più accessibile. Hai forse spostato il tuo blog su di un altro server oppure hai cambiato il dominio?"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2958
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:615
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "Si é verificato un problema durante la scrittura del file .zip della sitemap. Assicurati che il file esista e sia scrivibile . <a href=\"%url%\">Info</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2964
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:621
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google ha ricevuto con <b>successo</b> la notifica dei cambiamenti."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:624
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Sono stati necessari %time% secondi per la notifica a Google, meglio disattivare questa funzione in modo tale da poter ridurre i tempi di generazione."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3011
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:627
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "Si é verificato un errore durante la notifica a Google. <a href=\"%s\">Vedi risultato</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:633
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "YAHOO ha ricevuto con <b>successo</b> la notifica dei cambiamenti."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2979
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:636
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Sono stati necessari %time% secondi per la notifica a YAHOO, meglio disattivare questa funzione in modo tale da poter ridurre i tempi di generazione."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3023
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:639
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "Si é verificato un errore durante la notifica a YAHOO. <a href=\"%s\">Vedi risultato</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3097
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:645
|
||||
msgid "Bing was <b>successfully notified</b> about changes."
|
||||
msgstr "Bing ha ricevuto con <b>successo</b> la notifica dei cambiamenti."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:648
|
||||
msgid "It took %time% seconds to notify Bing, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Sono stati necessari %time% secondi per la notifica a Bing, meglio disattivare questa funzione in modo tale da poter ridurre i tempi di generazione."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3011
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:651
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Bing. <a href=\"%s\">View result</a>"
|
||||
msgstr "Si é verificato un errore durante la notifica a Bing. <a href=\"%s\">Vedi risultato</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2988
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:657
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com ha ricevuto con <b>successo</b> la notifica dei cambiamenti."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:660
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Sono stati necessari %time% secondi per la notifica a Ask.com, meglio disattivare questa funzione in modo tale da poter ridurre i tempi di generazione."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3035
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:663
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Si é verificato un errore durante la notifica a Ask.com. <a href=\"%s\">Vedi risultato</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3002
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:671
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "Sono stati necessari circa <b>%time% secondi</b> per completare il processo di costruzione e sono stati utilizzati %memory% MB di memoria."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3004
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:673
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "Sono stati necessari circa <b>%time% secondi</b> per completare il processo."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3008
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:677
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "Il contenuto della tua sitemap <strong>non cambierà</strong> sino all'ultimo momento in modo tale che i file non scritti e nessun motore di ricerca ricevano il ping."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:586
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:685
|
||||
msgid "The building process might still be active! Reload the page in a few seconds and check if something has changed."
|
||||
msgstr "La procedura di costruzione é ancora in atto! Ricarica tra alcuni secondi la pagina e verifica quindi se qualcosa fosse cambiato."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3012
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:688
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "L'ultima operazione non é ancora conclusa! Forse é necessario che tu aumenti la memoria oppure il limite di tempo per gli scripts PHP. <a href=\"%url%\">Info</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3014
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:690
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "L'ultimo utilizzo di memoria conosciuto per lo script é %memused%MB, il limite del tuo server é %memlimit%."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3018
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:694
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "L'ultimo tempo di esecuzione dello script é stato di %timeused% secondi, il limite del tuo server é di %timelimit% secondi."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3022
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:698
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "Lo script si é fermato intorno al post numero %lastpost% (+/- 100)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3025
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:701
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "Qualora avessi modificato qualcosa nel tuo blog o server dovrai <a href=\"%s\">rigenerare la sitemap</a> manualmente."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3027
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:703
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Nel caso in cui rilevassi un qualche problema durante il processo di generazione, utilizza la funzione <a href=\"%d\">debug</a> per ottenere maggiori informazioni."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:710
|
||||
msgid "Basic Options"
|
||||
msgstr "Opzioni di Base"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:712
|
||||
msgid "Sitemap files:"
|
||||
msgstr "File Sitemap:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:712
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:727
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:747
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:780
|
||||
msgid "Learn more"
|
||||
msgstr "altre info"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:717
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Scrivi un normale file XML (nome del file)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:723
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Scrivi un file gzip (il nome del file + .gz)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:727
|
||||
msgid "Building mode:"
|
||||
msgstr "Modalità generazione:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3064
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:732
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "Rigenera la sitemap quando cambi il contenuto del tuo blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3071
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:739
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "Abilita la generazione manuale della sitemap via GET Request"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3075
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:743
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the result box above to see if sitemap was successfully built."
|
||||
msgstr "Questa operazione ti permetterà di rigenerare la sitemap qualora uno strumento esterno abbia operato una scrittura nel database di WordPress senza l'utilizzo della WordPress API. Utilizza l'URL a seguire per avviare il processo: <a href=\"%1\">%1</a> Verifica nel registro qui sopra se la generazione della sitemap é avvenuta con successo."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:747
|
||||
msgid "Update notification:"
|
||||
msgstr "Notifica aggiornamenti:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:751
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Segnala a Google gli aggiornamenti del tuo blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:752
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Non é richiesta alcuna registrazione, vedi <a href=\"%s\">Google Webmaster Tools</a> per le relative informazioni."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3209
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:756
|
||||
msgid "Notify Bing (formerly MSN Live Search) about updates of your Blog"
|
||||
msgstr "Segnala a Bing (ex MSN Live Search) gli aggiornamenti del tuo blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:757
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Bing Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Non é richiesta alcuna registrazione, vai alla pagina <a href=\"%s\">Bing Webmaster Tools</a> per verificare le statistiche."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3088
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:761
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Segnala ad Ask.com gli aggiornamenti del tuo blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3089
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:762
|
||||
msgid "No registration required."
|
||||
msgstr "Nessuna registrazione necessaria."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3093
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:766
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "Segnala a YAHOO gli aggiornamenti del tuo blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:767
|
||||
msgid "Your Application ID:"
|
||||
msgstr "La tua ID applicazione:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:768
|
||||
#, php-format
|
||||
msgid "Don't you have such a key? <a href=\"%s1\">Request one here</a>! %s2"
|
||||
msgstr "Non hai una chiave? <a href=\"%s1\">Richiedine qui una</a>! %s2"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:773
|
||||
msgid "Add sitemap URL to the virtual robots.txt file."
|
||||
msgstr "Aggiungi l'URL della sitemap al file virtuale robot.txt "
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:777
|
||||
msgid "The virtual robots.txt generated by WordPress is used. A real robots.txt file must NOT exist in the blog directory!"
|
||||
msgstr "Verrà utilizzato il robots.txt virtuale generato da WordPress. Un file robots.txt reale NON deve esistere nella cartella del blog!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:780
|
||||
msgid "Advanced options:"
|
||||
msgstr "Opzioni avanzate:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:783
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "Numero limite di articoli presenti nella sitemap:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:783
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "gli articoli più recenti verranno inclusi per primi"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:786
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Prova ad aumentare il limite di memoria a:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:786
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "es. \"4M\", \"16M\""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:789
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "Prova ad aumentare il limite del tempo di esecuzione a:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:789
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "in secondi, es. \"60\" o \"0\" per nessun limite"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:793
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "Includi un foglio di stile XSLT: "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:794
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "URL al tuo file .xsl "
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:794
|
||||
msgid "Use default"
|
||||
msgstr "Utilizza predefinito"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:800
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "Abilita la modalità MySQL standard. Solo in caso di errori MySQL. (ampio utilizzo della memoria!)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:801
|
||||
msgid "Upgrade WordPress at least to 2.2 to enable the faster MySQL access"
|
||||
msgstr "Aggiorna almeno a WordPress 2.2 per attivare un accesso MySQL più veloce"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:808
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "Costruisci la sitemap con una procedura in background (nessuna attesa durante il salvataggio di un articolo)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:809
|
||||
msgid "Upgrade WordPress at least to 2.1 to enable background building"
|
||||
msgstr "Aggiorna almeno a WordPress 2.1 per attivare la generazione in background"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:816
|
||||
msgid "Additional pages"
|
||||
msgstr "Pagine aggiuntive"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:819
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Qui è possibile specificare file o URL che dovranno venir incluse nella sitemap ma che non appartengono al vostro Blog/WordPress.<br />Ad esempio, se il vostro dominio è www.foo.com ed il vostro blog è posizionato in www.foo.com/blog potreste voler includere la vostra homepage in www.foo.com"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:821
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1010
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1024
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1033
|
||||
msgid "Note"
|
||||
msgstr "Nota"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:822
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Se il tuo blog fosse allocato in una sottodirectory e desiderassi aggiungere delle pagine che NON si trovano nella directory del blog o sotto di essa, DOVRAI posizionare il tuo file di sitemap nella directory radice (vedi la sezione "Posizione del file di sitemap" su questa pagina)!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:824
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:863
|
||||
msgid "URL to the page"
|
||||
msgstr "URL della pagina"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:825
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "inserire la URL della pagina. Ad esempio: http://www.foo.com/index.html oppure www.foo.com/home "
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:827
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:864
|
||||
msgid "Priority"
|
||||
msgstr "Priorità"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:828
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "scegli la priorità di questa pagina in relazione alle altre. Ad esempio, la tua homepage dovrebbe avere una priorità maggiore rispetto alle altre pagine."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:830
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:866
|
||||
msgid "Last Changed"
|
||||
msgstr "Ultima modifica"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:831
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Inserisci la data dell'ultima modifica nel formato YYYY-MM-DD (ad esempio 2005-12-31) (opzionale)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:865
|
||||
msgid "Change Frequency"
|
||||
msgstr "Cambia frequenza"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:867
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:872
|
||||
msgid "No pages defined."
|
||||
msgstr "Nessuna pagina definita"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:877
|
||||
msgid "Add new page"
|
||||
msgstr "Aggiungi nuova pagina"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:882
|
||||
msgid "Post Priority"
|
||||
msgstr "Priorità articolo"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:884
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Seleziona come deve essere calcolata la priorità per ogni articolo:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:886
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Non utilizzare il calcolo automatico della priorità"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:886
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "Tutti gli articoli hanno la stessa priorità definita in "Prioritià""
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:897
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Posizione del file di sitemap"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:900
|
||||
msgid "Automatic detection"
|
||||
msgstr "Rilevazione automatica"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:904
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Nome del file di sitemap"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:907
|
||||
msgid "Detected Path"
|
||||
msgstr "Percorso determinato"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:907
|
||||
msgid "Detected URL"
|
||||
msgstr "URL determinata"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:912
|
||||
msgid "Custom location"
|
||||
msgstr "Località personalizzata"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:916
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Percorso"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:918
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:927
|
||||
msgid "Example"
|
||||
msgstr "Esempio"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:925
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "URL completa al file di sitemap, compreso il nome del file"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:938
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Contenuto sitemap"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:944
|
||||
msgid "Include homepage"
|
||||
msgstr "Includi homepage"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:950
|
||||
msgid "Include posts"
|
||||
msgstr "Includi articoli"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:911
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:956
|
||||
msgid "Include following pages of multi-page posts (Increases build time and memory usage!)"
|
||||
msgstr "Includi le seguenti pagine di articoli pagina-multipla (incrementa il tempo di generazione e l'utilizzo di memoria!)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:962
|
||||
msgid "Include static pages"
|
||||
msgstr "Includi pagine statiche"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:968
|
||||
msgid "Include categories"
|
||||
msgstr "Includi categorie"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:974
|
||||
msgid "Include archives"
|
||||
msgstr "Includi gli archivi"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:981
|
||||
msgid "Include tag pages"
|
||||
msgstr "Includi pagine tag"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:988
|
||||
msgid "Include author pages"
|
||||
msgstr "Includi pagine autore"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:992
|
||||
msgid "Further options"
|
||||
msgstr "Opzioni aggiuntive"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:997
|
||||
msgid "Include the last modification time."
|
||||
msgstr "Includi ora dell'ultima modifica."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:999
|
||||
msgid "This is highly recommended and helps the search engines to know when your content has changed. This option affects <i>all</i> sitemap entries."
|
||||
msgstr "Questa operazione é altamente raccomandata poiché aiuta i motori di ricerca a conoscere quando sono stati modificati i contenuti. Questa opzione avrà influenza su <i>tutti</i> i contenuti della sitemap."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1006
|
||||
msgid "Excluded items"
|
||||
msgstr "Escludi elementi"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1008
|
||||
msgid "Excluded categories"
|
||||
msgstr "Categorie escluse"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1010
|
||||
msgid "Using this feature will increase build time and memory usage!"
|
||||
msgstr "l'utilizzo di questa funzione aumenterà il tempo di generazione e l'utilizzo di memoria!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1017
|
||||
#, php-format
|
||||
msgid "This feature requires at least WordPress 2.5.1, you are using %s"
|
||||
msgstr "Questa funzione richiede come minimo WordPress 2.5.1, tu stai usando %s"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1020
|
||||
msgid "Exclude posts"
|
||||
msgstr "Escludi articoli"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1022
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "Escludi i seguenti articoli o pagine:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1022
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "separa tra loro con una virgola i vari ID"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1024
|
||||
msgid "Child posts won't be excluded automatically!"
|
||||
msgstr "gli articoli child non saranno automaticamente esclusi!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1030
|
||||
msgid "Change frequencies"
|
||||
msgstr "Modifica frequenze"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1034
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Si noti che il valore di questo tag è da considerarsi un suggerimento e non un comando. Anch se i motori di ricerca prendono in considerazione questa informazione quando decidono cosa indicizzare, potrebbero comunque indicizzare le pagine marcate \"ogni ora\" meno frequentemente così come potrebbero analizzare le pagine marcate come \"annualmente\" più frequentemente. È anche probabile che i moori analizzino periodicamente anche le pagine marcate con \"mai\" per gestire eventuali modifiche inaspettate in queste pagine."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1040
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1097
|
||||
msgid "Homepage"
|
||||
msgstr "Homepage"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1046
|
||||
msgid "Posts"
|
||||
msgstr "Articoli"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1052
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1115
|
||||
msgid "Static pages"
|
||||
msgstr "Pagine statiche"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1058
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1121
|
||||
msgid "Categories"
|
||||
msgstr "Categorie"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1064
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Archivo del mese corrente (dovrebbe avere lo stesso valore della homepage)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1070
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Archivi precedenti (cambia solo se modificato un vecchio articolo)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1077
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1134
|
||||
msgid "Tag pages"
|
||||
msgstr "Pagine tag"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1084
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1141
|
||||
msgid "Author pages"
|
||||
msgstr "Pagine autore"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1092
|
||||
msgid "Priorities"
|
||||
msgstr "Priorità"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1103
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Articoli (se disabilitato il calcolo automatico)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1109
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Priorità minima degli articoli (anche se fosse stato abilitato il calcolo automatico)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1127
|
||||
msgid "Archives"
|
||||
msgstr "Archivi"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1152
|
||||
msgid "Update options"
|
||||
msgstr "Aggiorna le opzioni"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1153
|
||||
msgid "Reset options"
|
||||
msgstr "Ripristina le opzioni"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:87
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "XML-Sitemap Generator"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:87
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Sitemap"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:101
|
||||
msgid "Settings"
|
||||
msgstr "Impostazioni"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:102
|
||||
msgid "FAQ"
|
||||
msgstr "FAQ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:103
|
||||
msgid "Support"
|
||||
msgstr "Supporto"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:104
|
||||
msgid "Donate"
|
||||
msgstr "Donazione"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:154
|
||||
msgid "Sitemap FAQ"
|
||||
msgstr "Sitemap FAQ"
|
||||
|
||||
@@ -0,0 +1,604 @@
|
||||
# Translation of Google XML Sitemaps in Japanese
|
||||
# This file is distributed under the same license as the Google XML Sitemaps package.
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"PO-Revision-Date: 2014-04-06 01:07:14+0000\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Plural-Forms: nplurals=1; plural=0;\n"
|
||||
"X-Generator: GlotPress/0.1\n"
|
||||
"Project-Id-Version: Google XML Sitemaps\n"
|
||||
|
||||
#: sitemap-ui.php:782
|
||||
msgid "Allow anonymous statistics (no personal information)"
|
||||
msgstr "匿名の統計を許可する(個人情報は含まれません)"
|
||||
|
||||
#: sitemap-ui.php:776
|
||||
msgid "(The required PHP XSL Module is not installed)"
|
||||
msgstr "(必要なPHPのXSLモジュールがインストールされていません)"
|
||||
|
||||
#: sitemap-core.php:536
|
||||
msgid "Comment Count"
|
||||
msgstr "コメント数"
|
||||
|
||||
#: sitemap-core.php:546
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "コメント数から投稿の優先順位を計算する"
|
||||
|
||||
#: sitemap-core.php:599
|
||||
msgid "Comment Average"
|
||||
msgstr "平均コメント数"
|
||||
|
||||
#: sitemap-core.php:609
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "平均コメント数を使って優先順位を計算する"
|
||||
|
||||
#: sitemap-core.php:770
|
||||
msgid "Always"
|
||||
msgstr "常時"
|
||||
|
||||
#: sitemap-core.php:771
|
||||
msgid "Hourly"
|
||||
msgstr "毎時"
|
||||
|
||||
#: sitemap-core.php:772
|
||||
msgid "Daily"
|
||||
msgstr "毎日"
|
||||
|
||||
#: sitemap-core.php:773
|
||||
msgid "Weekly"
|
||||
msgstr "毎週"
|
||||
|
||||
#: sitemap-core.php:774
|
||||
msgid "Monthly"
|
||||
msgstr "毎月"
|
||||
|
||||
#: sitemap-core.php:775
|
||||
msgid "Yearly"
|
||||
msgstr "毎年"
|
||||
|
||||
#: sitemap-core.php:776
|
||||
msgid "Never"
|
||||
msgstr "更新なし"
|
||||
|
||||
#: sitemap-loader.php:218
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "XML-Sitemap Generator"
|
||||
|
||||
#: sitemap-loader.php:218
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Sitemap"
|
||||
|
||||
#: sitemap-loader.php:246
|
||||
msgid "Settings"
|
||||
msgstr "設定"
|
||||
|
||||
#: sitemap-loader.php:247
|
||||
msgid "FAQ"
|
||||
msgstr "FAQ"
|
||||
|
||||
#: sitemap-loader.php:248
|
||||
msgid "Support"
|
||||
msgstr "サポート"
|
||||
|
||||
#: sitemap-loader.php:249
|
||||
msgid "Donate"
|
||||
msgstr "寄付"
|
||||
|
||||
#: sitemap-ui.php:630
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "プラグインのホームページ"
|
||||
|
||||
#: sitemap-ui.php:652
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "Sitemaps プラグイン FAQ"
|
||||
|
||||
#: sitemap-ui.php:198 sitemap-ui.php:585
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "XML Sitemap Generator for WordPress"
|
||||
|
||||
#: sitemap-ui.php:374
|
||||
msgid "Configuration updated"
|
||||
msgstr "設定を更新しました。"
|
||||
|
||||
#: sitemap-ui.php:375
|
||||
msgid "Error while saving options"
|
||||
msgstr "設定の保存中にエラーが発生しました。"
|
||||
|
||||
#: sitemap-ui.php:378
|
||||
msgid "Pages saved"
|
||||
msgstr "追加ページの設定を保存しました。"
|
||||
|
||||
#: sitemap-ui.php:379
|
||||
msgid "Error while saving pages"
|
||||
msgstr "追加ページの設定の保存中にエラーが発生しました。"
|
||||
|
||||
#: sitemap-ui.php:387
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "初期設定に戻しました。"
|
||||
|
||||
#: sitemap-ui.php:397
|
||||
msgid "The old files could NOT be deleted. Please use an FTP program and delete them by yourself."
|
||||
msgstr "古いファイルが削除できませんでした。FTPプログラムを利用してご自身でそれらを消去していただきますようお願いいたします。"
|
||||
|
||||
#: sitemap-ui.php:399
|
||||
msgid "The old files were successfully deleted."
|
||||
msgstr "古いファイルは正しく削除されました。"
|
||||
|
||||
#: sitemap-ui.php:439
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "寄付をありがとうございます。あなたの協力により、このプラグインやその他の無料ソフトのサポートや開発を続けることができます !"
|
||||
|
||||
#: sitemap-ui.php:439
|
||||
msgid "Hide this notice"
|
||||
msgstr "この通知を隠す"
|
||||
|
||||
#: sitemap-ui.php:445
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and you are satisfied with the results, isn't it worth at least a few dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "このプラグインをご利用いただきありがとございます!プラグインをインストールしてから一か月以上が経過しました。もし動作して、その成果にご満足いただけてたのであれば、少なくとも数ドルに値しませんでしょうか?<a href=\"%s\">寄付</a>は私がこの<i>フリー</i>ソフトウェアのサポートと開発を続けるために役立ちます!<a href=\"%s\">分かりました、その通りです!</a>"
|
||||
|
||||
#: sitemap-ui.php:445
|
||||
msgid "Sure, but I already did!"
|
||||
msgstr "分かりました。しかし、すでにしました。"
|
||||
|
||||
#: sitemap-ui.php:445
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "結構です。もううるさく言わないでください !"
|
||||
|
||||
#: sitemap-ui.php:452
|
||||
msgid "Thanks for using this plugin! You've installed this plugin some time ago. If it works and your are satisfied, why not <a href=\"%s\">rate it</a> and <a href=\"%s\">recommend it</a> to others? :-)"
|
||||
msgstr "このプラグインをご利用いただきありがとうございます!このプラグインをインストールしてからしばらく経過しました。もし動作して、その成果にご満足いただけてたのであれば、<a href=\"%s\">評価して</a>ほかの方に<a href=\"%s\">推薦して</a>ただけませんでしょうか? :-)"
|
||||
|
||||
#: sitemap-ui.php:452
|
||||
msgid "Don't show this anymore"
|
||||
msgstr "これ以上表示しない"
|
||||
|
||||
#: sitemap-ui.php:601
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a>."
|
||||
msgstr "新しいバージョンの %1$s があります。<a href=\"%2$s\">バージョン %3$s をダウンロード</a>"
|
||||
|
||||
#: sitemap-ui.php:603
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> <em>automatic upgrade unavailable for this plugin</em>."
|
||||
msgstr "新しいバージョンの %1$s があります。<a href=\"%2$s\">バージョン %3$s をダウンロード<em>このプラグインでは自動アップグレードは使えません</em>。"
|
||||
|
||||
#: sitemap-ui.php:605
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> or <a href=\"%4$s\">upgrade automatically</a>."
|
||||
msgstr "新しいバージョンの %1$s があります。<a href=\"%2$s\">バージョン %3$s をダウンロードするか、<a href=\"%4$s\">自動アップグレードを行ってください</a>。"
|
||||
|
||||
#: sitemap-ui.php:613
|
||||
msgid "Your blog is currently blocking search engines! Visit the <a href=\"%s\">privacy settings</a> to change this."
|
||||
msgstr "このブログは現在検索エンジンをブロック中です!変更するには<a href=\"%s\">表示設定</a>に行ってください。"
|
||||
|
||||
#: sitemap-ui.php:629
|
||||
msgid "About this Plugin:"
|
||||
msgstr "このプラグインについて:"
|
||||
|
||||
#: sitemap-ui.php:631
|
||||
msgid "Suggest a Feature"
|
||||
msgstr "機能を提案"
|
||||
|
||||
#: sitemap-ui.php:632
|
||||
msgid "Notify List"
|
||||
msgstr "通知一覧"
|
||||
|
||||
#: sitemap-ui.php:633
|
||||
msgid "Support Forum"
|
||||
msgstr "サポートフォーラム"
|
||||
|
||||
#: sitemap-ui.php:634
|
||||
msgid "Report a Bug"
|
||||
msgstr "バグを報告"
|
||||
|
||||
#: sitemap-ui.php:636
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "PayPal で寄付"
|
||||
|
||||
#: sitemap-ui.php:637
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Amazon ほしい物リスト"
|
||||
|
||||
#: sitemap-ui.php:638
|
||||
msgid "translator_name"
|
||||
msgstr "translator_name"
|
||||
|
||||
#: sitemap-ui.php:638
|
||||
msgid "translator_url"
|
||||
msgstr "translator_url"
|
||||
|
||||
#: sitemap-ui.php:641
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "サイトマップの情報源:"
|
||||
|
||||
#: sitemap-ui.php:642 sitemap-ui.php:647
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "ウェブマスターツール"
|
||||
|
||||
#: sitemap-ui.php:643
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog"
|
||||
|
||||
#: sitemap-ui.php:645
|
||||
msgid "Search Blog"
|
||||
msgstr "ブログ検索"
|
||||
|
||||
#: sitemap-ui.php:648
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "Webmaster Center Blog"
|
||||
|
||||
#: sitemap-ui.php:650
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "サイトマッププロトコル"
|
||||
|
||||
#: sitemap-ui.php:651
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Sitemaps プラグイン公式 FAQ"
|
||||
|
||||
#: sitemap-ui.php:655
|
||||
msgid "Recent Donations:"
|
||||
msgstr "最近の寄付:"
|
||||
|
||||
#: sitemap-ui.php:658
|
||||
msgid "List of the donors"
|
||||
msgstr "寄付者一覧"
|
||||
|
||||
#: sitemap-ui.php:660
|
||||
msgid "Hide this list"
|
||||
msgstr "一覧を隠す"
|
||||
|
||||
#: sitemap-ui.php:663
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "サポートありがとうございます !"
|
||||
|
||||
#: sitemap-ui.php:683
|
||||
msgid "Search engines haven't been notified yet"
|
||||
msgstr "検索エンジンはまだ通知されていません"
|
||||
|
||||
#: sitemap-ui.php:687
|
||||
msgid "Result of the last ping, started on %date%."
|
||||
msgstr "%date%に開始されたpingの結果"
|
||||
|
||||
#: sitemap-ui.php:702
|
||||
msgid "There is still a sitemap.xml or sitemap.xml.gz file in your blog directory. Please delete them as no static files are used anymore or <a href=\"%s\">try to delete them automatically</a>."
|
||||
msgstr "いまだにsitemap.xmlかsitemap.xml.gzファイルがこのブログのディレクトリにあります。これ以上静的ファイルが使用されないようにこれらを削除するか<a href=\"%s\">自動的に削除を試みます</a>。"
|
||||
|
||||
#: sitemap-ui.php:705
|
||||
msgid "The URL to your sitemap index file is: <a href=\"%s\">%s</a>."
|
||||
msgstr "あなたのサイトマップのインデックスファイルのURL: <a href=\"%s\">%s</a>"
|
||||
|
||||
#: sitemap-ui.php:708
|
||||
msgid "Search engines haven't been notified yet. Write a post to let them know about your sitemap."
|
||||
msgstr "検索エンジンは通知されていません。あなたのサイトマップを知らせるには投稿を書いてください。"
|
||||
|
||||
#: sitemap-ui.php:717
|
||||
msgid "%s was <b>successfully notified</b> about changes."
|
||||
msgstr "%sは変更について<b>正しく通知</b>されました。"
|
||||
|
||||
#: sitemap-ui.php:720
|
||||
msgid "It took %time% seconds to notify %name%, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "%name%に通知するために%time%秒かかりました。もしかすると、構築の時間を短縮するためにこの機能を無効にしたいかもしれません。"
|
||||
|
||||
#: sitemap-ui.php:723
|
||||
msgid "There was a problem while notifying %name%. <a href=\"%s\">View result</a>"
|
||||
msgstr "%name% に通知している最中に問題が発生しました。<a href=\"%s\">結果を見る</a>"
|
||||
|
||||
#: sitemap-ui.php:727
|
||||
msgid "If you encounter any problems with your sitemap you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "もし、サイトマップに関して何らかの問題に遭遇している場合には、情報を得るために<a href=\"%d\">デバック機能</a>を使うことができます。"
|
||||
|
||||
#: sitemap-ui.php:735
|
||||
msgid "Basic Options"
|
||||
msgstr "基本的な設定"
|
||||
|
||||
#: sitemap-ui.php:737
|
||||
msgid "Update notification:"
|
||||
msgstr "通知を更新:"
|
||||
|
||||
#: sitemap-ui.php:737 sitemap-ui.php:760 sitemap-ui.php:783
|
||||
msgid "Learn more"
|
||||
msgstr "さらに詳しく"
|
||||
|
||||
#: sitemap-ui.php:741
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Google にブログの更新を通知"
|
||||
|
||||
#: sitemap-ui.php:742
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "登録は必要ありませんが、<a href=\"%s\">Google ウェブマスターツール</a> でクロール関連の統計を見ることができます。"
|
||||
|
||||
#: sitemap-ui.php:746
|
||||
msgid "Notify Bing (formerly MSN Live Search) about updates of your Blog"
|
||||
msgstr "Bing (旧名 MSN Live サーチ) にブログの更新を通知"
|
||||
|
||||
#: sitemap-ui.php:747
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Bing Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "登録は必要ありませんが、<a href=\"%s\">Bing ウェブマスターツール</a> でクロール関連の統計を見ることができます。"
|
||||
|
||||
#: sitemap-ui.php:752
|
||||
msgid "Add sitemap URL to the virtual robots.txt file."
|
||||
msgstr "サイトマップの URL を仮想 robots.txt ファイルに追加"
|
||||
|
||||
#: sitemap-ui.php:756
|
||||
msgid "The virtual robots.txt generated by WordPress is used. A real robots.txt file must NOT exist in the blog directory!"
|
||||
msgstr "WordPress が生成した仮想 robots.txt ファイルを使用しています。実際の robots.txt ファイルをブログディレクトリに置かないでください。"
|
||||
|
||||
#: sitemap-ui.php:760
|
||||
msgid "Advanced options:"
|
||||
msgstr "高度な設定:"
|
||||
|
||||
#: sitemap-ui.php:763
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "メモリの最大値を以下に増加:"
|
||||
|
||||
#: sitemap-ui.php:763
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "例: \"4M\"、\"16M\""
|
||||
|
||||
#: sitemap-ui.php:766
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "実行時間制限を以下に増加:"
|
||||
|
||||
#: sitemap-ui.php:766
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "秒で指定(例: \"60\" など、または無制限の場合は \"0\")"
|
||||
|
||||
#: sitemap-ui.php:770
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "XSLT スタイルシートを含める:"
|
||||
|
||||
#: sitemap-ui.php:771
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr ".xsl ファイルへの絶対または相対パス"
|
||||
|
||||
#: sitemap-ui.php:771
|
||||
msgid "Use default"
|
||||
msgstr "デフォルト設定を使用"
|
||||
|
||||
#: sitemap-ui.php:776
|
||||
msgid "Include sitemap in HTML format"
|
||||
msgstr "HTML形式でのサイトマップを含める"
|
||||
|
||||
#: sitemap-ui.php:791
|
||||
msgid "Additional pages"
|
||||
msgstr "追加ページの設定"
|
||||
|
||||
#: sitemap-ui.php:794
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "WordPress ブログの URL 以外でサイトマップに含める URL を指定できます<br />例えばドメインが www.foo.com でブログの URL が www.foo.com/blog の場合、www.foo.com を指定してサイトマップに含めることが可能です。"
|
||||
|
||||
#: sitemap-ui.php:796 sitemap-ui.php:1000 sitemap-ui.php:1011
|
||||
#: sitemap-ui.php:1020
|
||||
msgid "Note"
|
||||
msgstr "メモ"
|
||||
|
||||
#: sitemap-ui.php:797
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "もしこのブログがサブディレクトリに配置されていて、ブログディレクトリ以外のページをサイトマップに含めたいときは、サイトマップファイルを必ずルートディレクトリに配置しなくてはなりません (このページの "サイトマップファイルの場所" 設定を確認して下さい) 。"
|
||||
|
||||
#: sitemap-ui.php:799 sitemap-ui.php:838
|
||||
msgid "URL to the page"
|
||||
msgstr "ページの URL"
|
||||
|
||||
#: sitemap-ui.php:800
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "ページの URL を入力して下さい。 例: http://www.foo.com/index.html や www.foo.com/home "
|
||||
|
||||
#: sitemap-ui.php:802 sitemap-ui.php:839
|
||||
msgid "Priority"
|
||||
msgstr "優先順位の設定 (priority)"
|
||||
|
||||
#: sitemap-ui.php:803
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "他のページに対し、相対的な優先順位を選んでください。 例えば、ホームページの優先順位を他のページより高くできます。"
|
||||
|
||||
#: sitemap-ui.php:805 sitemap-ui.php:841
|
||||
msgid "Last Changed"
|
||||
msgstr "最終更新日"
|
||||
|
||||
#: sitemap-ui.php:806
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "最終更新日を YYYY-MM-DD 形式で入力して下さい。"
|
||||
|
||||
#: sitemap-ui.php:840
|
||||
msgid "Change Frequency"
|
||||
msgstr "更新頻度の設定 (changefreq)"
|
||||
|
||||
#: sitemap-ui.php:842
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: sitemap-ui.php:847
|
||||
msgid "No pages defined."
|
||||
msgstr "追加ページは定義されていません。"
|
||||
|
||||
#: sitemap-ui.php:852
|
||||
msgid "Add new page"
|
||||
msgstr "新しいページの追加"
|
||||
|
||||
#: sitemap-ui.php:858
|
||||
msgid "Post Priority"
|
||||
msgstr "投稿の優先順位"
|
||||
|
||||
#: sitemap-ui.php:860
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "投稿の優先順位の計算方法を選択してください:"
|
||||
|
||||
#: sitemap-ui.php:862
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "優先順位を自動的に計算しない"
|
||||
|
||||
#: sitemap-ui.php:862
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "すべての投稿が "優先順位" で定義されたのと同じ優先度を持つようになります。"
|
||||
|
||||
#: sitemap-ui.php:873
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Sitemap コンテンツ"
|
||||
|
||||
#: sitemap-ui.php:874
|
||||
msgid "WordPress standard content"
|
||||
msgstr "WordPress標準コンテンツ"
|
||||
|
||||
#: sitemap-ui.php:879
|
||||
msgid "Include homepage"
|
||||
msgstr "ホームページ"
|
||||
|
||||
#: sitemap-ui.php:885
|
||||
msgid "Include posts"
|
||||
msgstr "投稿 (個別記事) を含める"
|
||||
|
||||
#: sitemap-ui.php:891
|
||||
msgid "Include static pages"
|
||||
msgstr "固定ページを含める"
|
||||
|
||||
#: sitemap-ui.php:897
|
||||
msgid "Include categories"
|
||||
msgstr "カテゴリーページを含める"
|
||||
|
||||
#: sitemap-ui.php:903
|
||||
msgid "Include archives"
|
||||
msgstr "アーカイブページを含める"
|
||||
|
||||
#: sitemap-ui.php:909
|
||||
msgid "Include author pages"
|
||||
msgstr "投稿者ページを含める"
|
||||
|
||||
#: sitemap-ui.php:916
|
||||
msgid "Include tag pages"
|
||||
msgstr "タグページを含める"
|
||||
|
||||
#: sitemap-ui.php:930
|
||||
msgid "Custom taxonomies"
|
||||
msgstr "カスタムタクソノミー"
|
||||
|
||||
#: sitemap-ui.php:941
|
||||
msgid "Include taxonomy pages for %s"
|
||||
msgstr "%sのタクソノミーページを含める"
|
||||
|
||||
#: sitemap-ui.php:959
|
||||
msgid "Custom post types"
|
||||
msgstr "カスタム投稿タイプ"
|
||||
|
||||
#: sitemap-ui.php:970
|
||||
msgid "Include custom post type %s"
|
||||
msgstr "カスタム投稿タイプ %s を含める"
|
||||
|
||||
#: sitemap-ui.php:982
|
||||
msgid "Further options"
|
||||
msgstr "詳細なオプション"
|
||||
|
||||
#: sitemap-ui.php:987
|
||||
msgid "Include the last modification time."
|
||||
msgstr "最終更新時刻を含める。"
|
||||
|
||||
#: sitemap-ui.php:989
|
||||
msgid "This is highly recommended and helps the search engines to know when your content has changed. This option affects <i>all</i> sitemap entries."
|
||||
msgstr "これは非常に推奨であり、検索エンジンがあなたのコンテンツが変更された時間を知る助けになります。このオプションは<i>すべて</i>のサイトマップエントリに影響します。"
|
||||
|
||||
#: sitemap-ui.php:996
|
||||
msgid "Excluded items"
|
||||
msgstr "含めない項目"
|
||||
|
||||
#: sitemap-ui.php:998
|
||||
msgid "Excluded categories"
|
||||
msgstr "含めないカテゴリー"
|
||||
|
||||
#: sitemap-ui.php:1000
|
||||
msgid "Using this feature will increase build time and memory usage!"
|
||||
msgstr "この機能を使用すると、構築時間および使用メモリが増加します。"
|
||||
|
||||
#: sitemap-ui.php:1007
|
||||
msgid "Exclude posts"
|
||||
msgstr "投稿 (個別記事) を含めない"
|
||||
|
||||
#: sitemap-ui.php:1009
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "以下の投稿または固定ページを含めない:"
|
||||
|
||||
#: sitemap-ui.php:1009
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "カンマ区切りの ID 一覧"
|
||||
|
||||
#: sitemap-ui.php:1011
|
||||
msgid "Child posts won't be excluded automatically!"
|
||||
msgstr "子カテゴリーは自動的に除外されません。"
|
||||
|
||||
#: sitemap-ui.php:1017
|
||||
msgid "Change frequencies"
|
||||
msgstr "更新頻度の設定 (changefreq)"
|
||||
|
||||
#: sitemap-ui.php:1021
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "このタグの値は絶対的な命令ではなくヒントとみなされます。検索エンジンのクローラはこの設定を考慮に入れますが、\"1時間おき\" の設定にしてもその頻度でクロールしないかもしれないし、\"年に1度\" の設定にしてもより頻繁にクロールされるかもしれません。また \"更新なし\" に設定されたページも、予想外の変更に対応するため、おそらく定期的にクロールが行われるでしょう。"
|
||||
|
||||
#: sitemap-ui.php:1027 sitemap-ui.php:1084
|
||||
msgid "Homepage"
|
||||
msgstr "ホームページ"
|
||||
|
||||
#: sitemap-ui.php:1033
|
||||
msgid "Posts"
|
||||
msgstr "投稿 (個別記事) "
|
||||
|
||||
#: sitemap-ui.php:1039 sitemap-ui.php:1102
|
||||
msgid "Static pages"
|
||||
msgstr "固定ページ"
|
||||
|
||||
#: sitemap-ui.php:1045 sitemap-ui.php:1108
|
||||
msgid "Categories"
|
||||
msgstr "カテゴリー別"
|
||||
|
||||
#: sitemap-ui.php:1051
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "今月のアーカイブ (たいていは\"ホームページ\"と同じでしょう)"
|
||||
|
||||
#: sitemap-ui.php:1057
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "古いアーカイブ (古い投稿を編集したときにのみ変更されます)"
|
||||
|
||||
#: sitemap-ui.php:1064 sitemap-ui.php:1121
|
||||
msgid "Tag pages"
|
||||
msgstr "タグページ"
|
||||
|
||||
#: sitemap-ui.php:1071 sitemap-ui.php:1128
|
||||
msgid "Author pages"
|
||||
msgstr "投稿者ページ"
|
||||
|
||||
#: sitemap-ui.php:1079
|
||||
msgid "Priorities"
|
||||
msgstr "優先順位の設定 (priority)"
|
||||
|
||||
#: sitemap-ui.php:1090
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "投稿 (個別記事) (\"基本的な設定\"で自動計算に設定していない場合に有効)"
|
||||
|
||||
#: sitemap-ui.php:1096
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "投稿優先度の最小値 (\"基本的な設定\"で自動計算に設定している場合に有効)"
|
||||
|
||||
#: sitemap-ui.php:1114
|
||||
msgid "Archives"
|
||||
msgstr "アーカイブ別"
|
||||
|
||||
#: sitemap-ui.php:1139
|
||||
msgid "Update options"
|
||||
msgstr "設定を更新 »"
|
||||
|
||||
#: sitemap-ui.php:1140
|
||||
msgid "Reset options"
|
||||
msgstr "設定をリセット"
|
||||
|
||||
#: sitemap.php:82
|
||||
msgid "Your WordPress version is too old for XML Sitemaps."
|
||||
msgstr "WordPressのバージョンがXML Sitemapsには古すぎます。"
|
||||
|
||||
#: sitemap.php:82
|
||||
msgid "Unfortunately this release of Google XML Sitemaps requires at least WordPress %4$s. You are using Wordpress %2$s, which is out-dated and insecure. Please upgrade or go to <a href=\"%1$s\">active plugins</a> and deactivate the Google XML Sitemaps plugin to hide this message. You can download an older version of this plugin from the <a href=\"%3$s\">plugin website</a>."
|
||||
msgstr "あいにくGoogle XML Sitemapsのこのリリースは最低でもWordPress %4$sが必要です。時代遅れで安全ではないWordPress %2$sをご利用中です。このメッセージを隠すにはアップグレードするか<a href=\"%1$s\">使用中のプラグイン</a>に行き、Google XML Sitemapsプラグインを無効化してください。<a href=\"%3$s\">プラグインのウェブサイト</a>からこのプラグインの古いバージョンをダウンロードすることができます。"
|
||||
|
||||
#: sitemap.php:92
|
||||
msgid "Your PHP version is too old for XML Sitemaps."
|
||||
msgstr "PHPのバージョンがXML Sitemapsには古すぎます。"
|
||||
|
||||
#: sitemap.php:92
|
||||
msgid "Unfortunately this release of Google XML Sitemaps requires at least PHP %4$s. You are using PHP %2$s, which is out-dated and insecure. Please ask your web host to update your PHP installation or go to <a href=\"%1$s\">active plugins</a> and deactivate the Google XML Sitemaps plugin to hide this message. You can download an older version of this plugin from the <a href=\"%3$s\">plugin website</a>."
|
||||
msgstr "あいにくGoogle XML Sitemapsのこのリリースは最低でもPHP %4$sが必要です。時代遅れで安全ではないPHP %2$sをご利用中です。このメッセージを隠すにはウェブホストにPHPのインストールを更新するように頼むか<a href=\"%1$s\">使用中のプラグイン</a>に行き、Google XML Sitemapsプラグインを無効化してください。<a href=\"%3$s\">プラグインのウェブサイト</a>からこのプラグインの古いバージョンをダウンロードすることができます。"
|
||||
@@ -0,0 +1,322 @@
|
||||
# Japanese Language File for sitemap (sitemap-ja_JP.UTF-8.po)
|
||||
# Copyright (C) 2005 hiromasa : http://hiromasa.zone.ne.jp/
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# hiromasa <webmaster@hiromasa.zone.ne.jp>, 2005.
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: <webmaster@hiromasa.zone.ne.jp>\n"
|
||||
"POT-Creation-Date: 2005-06-09 02:00+0900\n"
|
||||
"PO-Revision-Date: 2005-07-03 23:17+0900\n"
|
||||
"Last-Translator: hiromasa <webmaster@hiromasa.zone.ne.jp>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=EUC-JP\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Language-Team: \n"
|
||||
|
||||
#: sitemap.php:375
|
||||
msgid "always"
|
||||
msgstr "いつも"
|
||||
|
||||
msgid "hourly"
|
||||
msgstr "毎時"
|
||||
|
||||
msgid "daily"
|
||||
msgstr "毎日"
|
||||
|
||||
msgid "weekly"
|
||||
msgstr "毎週"
|
||||
|
||||
msgid "monthly"
|
||||
msgstr "毎月"
|
||||
|
||||
msgid "yearly"
|
||||
msgstr "毎年"
|
||||
|
||||
msgid "never"
|
||||
msgstr "更新されない"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "パスの直接設定"
|
||||
|
||||
msgid "Example"
|
||||
msgstr "例"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "ファイル名を含む Sitemap ファイルへの相対もしくは絶対パス"
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "ファイル名を含む Sitemap ファイルへの完全な URL"
|
||||
|
||||
msgid "Automatic location"
|
||||
msgstr "自動配置"
|
||||
|
||||
msgid "Manual location"
|
||||
msgstr "手動配置"
|
||||
|
||||
msgid "OR"
|
||||
msgstr "もしくは"
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Sitemap ファイルの場所"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "もしあなたのブログがサブディレクトリに配置されている場合に、ブログディレクトリ以外のページを Sitemap に含めたいときは、Sitemap ファイルをルートディレクトリに配置すべきです。(このページの "Sitemap ファイルの場所" 設定を確認して下さい)"
|
||||
|
||||
#: sitemap.php:512
|
||||
msgid "Configuration updated"
|
||||
msgstr "設定を更新しました。"
|
||||
|
||||
#: sitemap.php:513
|
||||
msgid "Error"
|
||||
msgstr "エラーです。"
|
||||
|
||||
#: sitemap.php:521
|
||||
msgid "A new page was added. Click on "Save page changes" to save your changes."
|
||||
msgstr "新しい追加ページ(の設定欄)が加わりました。 (ページの情報を入力後)"変更の保存" を押下して設定を保存して下さい。"
|
||||
|
||||
#: sitemap.php:527
|
||||
msgid "Pages saved"
|
||||
msgstr "追加ページの設定を保存しました。"
|
||||
|
||||
#: sitemap.php:528
|
||||
msgid "Error while saving pages"
|
||||
msgstr "追加ページの設定の保存中にエラーが発生しました。"
|
||||
|
||||
#: sitemap.php:539
|
||||
msgid "The page was deleted. Click on "Save page changes" to save your changes."
|
||||
msgstr "指定された追加ページ(の設定欄)を削除しました。 "変更の保存" を押下して設定を保存して下さい。"
|
||||
|
||||
#: sitemap.php:542
|
||||
msgid "You changes have been cleared."
|
||||
msgstr "変更は既に削除されています。"
|
||||
|
||||
#: sitemap.php:555
|
||||
msgid "Sitemap Generator"
|
||||
msgstr "Sitemap Generator"
|
||||
|
||||
#: sitemap.php:558
|
||||
msgid "Manual rebuild"
|
||||
msgstr "手動による Sitemap ファイルの再構築"
|
||||
|
||||
#: sitemap.php:559
|
||||
msgid "If you want to build the sitemap without editing a post, click on here!"
|
||||
msgstr "もし投稿の編集なしに Sitemap ファイルを再構築したい場合はこのボタンを押下してください!"
|
||||
|
||||
#: sitemap.php:560
|
||||
msgid "Rebuild Sitemap"
|
||||
msgstr "Sitemap の再構築"
|
||||
|
||||
#: sitemap.php:564
|
||||
msgid "Additional pages"
|
||||
msgstr "追加ページの設定"
|
||||
|
||||
#: sitemap.php:566
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "ここで、Sitemap に含まれるべきである URL を指定することができます。 しかし、ここで指定する URL は WordPress/Blog に属してはいけません。<br />例えばドメインが www.foo.com でブログが www.foo.com/blog だった場合、あなたは www.foo.com を Sitemap に含みたいと思うかもしれません。(訳注: この項目で WordPress 以外の URL を指定し、プラグインで出力する Sitemap に含めることができます)"
|
||||
|
||||
#: sitemap.php:568
|
||||
msgid "URL to the page"
|
||||
msgstr "そのページのURL"
|
||||
|
||||
#: sitemap.php:569
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "そのページのURL を入力して下さい。 例: http://www.foo.com/index.html や www.foo.com/home "
|
||||
|
||||
#: sitemap.php:571
|
||||
msgid "Priority"
|
||||
msgstr "優先順位(priority)の設定"
|
||||
|
||||
#: sitemap.php:572
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "他のページに比例したページの優先順位(priority)を選んでください。 例えば、あなたのホームページは、銘記のページより高い優先度があるかもしれません。"
|
||||
|
||||
#: sitemap.php:574
|
||||
msgid "Last Changed"
|
||||
msgstr "最終更新日"
|
||||
|
||||
#: sitemap.php:575
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "最終更新日を YYYY-MM-DD 形式で入力して下さい。"
|
||||
|
||||
#: sitemap.php:583
|
||||
msgid "Change Frequency"
|
||||
msgstr "更新頻度(changefreq)の設定"
|
||||
|
||||
#: sitemap.php:585
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: sitemap.php:609
|
||||
msgid "No pages defined."
|
||||
msgstr "追加ページは定義されていません。"
|
||||
|
||||
#: sitemap.php:616
|
||||
msgid "Add new page"
|
||||
msgstr "新しいページの追加"
|
||||
|
||||
#: sitemap.php:617
|
||||
msgid "Save page changes"
|
||||
msgstr "変更の保存"
|
||||
|
||||
#: sitemap.php:618
|
||||
msgid "Undo all page changes"
|
||||
msgstr "ページの変更を元に戻す"
|
||||
|
||||
#: sitemap.php:621
|
||||
msgid "Delete marked page"
|
||||
msgstr "マークされたページの削除"
|
||||
|
||||
#: sitemap.php:627
|
||||
msgid "Basic Options"
|
||||
msgstr "基本的な設定"
|
||||
|
||||
#: sitemap.php:632
|
||||
msgid "Enable automatic priority calculation for posts based on comment count"
|
||||
msgstr "投稿に対するコメント数で、投稿(各エントリ)の優先順位(priority)を自動計算する機能を有効にする"
|
||||
|
||||
#: sitemap.php:638
|
||||
msgid "Write debug comments"
|
||||
msgstr "デバッグ用コメント出力を行う"
|
||||
|
||||
#: sitemap.php:643
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Sitemap のファイル名"
|
||||
|
||||
#: sitemap.php:650
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "標準の XML ファイルを出力する (filename)"
|
||||
|
||||
#: sitemap.php:652
|
||||
msgid "Detected URL"
|
||||
msgstr "Detected URL"
|
||||
|
||||
#: sitemap.php:657
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "gz 圧縮されたファイルを出力する (filename + .gz)"
|
||||
|
||||
#: sitemap.php:664
|
||||
msgid "Auto-Ping Google Sitemaps"
|
||||
msgstr "Google Sitemap に更新 ping を送る"
|
||||
|
||||
#: sitemap.php:665
|
||||
msgid "This option will automatically tell Google about changes."
|
||||
msgstr "このオプションは、変更を Google に自動的に通知します。"
|
||||
|
||||
#: sitemap.php:672
|
||||
msgid "Includings"
|
||||
msgstr "Sitemap に含める 項目の設定"
|
||||
|
||||
#: sitemap.php:677
|
||||
msgid "Include homepage"
|
||||
msgstr "ホームページ"
|
||||
|
||||
#: sitemap.php:683
|
||||
msgid "Include posts"
|
||||
msgstr "投稿(各エントリ)"
|
||||
|
||||
#: sitemap.php:689
|
||||
msgid "Include static pages"
|
||||
msgstr "静的なページ"
|
||||
|
||||
#: sitemap.php:695
|
||||
msgid "Include categories"
|
||||
msgstr "カテゴリ別"
|
||||
|
||||
#: sitemap.php:701
|
||||
msgid "Include archives"
|
||||
msgstr "アーカイブ別"
|
||||
|
||||
#: sitemap.php:708
|
||||
msgid "Change frequencies"
|
||||
msgstr "更新頻度(changefreq)の設定"
|
||||
|
||||
#: sitemap.php:709
|
||||
msgid "Note"
|
||||
msgstr "メモ"
|
||||
|
||||
#: sitemap.php:710
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "このタグの値は命令ではなくヒントだと考えられます。サーチエンジンのクローラはこの設定を考慮に入れますが、\"1時間おき\" の設定にしてもその頻度でクロールしないかもしれないし、\"年一度の\" 設定にしてもそれより頻繁にクロールされるかもしれません。また \"更新されない\" に設定されたページも、思いがけない変化をこれらのページから得るために、おそらくクローラは定期的にクロールするでしょう。"
|
||||
|
||||
#: sitemap.php:715
|
||||
msgid "Homepage"
|
||||
msgstr "ホームページ"
|
||||
|
||||
#: sitemap.php:721
|
||||
msgid "Posts"
|
||||
msgstr "投稿(各エントリ)"
|
||||
|
||||
#: sitemap.php:727
|
||||
msgid "Static pages"
|
||||
msgstr "静的なページ"
|
||||
|
||||
#: sitemap.php:733
|
||||
msgid "Categories"
|
||||
msgstr "カテゴリ別"
|
||||
|
||||
#: sitemap.php:739
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "当月のアーカイブ (\"ホームページ\" の設定と同じにすべきです)"
|
||||
|
||||
#: sitemap.php:745
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "古いアーカイブ (古い投稿を編集したときだけ変更してください)"
|
||||
|
||||
#: sitemap.php:752
|
||||
msgid "Priorities"
|
||||
msgstr "優先順位(priority)の設定"
|
||||
|
||||
#: sitemap.php:763
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "投稿(各エントリ) (\"基本的な設定\"で自動計算に設定していない場合に有効)"
|
||||
|
||||
#: sitemap.php:769
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "投稿(各エントリ)の最小値 (\"基本的な設定\"で自動計算に設定している場合に有効)"
|
||||
|
||||
#: sitemap.php:787
|
||||
msgid "Archives"
|
||||
msgstr "アーカイブ別"
|
||||
|
||||
#: sitemap.php:793
|
||||
msgid "Informations and support"
|
||||
msgstr "情報とサポート"
|
||||
|
||||
#: sitemap.php:794
|
||||
msgid "Check %s for updates and comment there if you have any problems / questions / suggestions."
|
||||
msgstr "もし、問題や疑問、提案があれば %s のアップデート情報やコメントを確認して下さい。"
|
||||
|
||||
#: sitemap.php:797
|
||||
msgid "Update options"
|
||||
msgstr "設定を更新 »"
|
||||
|
||||
#: sitemap.php:1033
|
||||
msgid "URL:"
|
||||
msgstr "URL:"
|
||||
|
||||
#: sitemap.php:1034
|
||||
msgid "Path:"
|
||||
msgstr "Path:"
|
||||
|
||||
#: sitemap.php:1037
|
||||
msgid "Could not write into %s"
|
||||
msgstr "%s に書き込むことができません。"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built sitemap file:"
|
||||
msgstr "構築に成功した Sitemap ファイル:"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built gzipped sitemap file:"
|
||||
msgstr "構築に成功した gz 圧縮された Sitemap ファイル:"
|
||||
|
||||
#: sitemap.php:1062
|
||||
msgid "Could not ping to Google at %s"
|
||||
msgstr "Google への更新 ping の送信ができませんでした。 %s"
|
||||
|
||||
#: sitemap.php:1064
|
||||
msgid "Successfully pinged Google at %s"
|
||||
msgstr "Google への更新 ping の送信が成功しました。 %s"
|
||||
|
||||
@@ -0,0 +1,322 @@
|
||||
# Japanese Language File for sitemap (sitemap-ja_JP.UTF-8.po)
|
||||
# Copyright (C) 2005 hiromasa : http://hiromasa.zone.ne.jp/
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# hiromasa <webmaster@hiromasa.zone.ne.jp>, 2005.
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: <webmaster@hiromasa.zone.ne.jp>\n"
|
||||
"POT-Creation-Date: 2005-06-09 02:00+0900\n"
|
||||
"PO-Revision-Date: 2005-07-03 23:17+0900\n"
|
||||
"Last-Translator: hiromasa <webmaster@hiromasa.zone.ne.jp>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=Shift_JIS\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Language-Team: \n"
|
||||
|
||||
#: sitemap.php:375
|
||||
msgid "always"
|
||||
msgstr "いつも"
|
||||
|
||||
msgid "hourly"
|
||||
msgstr "毎時"
|
||||
|
||||
msgid "daily"
|
||||
msgstr "毎日"
|
||||
|
||||
msgid "weekly"
|
||||
msgstr "毎週"
|
||||
|
||||
msgid "monthly"
|
||||
msgstr "毎月"
|
||||
|
||||
msgid "yearly"
|
||||
msgstr "毎年"
|
||||
|
||||
msgid "never"
|
||||
msgstr "更新されない"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "パスの直接設定"
|
||||
|
||||
msgid "Example"
|
||||
msgstr "例"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "ファイル名を含む Sitemap ファイルへの相対もしくは絶対パス"
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "ファイル名を含む Sitemap ファイルへの完全な URL"
|
||||
|
||||
msgid "Automatic location"
|
||||
msgstr "自動配置"
|
||||
|
||||
msgid "Manual location"
|
||||
msgstr "手動配置"
|
||||
|
||||
msgid "OR"
|
||||
msgstr "もしくは"
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Sitemap ファイルの場所"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "もしあなたのブログがサブディレクトリに配置されている場合に、ブログディレクトリ以外のページを Sitemap に含めたいときは、Sitemap ファイルをルートディレクトリに配置すべきです。(このページの "Sitemap ファイルの場所" 設定を確認して下さい)"
|
||||
|
||||
#: sitemap.php:512
|
||||
msgid "Configuration updated"
|
||||
msgstr "設定を更新しました。"
|
||||
|
||||
#: sitemap.php:513
|
||||
msgid "Error"
|
||||
msgstr "エラーです。"
|
||||
|
||||
#: sitemap.php:521
|
||||
msgid "A new page was added. Click on "Save page changes" to save your changes."
|
||||
msgstr "新しい追加ページ(の設定欄)が加わりました。 (ページの情報を入力後)"変更の保存" を押下して設定を保存して下さい。"
|
||||
|
||||
#: sitemap.php:527
|
||||
msgid "Pages saved"
|
||||
msgstr "追加ページの設定を保存しました。"
|
||||
|
||||
#: sitemap.php:528
|
||||
msgid "Error while saving pages"
|
||||
msgstr "追加ページの設定の保存中にエラーが発生しました。"
|
||||
|
||||
#: sitemap.php:539
|
||||
msgid "The page was deleted. Click on "Save page changes" to save your changes."
|
||||
msgstr "指定された追加ページ(の設定欄)を削除しました。 "変更の保存" を押下して設定を保存して下さい。"
|
||||
|
||||
#: sitemap.php:542
|
||||
msgid "You changes have been cleared."
|
||||
msgstr "変更は既に削除されています。"
|
||||
|
||||
#: sitemap.php:555
|
||||
msgid "Sitemap Generator"
|
||||
msgstr "Sitemap Generator"
|
||||
|
||||
#: sitemap.php:558
|
||||
msgid "Manual rebuild"
|
||||
msgstr "手動による Sitemap ファイルの再構築"
|
||||
|
||||
#: sitemap.php:559
|
||||
msgid "If you want to build the sitemap without editing a post, click on here!"
|
||||
msgstr "もし投稿の編集なしに Sitemap ファイルを再構築したい場合はこのボタンを押下してください!"
|
||||
|
||||
#: sitemap.php:560
|
||||
msgid "Rebuild Sitemap"
|
||||
msgstr "Sitemap の再構築"
|
||||
|
||||
#: sitemap.php:564
|
||||
msgid "Additional pages"
|
||||
msgstr "追加ページの設定"
|
||||
|
||||
#: sitemap.php:566
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "ここで、Sitemap に含まれるべきである URL を指定することができます。 しかし、ここで指定する URL は WordPress/Blog に属してはいけません。<br />例えばドメインが www.foo.com でブログが www.foo.com/blog だった場合、あなたは www.foo.com を Sitemap に含みたいと思うかもしれません。(訳注: この項目で WordPress 以外の URL を指定し、プラグインで出力する Sitemap に含めることができます)"
|
||||
|
||||
#: sitemap.php:568
|
||||
msgid "URL to the page"
|
||||
msgstr "そのページのURL"
|
||||
|
||||
#: sitemap.php:569
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "そのページのURL を入力して下さい。 例: http://www.foo.com/index.html や www.foo.com/home "
|
||||
|
||||
#: sitemap.php:571
|
||||
msgid "Priority"
|
||||
msgstr "優先順位(priority)の設定"
|
||||
|
||||
#: sitemap.php:572
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "他のページに比例したページの優先順位(priority)を選んでください。 例えば、あなたのホームページは、銘記のページより高い優先度があるかもしれません。"
|
||||
|
||||
#: sitemap.php:574
|
||||
msgid "Last Changed"
|
||||
msgstr "最終更新日"
|
||||
|
||||
#: sitemap.php:575
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "最終更新日を YYYY-MM-DD 形式で入力して下さい。"
|
||||
|
||||
#: sitemap.php:583
|
||||
msgid "Change Frequency"
|
||||
msgstr "更新頻度(changefreq)の設定"
|
||||
|
||||
#: sitemap.php:585
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: sitemap.php:609
|
||||
msgid "No pages defined."
|
||||
msgstr "追加ページは定義されていません。"
|
||||
|
||||
#: sitemap.php:616
|
||||
msgid "Add new page"
|
||||
msgstr "新しいページの追加"
|
||||
|
||||
#: sitemap.php:617
|
||||
msgid "Save page changes"
|
||||
msgstr "変更の保存"
|
||||
|
||||
#: sitemap.php:618
|
||||
msgid "Undo all page changes"
|
||||
msgstr "ページの変更を元に戻す"
|
||||
|
||||
#: sitemap.php:621
|
||||
msgid "Delete marked page"
|
||||
msgstr "マークされたページの削除"
|
||||
|
||||
#: sitemap.php:627
|
||||
msgid "Basic Options"
|
||||
msgstr "基本的な設定"
|
||||
|
||||
#: sitemap.php:632
|
||||
msgid "Enable automatic priority calculation for posts based on comment count"
|
||||
msgstr "投稿に対するコメント数で、投稿(各エントリ)の優先順位(priority)を自動計算する機能を有効にする"
|
||||
|
||||
#: sitemap.php:638
|
||||
msgid "Write debug comments"
|
||||
msgstr "デバッグ用コメント出力を行う"
|
||||
|
||||
#: sitemap.php:643
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Sitemap のファイル名"
|
||||
|
||||
#: sitemap.php:650
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "標準の XML ファイルを出力する (filename)"
|
||||
|
||||
#: sitemap.php:652
|
||||
msgid "Detected URL"
|
||||
msgstr "Detected URL"
|
||||
|
||||
#: sitemap.php:657
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "gz 圧縮されたファイルを出力する (filename + .gz)"
|
||||
|
||||
#: sitemap.php:664
|
||||
msgid "Auto-Ping Google Sitemaps"
|
||||
msgstr "Google Sitemap に更新 ping を送る"
|
||||
|
||||
#: sitemap.php:665
|
||||
msgid "This option will automatically tell Google about changes."
|
||||
msgstr "このオプションは、変更を Google に自動的に通知します。"
|
||||
|
||||
#: sitemap.php:672
|
||||
msgid "Includings"
|
||||
msgstr "Sitemap に含める 項目の設定"
|
||||
|
||||
#: sitemap.php:677
|
||||
msgid "Include homepage"
|
||||
msgstr "ホームページ"
|
||||
|
||||
#: sitemap.php:683
|
||||
msgid "Include posts"
|
||||
msgstr "投稿(各エントリ)"
|
||||
|
||||
#: sitemap.php:689
|
||||
msgid "Include static pages"
|
||||
msgstr "静的なページ"
|
||||
|
||||
#: sitemap.php:695
|
||||
msgid "Include categories"
|
||||
msgstr "カテゴリ別"
|
||||
|
||||
#: sitemap.php:701
|
||||
msgid "Include archives"
|
||||
msgstr "アーカイブ別"
|
||||
|
||||
#: sitemap.php:708
|
||||
msgid "Change frequencies"
|
||||
msgstr "更新頻度(changefreq)の設定"
|
||||
|
||||
#: sitemap.php:709
|
||||
msgid "Note"
|
||||
msgstr "メモ"
|
||||
|
||||
#: sitemap.php:710
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "このタグの値は命令ではなくヒントだと考えられます。サーチエンジンのクローラはこの設定を考慮に入れますが、\"1時間おき\" の設定にしてもその頻度でクロールしないかもしれないし、\"年一度の\" 設定にしてもそれより頻繁にクロールされるかもしれません。また \"更新されない\" に設定されたページも、思いがけない変化をこれらのページから得るために、おそらくクローラは定期的にクロールするでしょう。"
|
||||
|
||||
#: sitemap.php:715
|
||||
msgid "Homepage"
|
||||
msgstr "ホームページ"
|
||||
|
||||
#: sitemap.php:721
|
||||
msgid "Posts"
|
||||
msgstr "投稿(各エントリ)"
|
||||
|
||||
#: sitemap.php:727
|
||||
msgid "Static pages"
|
||||
msgstr "静的なページ"
|
||||
|
||||
#: sitemap.php:733
|
||||
msgid "Categories"
|
||||
msgstr "カテゴリ別"
|
||||
|
||||
#: sitemap.php:739
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "当月のアーカイブ (\"ホームページ\" の設定と同じにすべきです)"
|
||||
|
||||
#: sitemap.php:745
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "古いアーカイブ (古い投稿を編集したときだけ変更してください)"
|
||||
|
||||
#: sitemap.php:752
|
||||
msgid "Priorities"
|
||||
msgstr "優先順位(priority)の設定"
|
||||
|
||||
#: sitemap.php:763
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "投稿(各エントリ) (\"基本的な設定\"で自動計算に設定していない場合に有効)"
|
||||
|
||||
#: sitemap.php:769
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "投稿(各エントリ)の最小値 (\"基本的な設定\"で自動計算に設定している場合に有効)"
|
||||
|
||||
#: sitemap.php:787
|
||||
msgid "Archives"
|
||||
msgstr "アーカイブ別"
|
||||
|
||||
#: sitemap.php:793
|
||||
msgid "Informations and support"
|
||||
msgstr "情報とサポート"
|
||||
|
||||
#: sitemap.php:794
|
||||
msgid "Check %s for updates and comment there if you have any problems / questions / suggestions."
|
||||
msgstr "もし、問題や疑問、提案があれば %s のアップデート情報やコメントを確認して下さい。"
|
||||
|
||||
#: sitemap.php:797
|
||||
msgid "Update options"
|
||||
msgstr "設定を更新 »"
|
||||
|
||||
#: sitemap.php:1033
|
||||
msgid "URL:"
|
||||
msgstr "URL:"
|
||||
|
||||
#: sitemap.php:1034
|
||||
msgid "Path:"
|
||||
msgstr "Path:"
|
||||
|
||||
#: sitemap.php:1037
|
||||
msgid "Could not write into %s"
|
||||
msgstr "%s に書き込むことができません。"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built sitemap file:"
|
||||
msgstr "構築に成功した Sitemap ファイル:"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built gzipped sitemap file:"
|
||||
msgstr "構築に成功した gz 圧縮された Sitemap ファイル:"
|
||||
|
||||
#: sitemap.php:1062
|
||||
msgid "Could not ping to Google at %s"
|
||||
msgstr "Google への更新 ping の送信ができませんでした。 %s"
|
||||
|
||||
#: sitemap.php:1064
|
||||
msgid "Successfully pinged Google at %s"
|
||||
msgstr "Google への更新 ping の送信が成功しました。 %s"
|
||||
|
||||
@@ -0,0 +1,322 @@
|
||||
# Japanese Language File for sitemap (sitemap-ja_JP.UTF-8.po)
|
||||
# Copyright (C) 2005 hiromasa : http://hiromasa.zone.ne.jp/
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# hiromasa <webmaster@hiromasa.zone.ne.jp>, 2005.
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: <webmaster@hiromasa.zone.ne.jp>\n"
|
||||
"POT-Creation-Date: 2005-06-09 02:00+0900\n"
|
||||
"PO-Revision-Date: 2005-07-03 23:17+0900\n"
|
||||
"Last-Translator: hiromasa <webmaster@hiromasa.zone.ne.jp>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Language-Team: \n"
|
||||
|
||||
#: sitemap.php:375
|
||||
msgid "always"
|
||||
msgstr "いつも"
|
||||
|
||||
msgid "hourly"
|
||||
msgstr "毎時"
|
||||
|
||||
msgid "daily"
|
||||
msgstr "毎日"
|
||||
|
||||
msgid "weekly"
|
||||
msgstr "毎週"
|
||||
|
||||
msgid "monthly"
|
||||
msgstr "毎月"
|
||||
|
||||
msgid "yearly"
|
||||
msgstr "毎年"
|
||||
|
||||
msgid "never"
|
||||
msgstr "更新されない"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "パスの直接設定"
|
||||
|
||||
msgid "Example"
|
||||
msgstr "例"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "ファイル名を含む Sitemap ファイルへの相対もしくは絶対パス"
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "ファイル名を含む Sitemap ファイルへの完全な URL"
|
||||
|
||||
msgid "Automatic location"
|
||||
msgstr "自動配置"
|
||||
|
||||
msgid "Manual location"
|
||||
msgstr "手動配置"
|
||||
|
||||
msgid "OR"
|
||||
msgstr "もしくは"
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Sitemap ファイルの場所"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "もしあなたのブログがサブディレクトリに配置されている場合に、ブログディレクトリ以外のページを Sitemap に含めたいときは、Sitemap ファイルをルートディレクトリに配置すべきです。(このページの "Sitemap ファイルの場所" 設定を確認して下さい)"
|
||||
|
||||
#: sitemap.php:512
|
||||
msgid "Configuration updated"
|
||||
msgstr "設定を更新しました。"
|
||||
|
||||
#: sitemap.php:513
|
||||
msgid "Error"
|
||||
msgstr "エラーです。"
|
||||
|
||||
#: sitemap.php:521
|
||||
msgid "A new page was added. Click on "Save page changes" to save your changes."
|
||||
msgstr "新しい追加ページ(の設定欄)が加わりました。 (ページの情報を入力後)"変更の保存" を押下して設定を保存して下さい。"
|
||||
|
||||
#: sitemap.php:527
|
||||
msgid "Pages saved"
|
||||
msgstr "追加ページの設定を保存しました。"
|
||||
|
||||
#: sitemap.php:528
|
||||
msgid "Error while saving pages"
|
||||
msgstr "追加ページの設定の保存中にエラーが発生しました。"
|
||||
|
||||
#: sitemap.php:539
|
||||
msgid "The page was deleted. Click on "Save page changes" to save your changes."
|
||||
msgstr "指定された追加ページ(の設定欄)を削除しました。 "変更の保存" を押下して設定を保存して下さい。"
|
||||
|
||||
#: sitemap.php:542
|
||||
msgid "You changes have been cleared."
|
||||
msgstr "変更は既に削除されています。"
|
||||
|
||||
#: sitemap.php:555
|
||||
msgid "Sitemap Generator"
|
||||
msgstr "Sitemap Generator"
|
||||
|
||||
#: sitemap.php:558
|
||||
msgid "Manual rebuild"
|
||||
msgstr "手動による Sitemap ファイルの再構築"
|
||||
|
||||
#: sitemap.php:559
|
||||
msgid "If you want to build the sitemap without editing a post, click on here!"
|
||||
msgstr "もし投稿の編集なしに Sitemap ファイルを再構築したい場合はこのボタンを押下してください!"
|
||||
|
||||
#: sitemap.php:560
|
||||
msgid "Rebuild Sitemap"
|
||||
msgstr "Sitemap の再構築"
|
||||
|
||||
#: sitemap.php:564
|
||||
msgid "Additional pages"
|
||||
msgstr "追加ページの設定"
|
||||
|
||||
#: sitemap.php:566
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "ここで、Sitemap に含まれるべきである URL を指定することができます。 しかし、ここで指定する URL は WordPress/Blog に属してはいけません。<br />例えばドメインが www.foo.com でブログが www.foo.com/blog だった場合、あなたは www.foo.com を Sitemap に含みたいと思うかもしれません。(訳注: この項目で WordPress 以外の URL を指定し、プラグインで出力する Sitemap に含めることができます)"
|
||||
|
||||
#: sitemap.php:568
|
||||
msgid "URL to the page"
|
||||
msgstr "そのページのURL"
|
||||
|
||||
#: sitemap.php:569
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "そのページのURL を入力して下さい。 例: http://www.foo.com/index.html や www.foo.com/home "
|
||||
|
||||
#: sitemap.php:571
|
||||
msgid "Priority"
|
||||
msgstr "優先順位(priority)の設定"
|
||||
|
||||
#: sitemap.php:572
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "他のページに比例したページの優先順位(priority)を選んでください。 例えば、あなたのホームページは、銘記のページより高い優先度があるかもしれません。"
|
||||
|
||||
#: sitemap.php:574
|
||||
msgid "Last Changed"
|
||||
msgstr "最終更新日"
|
||||
|
||||
#: sitemap.php:575
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "最終更新日を YYYY-MM-DD 形式で入力して下さい。"
|
||||
|
||||
#: sitemap.php:583
|
||||
msgid "Change Frequency"
|
||||
msgstr "更新頻度(changefreq)の設定"
|
||||
|
||||
#: sitemap.php:585
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: sitemap.php:609
|
||||
msgid "No pages defined."
|
||||
msgstr "追加ページは定義されていません。"
|
||||
|
||||
#: sitemap.php:616
|
||||
msgid "Add new page"
|
||||
msgstr "新しいページの追加"
|
||||
|
||||
#: sitemap.php:617
|
||||
msgid "Save page changes"
|
||||
msgstr "変更の保存"
|
||||
|
||||
#: sitemap.php:618
|
||||
msgid "Undo all page changes"
|
||||
msgstr "ページの変更を元に戻す"
|
||||
|
||||
#: sitemap.php:621
|
||||
msgid "Delete marked page"
|
||||
msgstr "マークされたページの削除"
|
||||
|
||||
#: sitemap.php:627
|
||||
msgid "Basic Options"
|
||||
msgstr "基本的な設定"
|
||||
|
||||
#: sitemap.php:632
|
||||
msgid "Enable automatic priority calculation for posts based on comment count"
|
||||
msgstr "投稿に対するコメント数で、投稿(各エントリ)の優先順位(priority)を自動計算する機能を有効にする"
|
||||
|
||||
#: sitemap.php:638
|
||||
msgid "Write debug comments"
|
||||
msgstr "デバッグ用コメント出力を行う"
|
||||
|
||||
#: sitemap.php:643
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Sitemap のファイル名"
|
||||
|
||||
#: sitemap.php:650
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "標準の XML ファイルを出力する (filename)"
|
||||
|
||||
#: sitemap.php:652
|
||||
msgid "Detected URL"
|
||||
msgstr "Detected URL"
|
||||
|
||||
#: sitemap.php:657
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "gz 圧縮されたファイルを出力する (filename + .gz)"
|
||||
|
||||
#: sitemap.php:664
|
||||
msgid "Auto-Ping Google Sitemaps"
|
||||
msgstr "Google Sitemap に更新 ping を送る"
|
||||
|
||||
#: sitemap.php:665
|
||||
msgid "This option will automatically tell Google about changes."
|
||||
msgstr "このオプションは、変更を Google に自動的に通知します。"
|
||||
|
||||
#: sitemap.php:672
|
||||
msgid "Includings"
|
||||
msgstr "Sitemap に含める 項目の設定"
|
||||
|
||||
#: sitemap.php:677
|
||||
msgid "Include homepage"
|
||||
msgstr "ホームページ"
|
||||
|
||||
#: sitemap.php:683
|
||||
msgid "Include posts"
|
||||
msgstr "投稿(各エントリ)"
|
||||
|
||||
#: sitemap.php:689
|
||||
msgid "Include static pages"
|
||||
msgstr "静的なページ"
|
||||
|
||||
#: sitemap.php:695
|
||||
msgid "Include categories"
|
||||
msgstr "カテゴリ別"
|
||||
|
||||
#: sitemap.php:701
|
||||
msgid "Include archives"
|
||||
msgstr "アーカイブ別"
|
||||
|
||||
#: sitemap.php:708
|
||||
msgid "Change frequencies"
|
||||
msgstr "更新頻度(changefreq)の設定"
|
||||
|
||||
#: sitemap.php:709
|
||||
msgid "Note"
|
||||
msgstr "メモ"
|
||||
|
||||
#: sitemap.php:710
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "このタグの値は命令ではなくヒントだと考えられます。サーチエンジンのクローラはこの設定を考慮に入れますが、\"1時間おき\" の設定にしてもその頻度でクロールしないかもしれないし、\"年一度の\" 設定にしてもそれより頻繁にクロールされるかもしれません。また \"更新されない\" に設定されたページも、思いがけない変化をこれらのページから得るために、おそらくクローラは定期的にクロールするでしょう。"
|
||||
|
||||
#: sitemap.php:715
|
||||
msgid "Homepage"
|
||||
msgstr "ホームページ"
|
||||
|
||||
#: sitemap.php:721
|
||||
msgid "Posts"
|
||||
msgstr "投稿(各エントリ)"
|
||||
|
||||
#: sitemap.php:727
|
||||
msgid "Static pages"
|
||||
msgstr "静的なページ"
|
||||
|
||||
#: sitemap.php:733
|
||||
msgid "Categories"
|
||||
msgstr "カテゴリ別"
|
||||
|
||||
#: sitemap.php:739
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "当月のアーカイブ (\"ホームページ\" の設定と同じにすべきです)"
|
||||
|
||||
#: sitemap.php:745
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "古いアーカイブ (古い投稿を編集したときだけ変更してください)"
|
||||
|
||||
#: sitemap.php:752
|
||||
msgid "Priorities"
|
||||
msgstr "優先順位(priority)の設定"
|
||||
|
||||
#: sitemap.php:763
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "投稿(各エントリ) (\"基本的な設定\"で自動計算に設定していない場合に有効)"
|
||||
|
||||
#: sitemap.php:769
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "投稿(各エントリ)の最小値 (\"基本的な設定\"で自動計算に設定している場合に有効)"
|
||||
|
||||
#: sitemap.php:787
|
||||
msgid "Archives"
|
||||
msgstr "アーカイブ別"
|
||||
|
||||
#: sitemap.php:793
|
||||
msgid "Informations and support"
|
||||
msgstr "情報とサポート"
|
||||
|
||||
#: sitemap.php:794
|
||||
msgid "Check %s for updates and comment there if you have any problems / questions / suggestions."
|
||||
msgstr "もし、問題や疑問、提案があれば %s のアップデート情報やコメントを確認して下さい。"
|
||||
|
||||
#: sitemap.php:797
|
||||
msgid "Update options"
|
||||
msgstr "設定を更新 »"
|
||||
|
||||
#: sitemap.php:1033
|
||||
msgid "URL:"
|
||||
msgstr "URL:"
|
||||
|
||||
#: sitemap.php:1034
|
||||
msgid "Path:"
|
||||
msgstr "Path:"
|
||||
|
||||
#: sitemap.php:1037
|
||||
msgid "Could not write into %s"
|
||||
msgstr "%s に書き込むことができません。"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built sitemap file:"
|
||||
msgstr "構築に成功した Sitemap ファイル:"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built gzipped sitemap file:"
|
||||
msgstr "構築に成功した gz 圧縮された Sitemap ファイル:"
|
||||
|
||||
#: sitemap.php:1062
|
||||
msgid "Could not ping to Google at %s"
|
||||
msgstr "Google への更新 ping の送信ができませんでした。 %s"
|
||||
|
||||
#: sitemap.php:1064
|
||||
msgid "Successfully pinged Google at %s"
|
||||
msgstr "Google への更新 ping の送信が成功しました。 %s"
|
||||
|
||||
@@ -0,0 +1,703 @@
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: \n"
|
||||
"POT-Creation-Date: \n"
|
||||
"PO-Revision-Date: 2008-04-15 13:17+0900\n"
|
||||
"Last-Translator: 김승엽 <unfusion>\n"
|
||||
"Language-Team: Wordpress Korea <unfusion95@gmail.com>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=utf-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Poedit-Language: Korean\n"
|
||||
"X-Poedit-Country: KOREA, REPUBLIC OF\n"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:846
|
||||
msgid "Comment Count"
|
||||
msgstr "코멘트 갯수"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:858
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "포스트의 코멘트 갯수를 이용해 우선순위를 계산합니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
msgid "Comment Average"
|
||||
msgstr "코멘트 평균"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "코멘트의 평균 갯수를 이용해 우선순위를 계산합니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:993
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Popularity Contest"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:1005
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "활성화 된<a href=\"%2\">Alex King</a>의 <a href=\"%1\">Popularity Contest Plugin</a>을 이용합니다. <a href=\"%3\">설정</a> 과 <a href=\"%4\">Most Popular Posts</a>를 확인하십시오."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "XML-사이트 맵 생성기"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-사이트 맵"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "기부에 정말 감사드립니다. 제가 이 플러그인이나 다른 무료 프로그램을 계속 작성하고 지원할 수 있도록 도와주십시오!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Hide this notice"
|
||||
msgstr "이 주의사항 숨기기."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "이 플러그인을 사용해 주셔서 감사합니다! 당신이 이 플러그인을 사용한 지 한달이 되었습니다. 만약 이 플러그인의 작동과 결과가 만족스러웠고 1달러 이상의 가치가 있다고 생각하십니까? <a href=\"%s\">기부로</a> 제가 이 <i>무료</i> 소프트웨어의 개발과 지원을 계속하도록 도움을 주십시오! <a href=\"%s\">네, 문제없습니다!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "사양합니다, 더 이상 귀찮게 하지 말아주십시오."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2635
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2835
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "워드프레스 용 XML 사이트 맵 생성기"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2740
|
||||
msgid "Configuration updated"
|
||||
msgstr "설정이 업데이트 되었습니다"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2741
|
||||
msgid "Error while saving options"
|
||||
msgstr "옵션을 저장하는 중에 에러가 발생했습니다"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2743
|
||||
msgid "Pages saved"
|
||||
msgstr "페이지가 저장되었습니다"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2744
|
||||
msgid "Error while saving pages"
|
||||
msgstr "페이지를 저장하는 중에 에러가 발생했습니다"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2748
|
||||
#, php-format
|
||||
msgid "<a href=\"%s\">Robots.txt</a> file saved"
|
||||
msgstr "<a href=\"%s\">Robots.txt</a> 파일이 저장되었습니다"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2750
|
||||
msgid "Error while saving Robots.txt file"
|
||||
msgstr "Robots.txt 파일을 저장하는 중에 에러가 발생했습니다"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "기본 설정이 복원되었습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2851
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2868
|
||||
msgid "open"
|
||||
msgstr "열기"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2852
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2869
|
||||
msgid "close"
|
||||
msgstr "닫기"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2853
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2870
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "이 상자를 움직이려면 클릭하고 드래그 하십시오"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2854
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2871
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "클릭하면 이 상자를 %toggle%"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2855
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2872
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "방향키를 사용해서 이 상자를 이동"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2856
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2873
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", 또는 엔터키를 눌러 %toggle%"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
msgid "About this Plugin:"
|
||||
msgstr "이 플러그인 대해:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2886
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "플러그인 홈페이지"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
msgid "Notify List"
|
||||
msgstr "메일 통지 리스트"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
msgid "Support Forum"
|
||||
msgstr "서포트 포럼"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "PayPal 기부"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "내 Amazon 위시 리스트"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_name"
|
||||
msgstr "번역자 김승엽"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_url"
|
||||
msgstr "http://unfusion.kunsan.ac.kr/word"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2895
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "사이트맵 Resources:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "웹마스터 도구"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "웹마스터 블로그"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2900
|
||||
msgid "Site Explorer"
|
||||
msgstr "사이트 익스플로러"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
msgid "Search Blog"
|
||||
msgstr "블로그 검색"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "웹마스터 센터 블로그"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2903
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "사이트 맵 프로토콜"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "사이트 맵 FAQ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "사이트 맵 생성기 FAQ"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
msgid "Recent Donations:"
|
||||
msgstr "최근 기부:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
msgid "List of the donors"
|
||||
msgstr "기부자 목록"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
msgid "Hide this list"
|
||||
msgstr "목록 숨기기"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "당신의 지원에 감사드립니다!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2931
|
||||
msgid "Status"
|
||||
msgstr "상태"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2941
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "사이트 맵이 아직 만들어지지 않았습니다. <a href=\"%s\">여기를 클릭</a>하면 처음으로 사이트 맵을 생성합니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2947
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "당신의 <a href=\"%url%\">사이트 맵</a> 은 <b>%date%</b>에 마지막으로 생성되었습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2949
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "사이트 맵 파일을 작성하는 데 문제가 있습니다. 파일 생성과 쓰기가 가능하도록 해 주십시오. <a href=\"%url%\">정보 더 보기</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2956
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "당신의 사이트 맵(<a href=\"%url%\">압축됨</a>)은 <b>%date%</b>에 마지막으로 생성되었습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2958
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "압축된 사이트 맵 파일을 작성하는 데 문제가 있습니다. 파일 생성과 쓰기가 가능하도록 해 주십시오. <a href=\"%url%\">정보 더 보기</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2964
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google에 변경사항을 <b>성공적으로</b> 통보하였습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Google에 통보하는데 %time% 초가 걸렸습니다. 만약 이 기능을 사용하지 않으면 사이트 맵 작성시간을 줄일 수 있습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3011
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "Google에 통보하는 동안 문제가 발생했습니다. <a href=\"%s\">결과 보기</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "YAHOO에 변경사항을 <b>성공적으로</b> 통보하였습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2979
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "YAHOO에 통보하는데 %time% 초가 걸렸습니다. 만약 이 기능을 사용하지 않으면 사이트 맵 작성시간을 줄일 수 있습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3023
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "YAHOO에 통보하는 동안 문제가 발생했습니다. <a href=\"%s\">결과 보기</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
msgid "MSN was <b>successfully notified</b> about changes."
|
||||
msgstr "MSN에 변경사항을 <b>성공적으로</b> 통보하였습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
msgid "It took %time% seconds to notify MSN.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "MSN.com에 통보하는데 %time% 초가 걸렸습니다. 만약 이 기능을 사용하지 않으면 사이트 맵 작성시간을 줄일 수 있습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3035
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying MSN.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "MSN.com에 통보하는 동안 문제가 발생했습니다. <a href=\"%s\">결과 보기</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2988
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com에 변경사항을 <b>성공적으로</b> 통보하였습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Ask.com에 통보하는데 %time% 초가 걸렸습니다. 만약 이 기능을 사용하지 않으면 사이트 맵 작성시간을 줄일 수 있습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3035
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Ask.com에 통보하는 동안 문제가 발생했습니다. <a href=\"%s\">결과 보기</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3002
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "작성 과정을 완료하는데 약 <b>%time% 초</b>가 걸렸고, %memory% MB 의 메모리가 사용 되었습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3004
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "작성 과정을 완료하는데 <b>%time% 초</b>가 걸렸습니다. "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3008
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3012
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "마지막 실행이 완료되지 않았습니다! PHP 스크립트의 시간제한이나 메모리 한계를 올려 보시기 바랍니다. <a href=\"%url%\">정보 더 보기</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3014
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "최근에 스크립트가 사용한 메모리는 %memused%MB 이며, 서버의 메모리 한계는 %memlimit%입니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3018
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "최근에 스트립트가 실행하면서 걸린 시간은 %timeused%초 이고, 서버의 제한시간은 %timelimit%초 입니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3022
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "스크립트가 포스트 넘버 %lastpost% (+/- 100) 부근에서 멈추었습니다"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3025
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "만약 서버 또는 블로그에 변경사항이 있다면 수동으로 <a href=\"%s\">사이트 맵을 재작성</a>해야 합니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3027
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "만약 작성 과정에 어떠한 문제가 발생한다면 <a href=\"%d\">디버그 기능</a>을 이용하여 더 많은 정보를 얻을 수 있습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3040
|
||||
msgid "Basic Options"
|
||||
msgstr "기본 옵션"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
msgid "Sitemap files:"
|
||||
msgstr "사이트 맵 파일:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
msgid "Learn more"
|
||||
msgstr "정보 더 보기"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3049
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "표준 XML 파일 작성 ( 사용자 파일이름 )"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3055
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "압축 파일 작성 ( 사용자 파일이름 + .gz)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
msgid "Building mode:"
|
||||
msgstr "작성 모드:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3064
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "블로그의 내용이 변경되었을 때 사이트 맵을 재작성함"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3071
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "GET Request를 통해 수동 사이트 맵 작성이 가능토록 함"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3075
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr "이 항목은 워드프레스 API를 사용하지 않고 워드프레스 데이타 베이스에 내용을 작성하는 외부 프로그램이 있을 때 사이트 맵을 재생성할 수 있도록 해줍니다. 다음의 링크를 따라 가면 처리과정을 시작할 수 있습니다.: <a href=\"%1\">%1</a> 사이트 맵을 성공적으로 작성했는지 확인하려면 위의 로그파일을 확인하시기 바랍니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
msgid "Update notification:"
|
||||
msgstr "업데이트 통지:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "블로그의 업데이트를 Google에 통보"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "등록이 필요하진 않지만, <a href=\"%s\">구글 웹마스터 툴</a> 에 가입하면 수집 통계를 확인할 수 있습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
msgid "Notify MSN Live Search about updates of your Blog"
|
||||
msgstr "블로그의 업데이트를 MSN Live에 통보"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">MSN Live Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "등록이 필요하진 않지만, <a href=\"%s\">MSN Live 웹마스터 툴</a> 에 가입하면 수집 통계를 확인할 수 있습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3088
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "블로그의 업데이트를 Ask.com에 통보"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3089
|
||||
msgid "No registration required."
|
||||
msgstr "등록 필요 없음."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3093
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "블로그의 업데이트를 YAHOO에 통보"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
msgid "Your Application ID:"
|
||||
msgstr "당신의 Application ID:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
#, php-format
|
||||
msgid "Don't you have such a key? <a href=\"%s1\">Request one here</a>!</a> %s2"
|
||||
msgstr "Key를 가지고 있지 않나요? <a href=\"%s1\">여기서 신청하세요</a>!</a> %s2"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3099
|
||||
#, php-format
|
||||
msgid "Modify or create %s file in blog root which contains the sitemap location."
|
||||
msgstr "사이트 맵 위치를 포함하고 있는 블로그 루트의 %s 파일을 생성 또는 변경합니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3102
|
||||
msgid "File permissions: "
|
||||
msgstr "파일 권한:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3107
|
||||
msgid "OK, robots.txt is writable."
|
||||
msgstr "OK, robox.txt가 쓰기 가능한 상태입니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3109
|
||||
msgid "Error, robots.txt is not writable."
|
||||
msgstr "Error, robots.txt가 쓰기 불가능한 상태입니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3113
|
||||
msgid "OK, robots.txt doesn't exist but the directory is writable."
|
||||
msgstr "OK, robots.txt 파일은 존재하지 않지만 디렉토리가 쓰기 가능한 상태입니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3115
|
||||
msgid "Error, robots.txt doesn't exist and the directory is not writable"
|
||||
msgstr "Error, robots.txt 가 존재하지 않으며 디렉토리도 쓰기 불가능한 상태입니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
msgid "Advanced options:"
|
||||
msgstr "고급 옵션:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "사이트 맵에 포함될 포스트의 갯수를 제한함:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "최근 포스트가 먼저 포함됩니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "메모리 한계를 증가시킴:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "예. \"4M\", \"16M\""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "실행 시간 제한을 증가시키도록함:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "초 단위로 기입, 예.\"60\" 또는 \"0\" (제한 없음)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "XSLT 스타일시트를 포함:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Use Default"
|
||||
msgstr "기본설정 사용"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr ".xsl 파일의 전체 또는 상대 주소"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "MySQL 스탠다드 모드를 가능하게 함. MySQL 에러가 발생할 때만 사용하십시오. (더 많은 메모리가 필요함!)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "백그라운드 작업으로 사이트 맵을 생성 (포스트를 저장할 때 기다리지 않아도 됩니다.)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "다음의 포스트나 페이지를 제외:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "콤마로 구분된 ID 리스트"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3144
|
||||
msgid "Additional pages"
|
||||
msgstr "페이지 추가"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3149
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "여기서 특정 파일이나 URL을 사이트 맵에 추가할 수 있지만 Blog/WordPress에 속해 있는 것은 추가 할 수 없습니다. <br /> 예를 들어, 도메인이 www.foo.com이고 블로그의 위치가 www.foo.com/blog 라면 www.foo.com을 홈페이지로 추가할 수 있습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3151
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3462
|
||||
msgid "Note"
|
||||
msgstr "주의"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "블로그가 서브 디렉토리에 위치하는데 새 페이지를 추가하길 원한다면 사이트 맵 파일이 블로그 디렉토리나 그 아래에 있으면 안되고 root 디렉토리에 있어야 합니다. (이 페이지의 "사이트 맵 파일의 위치" 부분을 보십시오.)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3300
|
||||
msgid "URL to the page"
|
||||
msgstr "페이지의 주소"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "페이지의 주소를 입력하십시오.예:http://www.foo.com/index.html or www.foo.com/home"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3157
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3301
|
||||
msgid "Priority"
|
||||
msgstr "우선순위"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3158
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "다른 페이지에 비교하여 페이지의 우선 순위를 선택하십시오. 예를 들어 홈페이지는 다른 것에 비해 높은 우선 순위를 가져야 합니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3160
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3303
|
||||
msgid "Last Changed"
|
||||
msgstr "마지막 변경"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3161
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "최근 변경된 날짜를 YYYY-MM-DD (예 : 2005-12-31 ) 형식으로 입력하십시오 ( 선택사항 )"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3302
|
||||
msgid "Change Frequency"
|
||||
msgstr "변경 빈도"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3304
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3309
|
||||
msgid "No pages defined."
|
||||
msgstr "페이지가 지정되지 않았습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3314
|
||||
msgid "Add new page"
|
||||
msgstr "새 페이지 추가"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3325
|
||||
msgid "Post Priority"
|
||||
msgstr "포스트 우선순위"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "각 포스트의 우선순위를 어떻게 계산할 것인지 선택해 주십시오:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "자동 우선순위 계산을 사용하지 않음"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "모든 포스트가 "우선권"에서 설정된 우선순위를 같게 됩니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3348
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "사이트 맵 파일의 위치"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3353
|
||||
msgid "Automatic detection"
|
||||
msgstr "자동 탐지"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3357
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "사이트 맵 파일의 이름"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3360
|
||||
msgid "Detected Path"
|
||||
msgstr "탐지된 경로"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3360
|
||||
msgid "Detected URL"
|
||||
msgstr "탐지된 주소"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3365
|
||||
msgid "Custom location"
|
||||
msgstr "커스텀 로케이션"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3369
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "파일이름을 포함한 사이트 맵 파일의 절대 또는 상대 경로"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3371
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3380
|
||||
msgid "Example"
|
||||
msgstr "예제"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3378
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "파일이름을 포함한 사이트 맵 파일의 완전한 주소."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3397
|
||||
msgid "Sitemap Content"
|
||||
msgstr "사이트 맵 내용"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3405
|
||||
msgid "Include homepage"
|
||||
msgstr "홈페이지 추가"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3411
|
||||
msgid "Include posts"
|
||||
msgstr "포스트 추가"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3417
|
||||
msgid "Include static pages"
|
||||
msgstr "정적 페이지 추가"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3423
|
||||
msgid "Include categories"
|
||||
msgstr "카테고리 추가"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3429
|
||||
msgid "Include archives"
|
||||
msgstr "아카이브 추가"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3436
|
||||
msgid "Include tag pages"
|
||||
msgstr "태크 페이지 추가"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3443
|
||||
msgid "Include author pages"
|
||||
msgstr "작성자 페이지 추가"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3457
|
||||
msgid "Change frequencies"
|
||||
msgstr "수집 빈도 변경"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3463
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "각 태그에 있는 수치들은 고려할 수 있는 사항일 뿐 절대적인 명령은 아닙니다. 서치 엔진의 Crawler가 아래의 정보를 수집 결정을 내릴 때 고려한다고 해도 \"매시간\" 으로 된 페이지를 더 긴 주기로 수집할 수도 있고 \"매년\" 으로 된 페이지를 더 짧은 주기로 수집할 수도 있습니다. 이것은 \"하지않음\"으로 된 페이지도 마찬가지로 주기적 수집을 할 수도 있어서 그러한 페이지에 발생한 변화를 예기치 않게 수집할 수도 있습니다."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3469
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3535
|
||||
msgid "Homepage"
|
||||
msgstr "홈페이지"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3475
|
||||
msgid "Posts"
|
||||
msgstr "포스트들"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3481
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3553
|
||||
msgid "Static pages"
|
||||
msgstr "정적 페이지들"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3487
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3559
|
||||
msgid "Categories"
|
||||
msgstr "카테고리들"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3493
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "이번 달의 아카이브 ( 홈페이지와 같아야 합니다.)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3499
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "오래된 아카이브 ( 예전 포스트를 수정했을 때만 변경 하십시오.)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3506
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3572
|
||||
msgid "Tag pages"
|
||||
msgstr "태그 페이지들"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3513
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3579
|
||||
msgid "Author pages"
|
||||
msgstr "작성자 페이지들"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3527
|
||||
msgid "Priorities"
|
||||
msgstr "우선권"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3541
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "포스트 ( 만약 자동 계산이 중지 되었을 경우 )"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3547
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "최소 포스트 우선권 (만약 자동 계산이 활성화 되어있을 때도)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3565
|
||||
msgid "Archives"
|
||||
msgstr "아카이브"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3590
|
||||
msgid "Update options"
|
||||
msgstr "옵션 업데이트"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3591
|
||||
msgid "Reset options"
|
||||
msgstr "옵션 초기화"
|
||||
|
||||
@@ -0,0 +1,505 @@
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"POT-Creation-Date: \n"
|
||||
"PO-Revision-Date: 2008-03-15 10:27+0100\n"
|
||||
"Last-Translator: forkless <forkless@gmail.com>\n"
|
||||
"Language-Team: Arne Brachhold <himself@arnebrachhold.de>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=utf-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Poedit-Language: German\n"
|
||||
"X-Poedit-Country: GERMANY\n"
|
||||
|
||||
msgid "Comment Count"
|
||||
msgstr "Aantal Reacties"
|
||||
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Gebruikt het aantal reacties van het bericht om de prioriteit te berekenen"
|
||||
|
||||
msgid "Comment Average"
|
||||
msgstr "Reactie Gemiddelde"
|
||||
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Gebruik het reactie gemiddelde om de prioriteit te berekenen"
|
||||
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Popularity Contest"
|
||||
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "Gebruikt het geactiveerde <a href=\"%1\">Popularity Contest Plugin</a> van <a href=\"%2\">Alex King</a>. Zie <a href=\"%3\">instellingen</a> en <a href=\"%4\">meest populaire berichten</a>"
|
||||
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "XML-Sitemap Generator"
|
||||
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Sitemap"
|
||||
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Hartelijke dank voor je donatie! Je helpt hierbij deze gratis plugin te ondersteunen en verder te ontwikkelen!"
|
||||
|
||||
msgid "Hide this notice"
|
||||
msgstr "Deze melding verbergen"
|
||||
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "Bedankt voor het gebruiken van deze plugin! Je hebt deze plugin meer dan een maand geleden geinstalleerd. Wanneer het naar behoren werkt en je met het resultaat tevreden bent is het dan niet minsten één dollar waard? <a href=\"%s\">Donaties</a> helpen mij deze diese <i>gratis</i> software te ondersteunen en verder te ontwikkelen! <a href=\"%s\">Natuurlijk, geen probleem!</a> "
|
||||
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Nee dankjewel, val me hier niet meer mee lastig! "
|
||||
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "XML Sitemap Generator voor WordPress"
|
||||
|
||||
msgid "Configuration updated"
|
||||
msgstr "De instellingen zijn opgeslagen"
|
||||
|
||||
msgid "Error while saving options"
|
||||
msgstr "Bij het opslaan van de instellingen is een fout opgetreden."
|
||||
|
||||
msgid "Pages saved"
|
||||
msgstr "Pagina's opgeslagen"
|
||||
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Bij het opslaan van de pagina's is een fout opgetreden"
|
||||
|
||||
msgid "<a href=\"%s\">Robots.txt</a> file saved"
|
||||
msgstr "<a href=\"%s\">Robots.txt</a> bestand opgeslagen"
|
||||
|
||||
msgid "Error while saving Robots.txt file"
|
||||
msgstr "Er is een fout opgetreden tijdens het opslaan van robots.txt"
|
||||
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "De standaard instellingen zijn weer hersteld."
|
||||
|
||||
msgid "open"
|
||||
msgstr "openen"
|
||||
|
||||
msgid "close"
|
||||
msgstr "sluiten"
|
||||
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "Klik en sleep om dit venster te verplaatsen"
|
||||
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "Klik om dit venster te %toggle%"
|
||||
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "gebruik de cursor toetsen om dit venster te verplaatsen"
|
||||
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", of druk op de enter toets om het te %toggle%"
|
||||
|
||||
msgid "About this Plugin:"
|
||||
msgstr "Over deze plugin:"
|
||||
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Plugin homepage"
|
||||
|
||||
msgid "Notify List"
|
||||
msgstr "E-Mail wanneer er een update is"
|
||||
|
||||
msgid "Support Forum"
|
||||
msgstr "Support Forum"
|
||||
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Met PayPal doneren"
|
||||
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Amazon wensenlijst"
|
||||
|
||||
msgid "translator_name"
|
||||
msgstr "Mark Peters"
|
||||
|
||||
msgid "translator_url"
|
||||
msgstr "http://www.zinloosverteld.nl"
|
||||
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Sitemap informatie:"
|
||||
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Webmaster Tools"
|
||||
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog"
|
||||
|
||||
msgid "Site Explorer"
|
||||
msgstr "Site Explorer"
|
||||
|
||||
msgid "Search Blog"
|
||||
msgstr "Doorzoek Blog"
|
||||
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "Webmaster Center Blog"
|
||||
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Sitemaps Protocol"
|
||||
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Officiële Sitemaps FAQ"
|
||||
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "Mijn Sitemaps FAQ"
|
||||
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Recente Donaties:"
|
||||
|
||||
msgid "List of the donors"
|
||||
msgstr "Lijst van donateurs"
|
||||
|
||||
msgid "Hide this list"
|
||||
msgstr "Lijst verbergen"
|
||||
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Bedankt voor je support!"
|
||||
|
||||
msgid "Status"
|
||||
msgstr "Status"
|
||||
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "De sitemap is nog niet gegenereerd. <a href=\"%s\">Klik hier</a> om deze voor de eerste keer aan te maken."
|
||||
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "Jouw <a href=\"%url%\">Sitemap</a> werd voor het laatst op <b>%date%</b> gegenereerd."
|
||||
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Er was een probleem met het opslaan van je sitemap bestand. Controleer of het bestand bestaat en de juiste bestandspermissies heeft. <a href=\"%url%\">Meer informatie</a"
|
||||
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "Jouw (<a href=\"%url%\">gezipt</a>) sitemap werd voor het laatst op <b>%date%</b> gegenereerd."
|
||||
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Er was een probleem met het opslaan van het gezipte sitemap bestand. Controleer of het bestand bestand en de juiste bestandspermissies heeft. <a href=\"%url%\">Meer informatie</a"
|
||||
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google is <b>succesvol</b> op de hoogte gesteld van de veranderingen."
|
||||
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Het duurde %time% seconden om Google op de hoogte te stellen. Misschien wil je deze optie deactiveren om de doorlooptijd van de sitemap generatie te verkorten?"
|
||||
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "Er was een probleem bij het informeren van Google. <a href=\"%s\">Resultaat weergeven</a>"
|
||||
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "Yahoo is <b>succesvol</b> op de hoogte gesteld van de veranderingen."
|
||||
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Het duurde %time% seconden om Yahoo op de hoogte te stellen. Misschien wil je deze optie deactiveren om de doorlooptijd van de sitemap generatie te verkorten?"
|
||||
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "Er was een probleem bij het informeren van Yahoo. <a href=\"%s\">Resultaat weergeven</a>"
|
||||
|
||||
msgid "MSN was <b>successfully notified</b> about changes."
|
||||
msgstr "MSN.com is <b>succesvol</b> op de hoogte gesteld van de veranderingen."
|
||||
|
||||
msgid "It took %time% seconds to notify MSN.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Het duurde %time% seconden om MSN.com op de hoogte te stellen. Misschien wil je deze optie deactiveren om de doorlooptijd van de sitemap generatie te verkorten?"
|
||||
|
||||
msgid "There was a problem while notifying MSN.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Er was een probleem bij het informeren van MSN.com. <a href=\"%s\">Resultaat weergeven</a>"
|
||||
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com is <b>succesvol</b> op de hoogte gesteld van de veranderingen."
|
||||
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Het duurde %time% seconden om Ask.com op de hoogte te stellen. Misschien wil je deze optie deactiveren om de doorlooptijd van de sitemap generatie te verkorten?"
|
||||
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Er was een probleem bij het informeren van Ask.com. <a href=\"%s\">Resultaat weergeven</a>"
|
||||
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "Het sitemap genereren duurde <b>%time% seconden</b> en gebruikte %memory%MB geheugen."
|
||||
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "Het sitemap genereren duurde <b>%time% seconden</b>."
|
||||
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "De inhoud van de sitemap heeft zich <strong>niet gewijzigd</strong> sinds de laatste keer, als gevolgd zijn er geen bestanden weggeschreven en zijn de zoekmachines niet op de hoogte gesteld."
|
||||
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "De laatste generatie van de sitemap is niet afgesloten! Het kan helpen de geheugenlimiet voor PHP scripts te verhogen. <a href=\"%url%\">Meer informatie</a>"
|
||||
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "Het laatst bekende geheugengebruik van het script lag op %memused%MB, het limiet voor PHP scripts op deze server is %memlimit%."
|
||||
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "De laatst bekende doorlooptijd lag op %timeused% seconden, het limiet voor PHP scripts voor deze server is %timelimit% seconden."
|
||||
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "Het script is ongeveer gestopt bij bericht nummer %lastpost% (+/- 100)"
|
||||
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "Wanneer er iets gewijzigd is op de server of aan het Blog, dan kan men de sitemap met de hand opnieuw <a href=\"%s\">genereren</a>."
|
||||
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Indien er bij het genereren van de sitemap problemen zijn kan men de <a href=\"%d\">Debug Functie</a> gebruiken om meer informatie over de opgetreden fout te achterhalen."
|
||||
|
||||
msgid "Basic Options"
|
||||
msgstr "Basisinstellingen"
|
||||
|
||||
msgid "Sitemap files:"
|
||||
msgstr "Sitemap bestanden:"
|
||||
|
||||
msgid "Learn more"
|
||||
msgstr "Meer informatie"
|
||||
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Sitemap als XML bestand aanmaken (bestandsnaam)"
|
||||
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Gezipte sitemap aanmaken (bestandsnaam + .gz)"
|
||||
|
||||
msgid "Building mode:"
|
||||
msgstr "Generatie mode::"
|
||||
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "Sitemap opnieuw genereren wanneer je de inhoud van je Blog wijzigt"
|
||||
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "Handmatig genereren van de sitemap via GET aanvragen toestaan"
|
||||
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr "Hiermee kun je je sitemap opnieuw genereren indien een externe tool in de database van WordPress geschreven heeft zonder gebruik te maken van de API. Gebruik de volgende URL om het process te starten: <a href=\"%1\">%1</a> Controleer het logbestand hierboven om te kijken of de sitemap succesvol is gegenereerd."
|
||||
|
||||
msgid "Update notification:"
|
||||
msgstr "Wijzigings notificatie:"
|
||||
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Google YAHOO op de hoogte stellen van de Blog wijzigingen"
|
||||
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Registratie niet noodzakelijk, maar je kunt je optioneel aanmelden bij de <a href=\"%s\">Google Webmaster Tools</a> om de indexeringsstatistieken van de site te bekijken."
|
||||
|
||||
msgid "Notify MSN Live Search about updates of your Blog"
|
||||
msgstr "MSN Live Search op de hoogte stellen van de Blog wijzigingen"
|
||||
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">MSN Live Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Registratie niet noodzakelijk, maar je kunt je optioneel aanmelden bij de <a href=\"%s\">MSN Live Webmaster Tools</a> om de indexeringsstatistieken van de site te bekijken."
|
||||
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Ask.com YAHOO op de hoogte stellen van de Blog wijzigingen"
|
||||
|
||||
msgid "No registration required."
|
||||
msgstr "Geen registratie noodzakelijk"
|
||||
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "YAHOO op de hoogte stellen van de Blog wijzigingen"
|
||||
|
||||
msgid "Your Application ID:"
|
||||
msgstr "Jouw Application ID:"
|
||||
|
||||
msgid "Don't you have such a key? <a href=\"%s1\">Request one here</a>!</a> %s2"
|
||||
msgstr "Nog geen key? <a href=\"%s1\">Hier aanvragen</a>!</a> %s2"
|
||||
|
||||
msgid "Modify or create %s file in blog root which contains the sitemap location."
|
||||
msgstr "Maak of wijzig het %s bestand in de root directory van je Blog."
|
||||
|
||||
msgid "File permissions: "
|
||||
msgstr "Bestands permissies:"
|
||||
|
||||
msgid "OK, robots.txt is writable."
|
||||
msgstr "OK, robots.txt kan weggeschreven worden."
|
||||
|
||||
msgid "Error, robots.txt is not writable."
|
||||
msgstr "Error, robots.txt kan niet weggeschreven worden."
|
||||
|
||||
msgid "OK, robots.txt doesn't exist but the directory is writable."
|
||||
msgstr "OK, robots.txt bestaat nog niet, maar de directory kan beschreven worden."
|
||||
|
||||
msgid "Error, robots.txt doesn't exist and the directory is not writable"
|
||||
msgstr "Error, robots.txt bestaat niet en de directory is niet beschrijfbaar"
|
||||
|
||||
msgid "Advanced options:"
|
||||
msgstr "Uitgebreide instellingen"
|
||||
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "Het aantal berichten in de sitemap limiteren:"
|
||||
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "Nieuwe berichten worden het eerst opgenomen"
|
||||
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Probeer de geheugenlimiet te verhogen naar: "
|
||||
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "bijv. \"4M\", \"16M\""
|
||||
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "Probeer de tijdslimiet van de generatie aan te passen naar:"
|
||||
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "in seconden, bijv. \"60\" of \"0\" voor geen limiet"
|
||||
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "XSLT stylesheet toevoegen:"
|
||||
|
||||
msgid "Use Default"
|
||||
msgstr "Gebruik de standaard"
|
||||
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "Volledige of relatieve pad naar het .xsl bestand"
|
||||
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "MySQL standaard mode activeren. Gebruik deze optie indien MYSQL fouten optreden (gebruikt meer geheugen!)"
|
||||
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "Genereer de sitemap in de achtergrond (Hierdoor is er geen wachttijd wanneer er een bericht wordt geplaatst)"
|
||||
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "Volgende berichten of pagina's uitsluiten:"
|
||||
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "Lijst van de IDs, gescheiden door komma"
|
||||
|
||||
msgid "Additional pages"
|
||||
msgstr "Addtionele pagina's"
|
||||
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Hier kunnen de bestanden of URLHier können Sie zusätzliche Seiten in Form von URLs angeben, welche mit in Ihre Sitemap aufgenommen werden sollen aber nicht von WordPress erzeugt werden. Falls Sie z.B. Ihre Homepage auf www.beispiel.com haben, Ihr Blog aber unter www.beispiel.com/blog zu erreichen ist, tragen Sie Ihre Homepage als http://www.beispiel.com hier ein."
|
||||
|
||||
msgid "Note"
|
||||
msgstr "Notitie"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Indien het Blog in een subdirectory staat en je wilt pagina's toevoegen die NIET in de Blog of onderliggende directories liggen, dan MOET je je sitemap bestand in de root direcotry van de webserver plaatsten. (Kijk naar de "Locatie van het sitemap bestand" sectiew op deze pagina)!"
|
||||
|
||||
msgid "URL to the page"
|
||||
msgstr "URL naar de pagina"
|
||||
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Vul hier de URL naar de pagina in. Voorbeeld: http://www.zinloosverteld.nl of http://www.zinloosverteld.nl/blog"
|
||||
|
||||
msgid "Priority"
|
||||
msgstr "Prioriteit"
|
||||
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Kies hier de prioriteit van de pagina relatief ten opzichte van andere pagina's. Bijvoorbeeld, de homepage heeft een hogere prioriteit dan een colofon pagina."
|
||||
|
||||
msgid "Last Changed"
|
||||
msgstr "Laatste wijziging"
|
||||
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Voer hier de laatste wijziging in in het formaat JJJJ-MM-DD (bijv. 2005-12-31). Dit veld is optioneel en hoeft niet ingevuld te worden."
|
||||
|
||||
msgid "Change Frequency"
|
||||
msgstr "Wijzigingsfrequentie"
|
||||
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
msgid "No pages defined."
|
||||
msgstr "Er zijn geen pagina's gedefiniëerd."
|
||||
|
||||
msgid "Add new page"
|
||||
msgstr "Nieuwe pagina toevoegen"
|
||||
|
||||
msgid "Post Priority"
|
||||
msgstr "Bericht prioriteit"
|
||||
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Kies hier de berekeningsmethode voor de prioriteit van de berichten."
|
||||
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Geen automatische prioriteitsberekening gebruiken"
|
||||
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "Alle berichten hebben dezelfde prioriteit die onder "Prioriteiten" is ingesteld."
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Locatie van het sitemap bestand"
|
||||
|
||||
msgid "Automatic detection"
|
||||
msgstr "Automatische herkenning"
|
||||
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Bestandsnaam van de sitemap"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "Herkend pad"
|
||||
|
||||
msgid "Detected URL"
|
||||
msgstr "Herkende URL"
|
||||
|
||||
msgid "Custom location"
|
||||
msgstr "Handmatig ingesteld pad"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Absoluut of relatief pad naar het sitemap bestand inclusief bestandsnaam."
|
||||
|
||||
msgid "Example"
|
||||
msgstr "Voorbeeld"
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "Absolute URL naar het sitemap bestand inclusief de bestandsnaam."
|
||||
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Sitemap inhoud"
|
||||
|
||||
msgid "Include homepage"
|
||||
msgstr "Bevat homepage"
|
||||
|
||||
msgid "Include posts"
|
||||
msgstr "Bevat berichten"
|
||||
|
||||
msgid "Include static pages"
|
||||
msgstr "Bevat statische pagina's"
|
||||
|
||||
msgid "Include categories"
|
||||
msgstr "Bevat categorieën"
|
||||
|
||||
msgid "Include archives"
|
||||
msgstr "Bevat archieven"
|
||||
|
||||
msgid "Include tag pages"
|
||||
msgstr "Bevag tag pagina's"
|
||||
|
||||
msgid "Include author pages"
|
||||
msgstr "Bevat auteur pagina's"
|
||||
|
||||
msgid "Change frequencies"
|
||||
msgstr "Wijzigingsfrequentie"
|
||||
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Let er op dat de waarde van deze tag als tip gezien wordt en niet als commando. Zoekmachines kunnen deze tip oppakken, echter hoeven zij zich er niet aan te houden. Ze kunnen pagina's per \"Hourly\" gemarkeerd minder bezoeken. En pagina's gemarkeerd \"Yearly\" kunnen frequentere controles krijgen. Ook pagina's gemarkeerd \"Never\" kunnen worden bezocht om zo onverwachte veranderingen op te pakken."
|
||||
|
||||
msgid "Homepage"
|
||||
msgstr "Homepage"
|
||||
|
||||
msgid "Posts"
|
||||
msgstr "Berichten"
|
||||
|
||||
msgid "Static pages"
|
||||
msgstr "Statische pagina's"
|
||||
|
||||
msgid "Categories"
|
||||
msgstr "Categorieën"
|
||||
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Het archief van de huidige maand (Zou hetzelfde moeten zijn als de homepage)"
|
||||
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Archieven van voorgaande maanden"
|
||||
|
||||
msgid "Tag pages"
|
||||
msgstr "Tag pagina's"
|
||||
|
||||
msgid "Author pages"
|
||||
msgstr "Auteur pagina's"
|
||||
|
||||
msgid "Priorities"
|
||||
msgstr "Prioriteiten"
|
||||
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Berichten (Wanneer automatische berekening is geactiveerd)"
|
||||
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Minimale prioriteit voor berichten (ook wanneer de automatische berekening is geactiveerd)"
|
||||
|
||||
msgid "Archives"
|
||||
msgstr "Archieven"
|
||||
|
||||
msgid "Update options"
|
||||
msgstr "Instellingen opslaan"
|
||||
|
||||
msgid "Reset options"
|
||||
msgstr "Instellingen herstellen"
|
||||
|
||||
@@ -0,0 +1,640 @@
|
||||
# Polish Language File for Google XML Sitemaps - sitemap-pl_PL.po)
|
||||
# Copyright (C) 2007 Kuba Zwolinski : http://kubazwolinski.com
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# kuba <snowdog@o2.pl>, 2007.
|
||||
# $Id: sitemap-pl_PL.po 2504 2007-10-03 09:19:18Z
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: Google Sitemap Generator PL\n"
|
||||
"Report-Msgid-Bugs-To: <[mail-address]>\n"
|
||||
"POT-Creation-Date: 2005-06-15 00:00+0000\n"
|
||||
"PO-Revision-Date: 2007-12-30 12:52+0100\n"
|
||||
"Last-Translator: Kuba Zwolinski <snowdog@o2.pl>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Language-Team: SnowDog <snowdog@o2.pl>\n"
|
||||
"X-Poedit-Language: Polish\n"
|
||||
"X-Poedit-Country: POLAND\n"
|
||||
"X-Poedit-SourceCharset: utf-8\n"
|
||||
"X-Poedit-KeywordsList: __;_e\n"
|
||||
"X-Poedit-Basepath: .\n"
|
||||
"Plural-Forms: nplurals=3; plural=n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:846
|
||||
msgid "Comment Count"
|
||||
msgstr "Liczba komentarzy"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:858
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Używa liczbę komentarzy do obliczania priorytetu wpisu"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:918
|
||||
msgid "Comment Average"
|
||||
msgstr "Średnia komentarzy"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:930
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Używa średnią liczbę komentarzy do obliczania priorytetu wpisu"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:993
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Konkurs popularności"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:1005
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "Używa włączonej wtyczki <a href=\"%1\">Popularity Contest</a> od <a href=\"%2\">Alex King</a>. Zobacz<a href=\"%3\">ustawienia</a> i <a href=\"%4\">najbardziej popularne wpisy</a>"
|
||||
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "Generator XML-Sitemap"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2397
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Sitemap"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2582
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Wielkie dzięki za wsparcie. Pomagasz mi rozwijać tę wtyczkę oraz inne darmowe oprogramowanie!"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2582
|
||||
msgid "Hide this notice"
|
||||
msgstr "Ukryj tę informację"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2606
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "Dzięki za używanie tej wtyczki! Wtyczka została zainstalowana ponad miesiąc temu. Jeśli działa dobrze i rezultaty sa zgodne z Twoimi oczekiwaniami, czy nie jest to wart paru złotych? <a href=\"%s\">Dotacje</a> pomagają mi kontynuowac rozwój wtyczki oraz zapewnić pomoc techniczną użytkownikom tego <i>darmowego</i> programu! <a href=\"%s\">Jasne, bardzo chętnie!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2606
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Nie, dzięki. I nie zawracaj mi więcej tym głowy!"
|
||||
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "Generator XML-Sitemap"
|
||||
|
||||
msgid "Configuration updated"
|
||||
msgstr "Konfiguracja zaktualizowana"
|
||||
|
||||
msgid "Error while saving options"
|
||||
msgstr "Wystąpił błąd podczas zapisywania opcji"
|
||||
|
||||
msgid "Pages saved"
|
||||
msgstr "Strony zostały zapisane"
|
||||
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Wystąpił błąd podczas zapisywania stron."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2711
|
||||
#, php-format
|
||||
msgid "<a href=\"%s\">Robots.txt</a> file saved"
|
||||
msgstr "Plik <a href=\"%s\">Robots.txt</a> został zapisany"
|
||||
|
||||
msgid "Error while saving Robots.txt file"
|
||||
msgstr "Wystąpił błąd podczas zapisu pliku Robots.txt"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2721
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "Domyślna konfiguracja została przywrócona."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2814
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2831
|
||||
msgid "open"
|
||||
msgstr "otworzyć"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2815
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2832
|
||||
msgid "close"
|
||||
msgstr "zamknąć"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2816
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2833
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "wciśnik klawisz i przeciągnij żeby przesunąć"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2817
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2834
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "kliknij aby %toggle% to pole"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2818
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2835
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "użyj kursorów aby przesunąć ten blok"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2819
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2836
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", lub wciśnij enter aby %toggle%"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2847
|
||||
msgid "About this Plugin:"
|
||||
msgstr "O wtyczce:"
|
||||
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Strona główna wtyczki"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2850
|
||||
msgid "Notify List"
|
||||
msgstr "Lista zmian wtyczki"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2851
|
||||
msgid "Support Forum"
|
||||
msgstr "Forum pomocy"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2852
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Wspomóż nas przez PayPal"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2853
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Lista życzeń Amazon"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2854
|
||||
msgid "translator_name"
|
||||
msgstr "Strona tłumaczenia"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2854
|
||||
msgid "translator_url"
|
||||
msgstr "http://kubazwolinski.com/wordpress/tlumaczenie-wtyczki-google-xml-sitemaps/"
|
||||
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "O mapie strony:"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2860
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Webmaster Tools"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2861
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2863
|
||||
msgid "Site Explorer"
|
||||
msgstr "Site Explorer"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2864
|
||||
msgid "Search Blog"
|
||||
msgstr "Search Blog"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2861
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "Webmaster Center Blog"
|
||||
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Sitemaps Protocol"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2867
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Official Sitemaps FAQ"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2868
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "FAQ wtyczki"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2873
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Ostatnie dotacje:"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2877
|
||||
msgid "List of the donors"
|
||||
msgstr "Lista darczyńców"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2879
|
||||
msgid "Hide this list"
|
||||
msgstr "Ukryj tę listę"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2882
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Dzięki za wsparcie!"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2894
|
||||
msgid "Status"
|
||||
msgstr "Status"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2904
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "Mapa strony nie została jeszcze zbudowana. <a href=\"%s\">Kliknij tutaj</a>, aby ją zbudować po raz pierwszy."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2910
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "Ostatnia modyfikacja twojej <a href=\"%url%\">mapy strony</a>: <b>%date%</b>."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2912
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Wystąpił problem podczas zapisu pliku mapy. Upewnij się, że plik istnieje i ma prawa do zapisu przez serwer. <a href=\"%url%\">Dowiedz się więcej</a"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2919
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "Ostatnia modyfikacja twojej <a href=\"%url%\">spakowanej mapy strony</a>: <b>%date%</b>."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2921
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Wystąpił problem podczas zapisu spakowanej (gz) wersji pliku mapy. Upewnij się, że plik istnieje i posiada prawa do zapisu. <a href=\"%url%\">Dowiedz się więcej</a"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2927
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google został <b>pomyślnie powiadomiony</b> o zmianach."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2930
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Powiadomienie Google zajęło %time% sekund, możesz wyłączyć tę opcję, aby zredukować czas publikacji."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2933
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "Wystąpił problem z powiadomieniem Google. <a href=\"%s\">Obejrzyj rezultat</a>"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2939
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "YAHOO został <b>pomyślnie powiadomiony</b> o zmianach."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2942
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Powiadomienie YAHOO zajęło %time% sekund, możesz wyłączyć tę opcję, aby zredukować czas publikacji."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2945
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "Wystąpił problem z powiadomieniem YAHOO. <a href=\"%s\">Obejrzyj rezultat</a>"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2939
|
||||
msgid "MSN was <b>successfully notified</b> about changes."
|
||||
msgstr "MSN został <b>pomyślnie powiadomiony</b> o zmianach."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2954
|
||||
msgid "It took %time% seconds to notify MSN.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Powiadomienie MSN.com zajęło %time% sekund, możesz wyłączyć tę opcję, aby zredukować czas publikacji."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2957
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying MSN.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Wystąpił problem z powiadomieniem MSN.com. <a href=\"%s\">Obejrzyj rezultat</a>"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2951
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com został <b>pomyślnie powiadomiony</b> o zmianach."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2954
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Powiadomienie Ask.com zajęło %time% sekund, możesz wyłączyć tę opcję, aby zredukować czas publikacji."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2957
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Wystąpił problem z powiadomieniem Ask.com. <a href=\"%s\">Obejrzyj rezultat</a>"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2965
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "Proces budowy mapy zajął <b>%time% sek.</b> i wykorzystał %memory% MB pamięci."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2967
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "Proces budowy mapy zajął <b>%time% sek.</b>"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2971
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "Zawartość twojej mapy <strong>nie zmieniła się /strong> od ostatniego razu, więc pliki nie zostały nadpisane i żadna wyszukiwarka nie została powiadomiona."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2975
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "Ostatnia operacja nie została zakończona! Może należy zwiększyć limit pamieci lub czasu wykonywania dla skryptów PHP. <a href=\"%url%\">Dowiedz się więcej</a>"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2977
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "Ostatnie znane zużycie pamięci wyniosło %memused%MB, limit twojego serwera to %memlimit%."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2981
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "Ostatni znany czas wykonywania skryptu wyniósł %timeused% sek., limit twojego serwera wynosi %timelimit% sek."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2985
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "Skrypt przerwał wykonywanie w okolicach wpisu nr %lastpost% (+/- 100)"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2988
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "Jeśli na blogu coś zostało zmienione, należy <a href=\"%s\">przebudować mapę</a> ręcznie."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:2990
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Jeśli napotkasz jakiś problem podczas procesu budowy mapy, możesz użyć <a href=\"%d\">funkcji debugowania</a> aby uzyskać więcej informacji."
|
||||
|
||||
msgid "Basic Options"
|
||||
msgstr "Opcje podstawowe"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3007
|
||||
msgid "Sitemap files:"
|
||||
msgstr "Pliki mapy strony:"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3007
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3022
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3042
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3067
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3084
|
||||
msgid "Learn more"
|
||||
msgstr "Dowiedz się więcej"
|
||||
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Zapisz normalny plik XML (własna nazwa)"
|
||||
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Zapisz plik gzip (własna nazwa + .gz)"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3022
|
||||
msgid "Building mode:"
|
||||
msgstr "Tryb budowy:"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3027
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "Przebudowuj mapę przy zmianie zawartości bloga"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3034
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "Włącz manualne przebudowywanie mapy przez polecenie GET"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3038
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr "Ta opcja pozwoli na odświeżenie mapy strony jeśli jakieś zewnętrzne narzędzie dokona zapisu w bazie danych WordPress z pominięciem WordPress API. Użyj następującego adresu w celu rozpoczęcia procesu: <a href=\"%1\">%1</a> Sprawdź plik logu powyżej, aby sprawdzić czy mapa została odpowiednio przebudowana."
|
||||
|
||||
msgid "Update notification:"
|
||||
msgstr "Powiadomienia o aktualizacjach:"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3046
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Powiadamiaj Google o aktualizacjach twojego bloga"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3047
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Rejestracja nie jest wymagana, ale możesz sprawdzić <a href=\"%s\">Google Webmaster Tools</a> aby kontrolować statystyki indeksowania."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3046
|
||||
msgid "Notify MSN Live Search about updates of your Blog"
|
||||
msgstr "Powiadamiaj MSN Live Search o aktualizacjach twojego bloga"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3047
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">MSN Live Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Rejestracja nie jest wymagana, ale możesz sprawdzić <a href=\"%s\">MSN Live Webmaster Tools</a> aby kontrolować statystyki indeksowania."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3051
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Powiadamiaj Ask.com o aktualizacjach twojego bloga"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3052
|
||||
msgid "No registration required."
|
||||
msgstr "Rejestracja nie jest konieczna"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3056
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "Powiadamiaj YAHOO o aktualizacjach twojego bloga"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
msgid "Your Application ID:"
|
||||
msgstr "ID aplikacji:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
#, php-format
|
||||
msgid "Don't you have such a key? <a href=\"%s1\">Request one here</a>!</a> %s2"
|
||||
msgstr "Nie masz takiego klucza? <a href=\"%s1\">Zamów go tutaj</a>!</a> %s2"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3062
|
||||
#, php-format
|
||||
msgid "Modify or create %s file in blog root which contains the sitemap location."
|
||||
msgstr "Modyfikuj lub utwórz plik %s w katalogu strony gdzie znajduje się mapa strony."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3065
|
||||
msgid "File permissions: "
|
||||
msgstr "Status pliku: "
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3070
|
||||
msgid "OK, robots.txt is writable."
|
||||
msgstr "OK, plik robots.txt ma prawa do zapisu."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3072
|
||||
msgid "Error, robots.txt is not writable."
|
||||
msgstr "Błąd, plik robots.txt nie ma praw do zapisu."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3076
|
||||
msgid "OK, robots.txt doesn't exist but the directory is writable."
|
||||
msgstr "OK, plik robots.txt nie istnieje, ale katalog ma prawa do zapisu przez serwer."
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3078
|
||||
msgid "Error, robots.txt doesn't exist and the directory is not writable"
|
||||
msgstr "Błąd, plik robots.txt nie istnieje i katalog nie ma prawa do zapisu przez serwer"
|
||||
|
||||
msgid "Advanced options:"
|
||||
msgstr "Zaawansowane opcje:"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3087
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "Limituj ilość wpisów w mapie:"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3087
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "Nowsze wpisy będą załączone jako pierwsze"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3090
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Spróbuj zwiększyć limit pamięci do:"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3090
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "np. \"4M\", \"16M\""
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3093
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "Spróbuj zwiększyć limit czasu wykonywania do:"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3093
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "w sekundach, np. \"60\" lub \"0\" dla nieograniczonego"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3096
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "Załącz arkusz stylu XSLT: "
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3096
|
||||
msgid "Use Default"
|
||||
msgstr "Użyj wartości domyślnych"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3096
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "Absolutna lub relatywna ścieżka to twojego plik .xsl "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "Włącz standardowy tryb MySQL. Użyj tego tylko w przypadku występowania błędów MySQL (zużywa duzo więcej pamięci!)."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "Buduj mapę strony w tle (nie musisz czekać kiedy zapisujesz swój wpis)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "Wyłącz następujące wpisy lub strony:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "Lista ID, oddzielonych przecinkami"
|
||||
|
||||
msgid "Additional pages"
|
||||
msgstr "Dodatkowe strony"
|
||||
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Tutaj możesz podąć pliki lub adresy URL, które powinny znaleźć się w twojej mapie strony, chociaż nie należą do blogu/WordPress'a.<br />Na przykład, jeśli twoja domena to www.foo.com i twój blog znajduje się na www.foo.com/blog, możesz chcieć umieścić także stronę główną (czyli www.foo.com)"
|
||||
|
||||
msgid "Note"
|
||||
msgstr "Notatka"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Jeśli twój blog znajduje się w podkatalogu i chcesz dodać strony które NIE znajdują się katalogu blogu lub jego subkatalogu, MUSISZ umieścić swoją mapę strony w katalogu głównym (zobacz sekcję " Lokalizacja twojej mapy strony" na tej stronie)!"
|
||||
|
||||
msgid "URL to the page"
|
||||
msgstr "URL strony"
|
||||
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Wpisz adres URL strony. Przykłady: http://www.foo.com/index.html lub www.foo.com/home "
|
||||
|
||||
msgid "Priority"
|
||||
msgstr "Priorytet"
|
||||
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Wybierz priorytet strony w odniesieniu do innych stron. Na przykład, strona główna może mieć wyższy priorytet niż informacje o tobie."
|
||||
|
||||
msgid "Last Changed"
|
||||
msgstr "Ostatnio zmieniony"
|
||||
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Wpisz datę ostatniej zmiany jako YYYY-MM-DD (na przykład: 2005-12-31) (opcja)."
|
||||
|
||||
msgid "Change Frequency"
|
||||
msgstr "Zmień częstotliwość"
|
||||
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
msgid "No pages defined."
|
||||
msgstr "Brak zdefiniowanych stron"
|
||||
|
||||
msgid "Add new page"
|
||||
msgstr "Dodaj nową stronę"
|
||||
|
||||
msgid "Post Priority"
|
||||
msgstr "Priorytet wpisu"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3292
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Wybierz sposób obliczania priorytetu poszczególnych wpisów:"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3294
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Nie używaj automatycznego obliczania priorytetu"
|
||||
|
||||
# F:\apache\htdocs\wordpress2-3\wp-content\plugins\google-sitemap-generator/sitemap.php:3294
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "Wszystkie wpisy mają ten sam priorytet, który jest zdefiniowany "Priorytety""
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Lokalizacja twojego pliku mapy strony"
|
||||
|
||||
msgid "Automatic detection"
|
||||
msgstr "Automatycznw wykrywanie"
|
||||
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Nazwa pliku mapy strony"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "Wykryta ścieżka"
|
||||
|
||||
msgid "Detected URL"
|
||||
msgstr "Wykryty URL"
|
||||
|
||||
msgid "Custom location"
|
||||
msgstr "Własna lokalizacja"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Absolutna ścieżka do pliku mapy strony, zawierający nazwę. "
|
||||
|
||||
msgid "Example"
|
||||
msgstr "Przykład"
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "Pełen adres URL to pliku mapy strony, zawierający nazwę."
|
||||
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Zawartość mapy strony"
|
||||
|
||||
msgid "Include homepage"
|
||||
msgstr "Zawiera stronę główną"
|
||||
|
||||
msgid "Include posts"
|
||||
msgstr "Zawiera wpisy"
|
||||
|
||||
msgid "Include static pages"
|
||||
msgstr "Zawiera statyczne strony"
|
||||
|
||||
msgid "Include categories"
|
||||
msgstr "Zawiera kategorie"
|
||||
|
||||
msgid "Include archives"
|
||||
msgstr "Zawiera archiwa"
|
||||
|
||||
msgid "Include tag pages"
|
||||
msgstr "Zawiera strony tagów"
|
||||
|
||||
msgid "Include author pages"
|
||||
msgstr "Zawiera strony autorów"
|
||||
|
||||
msgid "Change frequencies"
|
||||
msgstr "Zmień częstotliwość"
|
||||
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Proszę wziąść pod uwagę, że zawartość tego znacznika jest wskazówką, a nie poleceniem. Nawet jeśli wyszukiwarki biorą tą informację pod uwagę podczas podejmowania decyzji, to mogą one przeglądać strony zaznaczone jako \"co godzinę\" rzadziej. Jest również prawdopodobne, że strony oznaczone jako \"co rok\" będą przeglądane częściej. Również jest możliwe, że mimo oznaczenia \"nigdy\", wyszukiwarki mogą takie strony czasem przeglądać i wychwytywać nieoczekiwanie zmiany na tych stronach."
|
||||
|
||||
msgid "Homepage"
|
||||
msgstr "Strona główna"
|
||||
|
||||
msgid "Posts"
|
||||
msgstr "Wpisy"
|
||||
|
||||
msgid "Static pages"
|
||||
msgstr "Statyczne strony"
|
||||
|
||||
msgid "Categories"
|
||||
msgstr "Kategorie"
|
||||
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Aktualne archiwum tego miesiąca (powinno mieć taką samą częstotliwość jak strona główna)"
|
||||
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Starsz archiwa (zmień tylko jeśli edytujesz stare wpisy)"
|
||||
|
||||
msgid "Tag pages"
|
||||
msgstr "Strony tagów"
|
||||
|
||||
msgid "Author pages"
|
||||
msgstr "Strony autorów"
|
||||
|
||||
msgid "Priorities"
|
||||
msgstr "Priorytety"
|
||||
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Wpisy (jeśli automatyczne przeliczanie jest wyłączone)"
|
||||
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Minimalny priorytet wpisu (nawet jeśli automatyczne przeliczanie jest włączone)"
|
||||
|
||||
msgid "Archives"
|
||||
msgstr "Archiwa"
|
||||
|
||||
msgid "Update options"
|
||||
msgstr "Zaktualizuj opcje"
|
||||
|
||||
msgid "Reset options"
|
||||
msgstr "Reset opcji"
|
||||
|
||||
@@ -0,0 +1,327 @@
|
||||
# [Countryname] Language File for sitemap (sitemap-[localname].po)
|
||||
# Copyright (C) 2005 [name] : [URL]
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# [name] <[mail-address]>, 2005.
|
||||
# $Id: sitemap-es_ES.po 2504 2005-07-03 22:19:18Z arnee $
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: <[mail-address]>\n"
|
||||
"POT-Creation-Date: 2005-06-15 00:00+0000\n"
|
||||
"PO-Revision-Date: 2006-11-24 18:57-0300\n"
|
||||
"Last-Translator: Rafael Lima <rafael.lima@email.com.br>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Language-Team: Pedro Polonia <polonia2@gmail.com>\n"
|
||||
"X-Poedit-Language: Portuguese\n"
|
||||
"X-Poedit-Country: PORTUGAL\n"
|
||||
"X-Poedit-SourceCharset: utf-8\n"
|
||||
"X-Poedit-Bookmarks: -1,59,-1,-1,-1,71,-1,-1,-1,-1\n"
|
||||
|
||||
#: sitemap.php:375
|
||||
msgid "always"
|
||||
msgstr "sempre"
|
||||
|
||||
msgid "hourly"
|
||||
msgstr "a cada hora"
|
||||
|
||||
msgid "daily"
|
||||
msgstr "diariamente"
|
||||
|
||||
msgid "weekly"
|
||||
msgstr "semanalmente"
|
||||
|
||||
msgid "monthly"
|
||||
msgstr "mensalmente"
|
||||
|
||||
msgid "yearly"
|
||||
msgstr "anualmente"
|
||||
|
||||
msgid "never"
|
||||
msgstr "nunca"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "Caminho detectado"
|
||||
|
||||
msgid "Example"
|
||||
msgstr "Exemplo"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Caminho absoluto ou relativo para o arquivo sitemap, incluindo o nome."
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "URL completo para o arquivo sitemap, incluindo o nome."
|
||||
|
||||
msgid "Automatic location"
|
||||
msgstr "Localização automática"
|
||||
|
||||
msgid "Manual location"
|
||||
msgstr "Localização manual"
|
||||
|
||||
msgid "OR"
|
||||
msgstr "OU"
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Localização do arquivo sitemap"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Se o seu blog está numa pasta e quer adicionar paginas que NÃO estão na pasta do seu blog ou em sub-pastas, DEVE colocar o seu arquivo sitemap na raiz dos directórios (Olhe na secção \"Localização do seu arquivo sitemap\" nesta página)! "
|
||||
|
||||
#: sitemap.php:512
|
||||
msgid "Configuration updated"
|
||||
msgstr "Configuração actualizada"
|
||||
|
||||
#: sitemap.php:513
|
||||
msgid "Error"
|
||||
msgstr "Erro"
|
||||
|
||||
#: sitemap.php:521
|
||||
msgid "A new page was added. Click on "Save page changes" to save your changes."
|
||||
msgstr "Uma nova página foi adicionada. Seleccione em \"Gravar alterações\" para guardar as alterações. "
|
||||
|
||||
#: sitemap.php:527
|
||||
msgid "Pages saved"
|
||||
msgstr "Páginas guardadas"
|
||||
|
||||
#: sitemap.php:528
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Erro durante a gravação das páginas "
|
||||
|
||||
#: sitemap.php:539
|
||||
msgid "The page was deleted. Click on "Save page changes" to save your changes."
|
||||
msgstr "A página foi eliminada. Seleccione em \"Gravar alterações\" para guardar as alterações. "
|
||||
|
||||
#: sitemap.php:542
|
||||
msgid "You changes have been cleared."
|
||||
msgstr "As suas alterações foram anuladas."
|
||||
|
||||
#: sitemap.php:555
|
||||
msgid "Sitemap Generator"
|
||||
msgstr "Gerador Sitemap"
|
||||
|
||||
#: sitemap.php:558
|
||||
msgid "Manual rebuild"
|
||||
msgstr "Reconstrução manual"
|
||||
|
||||
#: sitemap.php:559
|
||||
msgid "If you want to build the sitemap without editing a post, click on here!"
|
||||
msgstr "Se deseja construir o sitemap sem editar nenhum artigo, clique aqui!"
|
||||
|
||||
#: sitemap.php:560
|
||||
msgid "Rebuild Sitemap"
|
||||
msgstr "Reconstruir Sitemap"
|
||||
|
||||
#: sitemap.php:564
|
||||
msgid "Additional pages"
|
||||
msgstr "Páginas adicionais"
|
||||
|
||||
#: sitemap.php:566
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Aqui pode especificar os arquivos ou URLs que devem ser incluídas no sitemap mas que não pertencem ao seu blog/WordPress.<br />Por exemplo: se o teu domínio é www.foo.com e o teu blog está localizado em www.foo.com/blog, deve querer incluir a sua página inicial em www.foo.com "
|
||||
|
||||
#: sitemap.php:568
|
||||
msgid "URL to the page"
|
||||
msgstr "URL da página"
|
||||
|
||||
#: sitemap.php:569
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "URL da página. Exemplos: http://www.foo.com/index.html ou www.foo.com/home"
|
||||
|
||||
#: sitemap.php:571
|
||||
msgid "Priority"
|
||||
msgstr "Prioridade"
|
||||
|
||||
#: sitemap.php:572
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Escolha a prioridade relativa da página relativa a outras páginas. Por exemplo, a sua página inicial deve ter uma maior prioridade que os seus dados pessoais."
|
||||
|
||||
#: sitemap.php:574
|
||||
msgid "Last Changed"
|
||||
msgstr "Última Alteração"
|
||||
|
||||
#: sitemap.php:575
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Entre a data da última alteração como AAAA-MM-DD (por exemplo: 2005-12-31) (opcional). "
|
||||
|
||||
#: sitemap.php:583
|
||||
msgid "Change Frequency"
|
||||
msgstr "Frequência das Alterações "
|
||||
|
||||
#: sitemap.php:585
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: sitemap.php:609
|
||||
msgid "No pages defined."
|
||||
msgstr "Nenhuma página definida"
|
||||
|
||||
#: sitemap.php:616
|
||||
msgid "Add new page"
|
||||
msgstr "Adicionar nova página "
|
||||
|
||||
#: sitemap.php:617:
|
||||
msgid "Save page changes"
|
||||
msgstr "Guardar as alterações da página"
|
||||
|
||||
#: sitemap.php:618:
|
||||
msgid "Undo all page changes"
|
||||
msgstr "Desfazer todas as alterações da página"
|
||||
|
||||
#: sitemap.php:621:
|
||||
msgid "Delete marked page"
|
||||
msgstr "Apagar a página marcada"
|
||||
|
||||
#: sitemap.php:627
|
||||
msgid "Basic Options"
|
||||
msgstr "Opções Básicas"
|
||||
|
||||
#: sitemap.php:632
|
||||
msgid "Enable automatic priority calculation for posts based on comment count"
|
||||
msgstr "Activar o cálculo automático de prioridades para artigos baseado no número de comentários. "
|
||||
|
||||
#: sitemap.php:638
|
||||
msgid "Write debug comments"
|
||||
msgstr "Escrever comentários de depuração (debug) "
|
||||
|
||||
#: sitemap.php:643
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Nome do arquivo sitemap"
|
||||
|
||||
#: sitemap.php:650
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Escrever um arquivo XML normal (nome do arquivo)"
|
||||
|
||||
#: sitemap.php:652
|
||||
msgid "Detected URL"
|
||||
msgstr "URL detectada"
|
||||
|
||||
#: sitemap.php:657
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Gravar um arquivo comprimido com gzip (nome_arquivo +.gz)"
|
||||
|
||||
#: sitemap.php:664
|
||||
msgid "Auto-Ping Google Sitemaps"
|
||||
msgstr "Ping automático a Google Sitemaps"
|
||||
|
||||
#: sitemap.php:665
|
||||
msgid "This option will automatically tell Google about changes."
|
||||
msgstr "Esta opção indicará automaticamente as alterações ao Google."
|
||||
|
||||
#: sitemap.php:672
|
||||
msgid "Includings"
|
||||
msgstr "Inclusões"
|
||||
|
||||
#: sitemap.php:677
|
||||
msgid "Include homepage"
|
||||
msgstr "Incluir página principal"
|
||||
|
||||
#: sitemap.php:683
|
||||
msgid "Include posts"
|
||||
msgstr "Incluir artigos"
|
||||
|
||||
#: sitemap.php:689
|
||||
msgid "Include static pages"
|
||||
msgstr "Incluir páginas estáticas"
|
||||
|
||||
#: sitemap.php:695
|
||||
msgid "Include categories"
|
||||
msgstr "Incluir categorías"
|
||||
|
||||
#: sitemap.php:701
|
||||
msgid "Include archives"
|
||||
msgstr "Incluir arquivos"
|
||||
|
||||
#: sitemap.php:708
|
||||
msgid "Change frequencies"
|
||||
msgstr "Frequência das mudanças "
|
||||
|
||||
#: sitemap.php:709
|
||||
msgid "Note"
|
||||
msgstr "Nota"
|
||||
|
||||
#: sitemap.php:710
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Por favor, considere que o valor desta etiqueta é um conselho e não um comando. Mesmo quando alguns agentes de pesquisa (search engine crawlers) consideram esta informação para tomar decisões, eles podem verificar as páginas marcadas como \"a cada hora\" com menor frequência, e visitar varias vezes por ano, as páginas marcadas com \"anualmente\".É igualmente possível que sejam verificadas páginas marcadas com \"nunca\" para gerir possíveis mudanças inesperadas nas mesmas."
|
||||
|
||||
#: sitemap.php:715
|
||||
msgid "Homepage"
|
||||
msgstr "Página principal"
|
||||
|
||||
#: sitemap.php:721
|
||||
msgid "Posts"
|
||||
msgstr "Artigos"
|
||||
|
||||
#: sitemap.php:727
|
||||
msgid "Static pages"
|
||||
msgstr "Páginas estáticas"
|
||||
|
||||
#: sitemap.php:733
|
||||
msgid "Categories"
|
||||
msgstr "Categorias"
|
||||
|
||||
#: sitemap.php:739
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Arquivo deste mês (Deve ser igual ao da sua pagina principal)"
|
||||
|
||||
#: sitemap.php:745
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Arquivos antigos (Alterar só se editou um artigo antigo)"
|
||||
|
||||
#: sitemap.php:752
|
||||
msgid "Priorities"
|
||||
msgstr "Prioridades"
|
||||
|
||||
#: sitemap.php:763
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Artigos (Se o calculo automático está inativo) "
|
||||
|
||||
#: sitemap.php:769
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Prioridade mínima para artigos (Mesmo quando o cálculo automático está ativo) "
|
||||
|
||||
#: sitemap.php:787
|
||||
msgid "Archives"
|
||||
msgstr "Arquivos"
|
||||
|
||||
#: sitemap.php:793
|
||||
msgid "Informations and support"
|
||||
msgstr "Informação e suporte"
|
||||
|
||||
#: sitemap.php:794
|
||||
msgid "Check %s for updates and comment there if you have any problems / questions / suggestions."
|
||||
msgstr "Consulte %s para atualizações e comentários se tiver algum problema, questão ou sugestão."
|
||||
|
||||
#: sitemap.php:797
|
||||
msgid "Update options"
|
||||
msgstr "Atualizar opções"
|
||||
|
||||
#: sitemap.php:1033
|
||||
msgid "URL:"
|
||||
msgstr "URL:"
|
||||
|
||||
#: sitemap.php:1034
|
||||
msgid "Path:"
|
||||
msgstr "Caminho:"
|
||||
|
||||
#: sitemap.php:1037
|
||||
msgid "Could not write into %s"
|
||||
msgstr "Não foi possivel escrever em %s"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built sitemap file:"
|
||||
msgstr "Arquivo sitemap criado com sucesso:"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built gzipped sitemap file:"
|
||||
msgstr "Arquivo sitemap comprimido criado com sucesso:"
|
||||
|
||||
#: sitemap.php:1062
|
||||
msgid "Could not ping to Google at %s"
|
||||
msgstr "Não foi possível realizar ping no Google em %s"
|
||||
|
||||
#: sitemap.php:1064
|
||||
msgid "Successfully pinged Google at %s"
|
||||
msgstr "Ping a Google realizado com sucesso em %s"
|
||||
|
||||
@@ -0,0 +1,985 @@
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: Google XML Sitemaps v4.0.3\n"
|
||||
"Report-Msgid-Bugs-To: <[mail-address]>\n"
|
||||
"POT-Creation-Date: 2005-06-15 00:00+0000\n"
|
||||
"PO-Revision-Date: 2014-04-19 19:06+0100\n"
|
||||
"Last-Translator: \n"
|
||||
"Language-Team: wordpress.mowster.net <wordpress@mowster.net>\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-Generator: Poedit 1.6.4\n"
|
||||
"X-Poedit-SourceCharset: utf-8\n"
|
||||
"X-Poedit-KeywordsList: __;_e;__ngettext:1,2;_n:1,2;__ngettext_noop:1,2;"
|
||||
"_n_noop:1,2;_c,_nc:4c,1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;_nx_noop:4c,1,2\n"
|
||||
"X-Poedit-Basepath: .\n"
|
||||
"X-Poedit-Bookmarks: -1,59,-1,-1,-1,71,-1,-1,-1,-1\n"
|
||||
"X-Textdomain-Support: yes\n"
|
||||
"Language: pt_PT\n"
|
||||
"X-Poedit-SearchPath-0: .\n"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:816
|
||||
msgid ""
|
||||
"If your blog is in a subdirectory and you want to add pages which are NOT in "
|
||||
"the blog directory or beneath, you MUST place your sitemap file in the root "
|
||||
"directory (Look at the "Location of your sitemap file" section on "
|
||||
"this page)!"
|
||||
msgstr ""
|
||||
"Se o seu blog está numa pasta e quer adicionar paginas que NÃO estão na "
|
||||
"pasta do seu blog ou em sub-pastas, DEVE colocar o seu ficheiro sitemap na "
|
||||
"raiz dos diretorias (Verifique na secção \"Localização do seu ficheiro "
|
||||
"sitemap\" nesta página)!"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:374
|
||||
msgid "Configuration updated"
|
||||
msgstr "Configuração atualizada"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:378
|
||||
msgid "Pages saved"
|
||||
msgstr "Páginas guardadas"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:379
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Erro durante a gravação das páginas"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:810
|
||||
msgid "Additional pages"
|
||||
msgstr "Páginas adicionais"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:813
|
||||
msgid ""
|
||||
"Here you can specify files or URLs which should be included in the sitemap, "
|
||||
"but do not belong to your Blog/WordPress.<br />For example, if your domain "
|
||||
"is www.foo.com and your blog is located on www.foo.com/blog you might want "
|
||||
"to include your homepage at www.foo.com"
|
||||
msgstr ""
|
||||
"Aqui pode especificar os ficheiros ou URLs que devem ser incluídas no "
|
||||
"sitemap mas que não pertencem ao seu blog/WordPress.<br />Por exemplo: se o "
|
||||
"seu domínio é www.foo.com e o seu blog está localizado em www.foo.com/blog, "
|
||||
"deve querer incluir a sua página inicial em www.foo.com"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:818 sitemap-ui.php:857
|
||||
msgid "URL to the page"
|
||||
msgstr "URL da página"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:819
|
||||
msgid ""
|
||||
"Enter the URL to the page. Examples: http://www.foo.com/index.html or www."
|
||||
"foo.com/home "
|
||||
msgstr ""
|
||||
"URL da página. Exemplos: http://www.foo.com/index.html ou www.foo.com/home "
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:821 sitemap-ui.php:858
|
||||
msgid "Priority"
|
||||
msgstr "Prioridade"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:822
|
||||
msgid ""
|
||||
"Choose the priority of the page relative to the other pages. For example, "
|
||||
"your homepage might have a higher priority than your imprint."
|
||||
msgstr ""
|
||||
"Escolha a prioridade relativa da página em relação a outras páginas. Por "
|
||||
"exemplo, a sua página inicial deve ter uma maior prioridade que os seus "
|
||||
"dados pessoais."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:824 sitemap-ui.php:860
|
||||
msgid "Last Changed"
|
||||
msgstr "Última Alteração"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:825
|
||||
msgid ""
|
||||
"Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) "
|
||||
"(optional)."
|
||||
msgstr ""
|
||||
"Introduza a data da última alteração com o formato AAAA-MM-DD (por exemplo: "
|
||||
"2005-12-31) (opcional)."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:859
|
||||
msgid "Change Frequency"
|
||||
msgstr "Alterar Frequência"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:861
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:866
|
||||
msgid "No pages defined."
|
||||
msgstr "Nenhuma página definida."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:871
|
||||
msgid "Add new page"
|
||||
msgstr "Adicionar nova página"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:754
|
||||
msgid "Basic Options"
|
||||
msgstr "Opções Básicas"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:898
|
||||
msgid "Include homepage"
|
||||
msgstr "Incluir página principal"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:904
|
||||
msgid "Include posts"
|
||||
msgstr "Incluir artigos"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:910
|
||||
msgid "Include static pages"
|
||||
msgstr "Incluir páginas estáticas"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:916
|
||||
msgid "Include categories"
|
||||
msgstr "Incluir categorias"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:922
|
||||
msgid "Include archives"
|
||||
msgstr "Incluir arquivos"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1036
|
||||
msgid "Change frequencies"
|
||||
msgstr "Alterar frequências"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:815 sitemap-ui.php:1019 sitemap-ui.php:1030
|
||||
#: sitemap-ui.php:1039
|
||||
msgid "Note"
|
||||
msgstr "Nota"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1040
|
||||
msgid ""
|
||||
"Please note that the value of this tag is considered a hint and not a "
|
||||
"command. Even though search engine crawlers consider this information when "
|
||||
"making decisions, they may crawl pages marked \"hourly\" less frequently "
|
||||
"than that, and they may crawl pages marked \"yearly\" more frequently than "
|
||||
"that. It is also likely that crawlers will periodically crawl pages marked "
|
||||
"\"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr ""
|
||||
"Por favor, considere que o valor desta etiqueta é um conselho e não um "
|
||||
"comando. Mesmo quando alguns motores de busca consideram esta informação "
|
||||
"para tomar decisões, eles podem verificar as páginas marcadas como \"de hora "
|
||||
"em hora\" com menor frequência, e visitar varias vezes por ano, as páginas "
|
||||
"marcadas com \"anualmente\". É igualmente possível que sejam verificadas "
|
||||
"páginas marcadas com \"nunca\" para gerir possíveis mudanças inesperadas nas "
|
||||
"mesmas."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1046 sitemap-ui.php:1103
|
||||
msgid "Homepage"
|
||||
msgstr "Página principal"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1052
|
||||
msgid "Posts"
|
||||
msgstr "Artigos"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1058 sitemap-ui.php:1121
|
||||
msgid "Static pages"
|
||||
msgstr "Páginas estáticas"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1064 sitemap-ui.php:1127
|
||||
msgid "Categories"
|
||||
msgstr "Categorias"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1070
|
||||
msgid ""
|
||||
"The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Arquivo deste mês (Deve ser igual ao da sua pagina principal)"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1076
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Arquivos antigos (Alterar só se editou um artigo antigo)"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1098
|
||||
msgid "Priorities"
|
||||
msgstr "Prioridades"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1109
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Artigos (Se o calculo automático está desabilitado)"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1115
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr ""
|
||||
"Prioridade mínima para artigos (Mesmo quando o cálculo automático esteja "
|
||||
"ativo)"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1133
|
||||
msgid "Archives"
|
||||
msgstr "Arquivos"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1158
|
||||
msgid "Update options"
|
||||
msgstr "Atualizar opções"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:536
|
||||
msgid "Comment Count"
|
||||
msgstr "Número de comentários"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:546
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Utiliza o número de comentários do artigo para calcular a prioridade"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:599
|
||||
msgid "Comment Average"
|
||||
msgstr "Média de comentários"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:609
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Utiliza a contagem média de comentários para calcular a prioridade"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:770
|
||||
msgid "Always"
|
||||
msgstr "Sempre"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:771
|
||||
msgid "Hourly"
|
||||
msgstr "De hora em hora"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:772
|
||||
msgid "Daily"
|
||||
msgstr "Diariamente"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:773
|
||||
msgid "Weekly"
|
||||
msgstr "Semanalmente"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:774
|
||||
msgid "Monthly"
|
||||
msgstr "Mensalmente"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:775
|
||||
msgid "Yearly"
|
||||
msgstr "Anualmente"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-core.php:776
|
||||
msgid "Never"
|
||||
msgstr "Nunca"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-loader.php:233
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "Gerador XML-Sitemap"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-loader.php:233
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Sitemap"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-loader.php:261
|
||||
msgid "Settings"
|
||||
msgstr "Configurações"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-loader.php:262
|
||||
msgid "FAQ"
|
||||
msgstr "FAQ"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-loader.php:263
|
||||
msgid "Support"
|
||||
msgstr "Suporte"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-loader.php:264
|
||||
msgid "Donate"
|
||||
msgstr "Donativo"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:198 sitemap-ui.php:585
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "Gerador XML Sitemap para o WordPress"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:375
|
||||
msgid "Error while saving options"
|
||||
msgstr "Erro enquanto guardava opções"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:387
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "A configuração padrão foi restabelecida."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:397
|
||||
msgid ""
|
||||
"The old files could NOT be deleted. Please use an FTP program and delete "
|
||||
"them by yourself."
|
||||
msgstr ""
|
||||
"Os ficheiros antigos não podem ser apagados. Por favor, utilize um programa "
|
||||
"de FTP e apague-os manualmente."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:399
|
||||
msgid "The old files were successfully deleted."
|
||||
msgstr "Os ficheiros antigos foram apagados com sucesso."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:439
|
||||
msgid ""
|
||||
"Thank you very much for your donation. You help me to continue support and "
|
||||
"development of this plugin and other free software!"
|
||||
msgstr ""
|
||||
"Muito obrigado pela sua contribuição. Ajuda-me a continuar a apoiar e a "
|
||||
"desenvolver este plugin e outros softwares grátis!"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:439
|
||||
msgid "Hide this notice"
|
||||
msgstr "Esconder esta notícia"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:445
|
||||
#, php-format
|
||||
msgid ""
|
||||
"Thanks for using this plugin! You've installed this plugin over a month ago. "
|
||||
"If it works and you are satisfied with the results, isn't it worth at least "
|
||||
"a few dollar? <a href=\"%s\">Donations</a> help me to continue support and "
|
||||
"development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</"
|
||||
"a>"
|
||||
msgstr ""
|
||||
"Obrigado por utilizar este plugin! Você instalou o plugin há mais de um mês. "
|
||||
"Se funciona e você está satisfeito com os resultados, não vale pelo menos um "
|
||||
"dólar? <a href=\"%s\">Donativos</ a> ajuda-me a continuar a apoiar e a "
|
||||
"desenvolver software <i>livre</i>! <a href=\"%s\">Claro, sem problema!</a>"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:445
|
||||
msgid "Sure, but I already did!"
|
||||
msgstr "Claro, mas já o fiz anteriormente!"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:445
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Não obrigado, não me incomode mais!"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:452
|
||||
#, php-format
|
||||
msgid ""
|
||||
"Thanks for using this plugin! You've installed this plugin some time ago. If "
|
||||
"it works and your are satisfied, why not <a href=\"%s\">rate it</a> and <a "
|
||||
"href=\"%s\">recommend it</a> to others? :-)"
|
||||
msgstr ""
|
||||
"Obrigado por utilizar este plugin! Você instalou este plugin há algum tempo. "
|
||||
"Se ele funciona e você está satisfeito, por que não <a href=\"%s\">avaliar</"
|
||||
"a> e <a href=\"%s\">recomendar</a> a outros utilizadores? :-)"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:452
|
||||
msgid "Don't show this anymore"
|
||||
msgstr "Não exibir"
|
||||
|
||||
# @ default
|
||||
#: sitemap-ui.php:601
|
||||
#, php-format
|
||||
msgid ""
|
||||
"There is a new version of %1$s available. <a href=\"%2$s\">Download version "
|
||||
"%3$s here</a>."
|
||||
msgstr ""
|
||||
|
||||
# @ default
|
||||
#: sitemap-ui.php:603
|
||||
#, php-format
|
||||
msgid ""
|
||||
"There is a new version of %1$s available. <a href=\"%2$s\">Download version "
|
||||
"%3$s here</a> <em>automatic upgrade unavailable for this plugin</em>."
|
||||
msgstr ""
|
||||
|
||||
# @ default
|
||||
#: sitemap-ui.php:605
|
||||
#, php-format
|
||||
msgid ""
|
||||
"There is a new version of %1$s available. <a href=\"%2$s\">Download version "
|
||||
"%3$s here</a> or <a href=\"%4$s\">upgrade automatically</a>."
|
||||
msgstr ""
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:613
|
||||
#, php-format
|
||||
msgid ""
|
||||
"Your blog is currently blocking search engines! Visit the <a href=\"%s"
|
||||
"\">privacy settings</a> to change this."
|
||||
msgstr ""
|
||||
"O seu blog está neste momento a bloquear a indexação dos motores de busca! "
|
||||
"Visite a <a href=\"%s\">privacidade</a> para alterar esta limitação."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:629
|
||||
msgid "About this Plugin:"
|
||||
msgstr "Sobre o Plugin:"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:630
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Página principal do Plugin"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:631
|
||||
msgid "Suggest a Feature"
|
||||
msgstr "Sugerir nova funcionalidade"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:632
|
||||
msgid "Notify List"
|
||||
msgstr "Receber notificações"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:633
|
||||
msgid "Support Forum"
|
||||
msgstr "Fórum de suporte"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:634
|
||||
msgid "Report a Bug"
|
||||
msgstr "Reportar um Bug"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:636
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Donativo via PayPal"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:637
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Lista Amazon"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:638
|
||||
msgid "translator_name"
|
||||
msgstr "Mowster"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:638
|
||||
msgid "translator_url"
|
||||
msgstr "http://wordpress.mowster.net"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:641
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Recursos Sitemap:"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:642 sitemap-ui.php:647
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Ferramentas para Webmasters"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:643
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:645
|
||||
msgid "Search Blog"
|
||||
msgstr "Procurar no Blog"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:648
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "Webmaster Center Blog"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:650
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Protocolo Sitemaps"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:651
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Oficial FAQ Sitemaps"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:652
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "FAQ Sitemaps"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:655
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Donativos Recentes:"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:658
|
||||
msgid "List of the donors"
|
||||
msgstr "Lista de doadores"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:660
|
||||
msgid "Hide this list"
|
||||
msgstr "Ocultar lista"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:663
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Obrigado pelo apoio!"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:683
|
||||
msgid "Search engines haven't been notified yet"
|
||||
msgstr "Motores de busca ainda não foram notificados"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:687
|
||||
#, php-format
|
||||
msgid "Result of the last ping, started on %date%."
|
||||
msgstr "Resultado do último ping, iniciado em %date%."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:702
|
||||
#, php-format
|
||||
msgid ""
|
||||
"There is still a sitemap.xml or sitemap.xml.gz file in your blog directory. "
|
||||
"Please delete them as no static files are used anymore or <a href=\"%s\">try "
|
||||
"to delete them automatically</a>."
|
||||
msgstr ""
|
||||
"Existe ainda um ficheiro sitemap.xml ou sitemap.xml.gz na sua pasta do blog. "
|
||||
"Por favor, apague-os uma vez que os ficheiros físicos não são mais "
|
||||
"utilizados ou <a href=\"%s\">tente apaga-los automaticamente</a>."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:705
|
||||
#, php-format
|
||||
msgid "The URL to your sitemap index file is: <a href=\"%s\">%s</a>."
|
||||
msgstr "O URL para o seu ficheiro sitemap é: <a href=\"%s\">%s</a>."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:708
|
||||
msgid ""
|
||||
"Search engines haven't been notified yet. Write a post to let them know "
|
||||
"about your sitemap."
|
||||
msgstr ""
|
||||
"Motores de busca ainda não foram notificados. Escreva um artigo e permita-"
|
||||
"lhes que tomem conhecimento do seu sitemap."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:717
|
||||
#, php-format
|
||||
msgid "%s was <b>successfully notified</b> about changes."
|
||||
msgstr "%s foi <b>notificado com sucesso</b> sobre as alterações."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:720
|
||||
#, php-format
|
||||
msgid ""
|
||||
"It took %time% seconds to notify %name%, maybe you want to disable this "
|
||||
"feature to reduce the building time."
|
||||
msgstr ""
|
||||
"Demorou %time% segundos para notificar %name%, talvez queira desabilitar "
|
||||
"este recurso para reduzir o tempo de construção."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:723
|
||||
#, php-format
|
||||
msgid ""
|
||||
"There was a problem while notifying %name%. <a href=\"%s\">View result</a>"
|
||||
msgstr ""
|
||||
"Houve um problema enquanto notificava %name%. <a href=\"%s\">Ver resultados</"
|
||||
"a>"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:727
|
||||
#, php-format
|
||||
msgid ""
|
||||
"If you encounter any problems with your sitemap you can use the <a href=\"%d"
|
||||
"\">debug function</a> to get more information."
|
||||
msgstr ""
|
||||
"Se teve problemas com seu sitemap pode usar a função <a href=\"%d\">debug</"
|
||||
"a> para obter mais informações."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:756
|
||||
msgid "Update notification:"
|
||||
msgstr "Notificação de atualizações:"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:756 sitemap-ui.php:779 sitemap-ui.php:802
|
||||
msgid "Learn more"
|
||||
msgstr "Saber mais"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:760
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Notificar o Google sobre as atualizações do seu Blog"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:761
|
||||
#, php-format
|
||||
msgid ""
|
||||
"No registration required, but you can join the <a href=\"%s\">Google "
|
||||
"Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr ""
|
||||
"Nenhum registo necessário, mas pode utilizar o <a href=\"%s\">Google "
|
||||
"Webmaster Tools</a> para verificar as estatísticas de rastreamento."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:765
|
||||
msgid "Notify Bing (formerly MSN Live Search) about updates of your Blog"
|
||||
msgstr ""
|
||||
"Notificar o Bing (antigo MSN Live Search) sobre as atualizações do seu Blog"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:766
|
||||
#, php-format
|
||||
msgid ""
|
||||
"No registration required, but you can join the <a href=\"%s\">Bing Webmaster "
|
||||
"Tools</a> to check crawling statistics."
|
||||
msgstr ""
|
||||
"Nenhum registo necessário, mas pode utilizar o <a href=\"%s\">Bing Webmaster "
|
||||
"Tools</a> para verificar as estatísticas de rastreamento."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:771
|
||||
msgid "Add sitemap URL to the virtual robots.txt file."
|
||||
msgstr "Adicionar o URL do sitemap ao ficheiro virtual robots.txt."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:775
|
||||
msgid ""
|
||||
"The virtual robots.txt generated by WordPress is used. A real robots.txt "
|
||||
"file must NOT exist in the blog directory!"
|
||||
msgstr ""
|
||||
"O robots.txt virtual é gerado pelo WordPress. Um ficheiro robots.txt real "
|
||||
"não deve existir no diretório do blog!"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:779
|
||||
msgid "Advanced options:"
|
||||
msgstr "Opções avançadas:"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:782
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Aumentar o limite de memória para:"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:782
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "ex. \"4M\", \"16M\""
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:785
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "Aumentar o tempo de execução para:"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:785
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "em segundos, ex: \"60\" or \"0\" para ilimitado"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:789
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "Incluir uma folha de estilo XSLT:"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:790
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "URL completo ou relativo para o ficheiro .xsl"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:790
|
||||
msgid "Use default"
|
||||
msgstr "Utilizar padrão"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:795
|
||||
msgid "Include sitemap in HTML format"
|
||||
msgstr "Incluir o sitemap num formato HTML"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:877
|
||||
msgid "Post Priority"
|
||||
msgstr "Prioridade do Artigo"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:879
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr ""
|
||||
"Por favor, selecione como a prioridade de cada artigo deve ser calculada:"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:881
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Não utilizar o cálculo automático de prioridades"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:881
|
||||
msgid ""
|
||||
"All posts will have the same priority which is defined in ""
|
||||
"Priorities""
|
||||
msgstr ""
|
||||
"Todo os artigos irão ter a mesma prioridade definida em ""
|
||||
"Prioridades""
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:892
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Conteúdo Sitemap"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:893
|
||||
msgid "WordPress standard content"
|
||||
msgstr "Conteúdo padrão do WordPress"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:928
|
||||
msgid "Include author pages"
|
||||
msgstr "Incluir páginas de autores"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:935
|
||||
msgid "Include tag pages"
|
||||
msgstr "Incluir páginas de etiquetas"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:949
|
||||
msgid "Custom taxonomies"
|
||||
msgstr "Taxonomias personalizadas"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:960
|
||||
#, php-format
|
||||
msgid "Include taxonomy pages for %s"
|
||||
msgstr "Incluir páginas de taxonomias para %s"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:978
|
||||
msgid "Custom post types"
|
||||
msgstr "Tipos de artigos personalizados"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:989
|
||||
#, php-format
|
||||
msgid "Include custom post type %s"
|
||||
msgstr "Incluir tipos de artigos personalizados %s"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1001
|
||||
msgid "Further options"
|
||||
msgstr "Mais opções"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1006
|
||||
msgid "Include the last modification time."
|
||||
msgstr "Incluir a hora da última modificação."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1008
|
||||
msgid ""
|
||||
"This is highly recommended and helps the search engines to know when your "
|
||||
"content has changed. This option affects <i>all</i> sitemap entries."
|
||||
msgstr ""
|
||||
"É extremamente recomendável e ajuda os motores de busca a saber quando seu "
|
||||
"conteúdo foi alterado. Esta opção afeta <i>todos</i> os registos do sitemap."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1015
|
||||
msgid "Excluded items"
|
||||
msgstr "Itens excluídos"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1017
|
||||
msgid "Excluded categories"
|
||||
msgstr "Categorias excluídas"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1019
|
||||
msgid "Using this feature will increase build time and memory usage!"
|
||||
msgstr ""
|
||||
"Utilizar este recurso irá aumentar o tempo de compilação e utilização de "
|
||||
"memória!"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1026
|
||||
msgid "Exclude posts"
|
||||
msgstr "Artigos excluídos"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1028
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "Excluir os seguintes artigos ou páginas:"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1028
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "Listagem de IDs, separados por vírgual"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1030
|
||||
msgid "Child posts won't be excluded automatically!"
|
||||
msgstr "Artigos subsequentes não serão excluídos automaticamente!"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1083 sitemap-ui.php:1140
|
||||
msgid "Tag pages"
|
||||
msgstr "Páginas de etiquetas"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1090 sitemap-ui.php:1147
|
||||
msgid "Author pages"
|
||||
msgstr "Páginas de autores"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:1159
|
||||
msgid "Reset options"
|
||||
msgstr "Redefinir opções"
|
||||
|
||||
# @ sitemap
|
||||
#. translators: plugin header field 'Name'
|
||||
#: sitemap.php:0
|
||||
msgid "Google XML Sitemaps"
|
||||
msgstr "Google XML Sitemaps"
|
||||
|
||||
# @ sitemap
|
||||
#. translators: plugin header field 'PluginURI'
|
||||
#: sitemap.php:0
|
||||
msgid "http://www.arnebrachhold.de/redir/sitemap-home/"
|
||||
msgstr "http://www.arnebrachhold.de/redir/sitemap-home/"
|
||||
|
||||
# @ sitemap
|
||||
#. translators: plugin header field 'Description'
|
||||
#: sitemap.php:0
|
||||
msgid ""
|
||||
"This plugin will generate a special XML sitemap which will help search "
|
||||
"engines like Google, Yahoo, Bing and Ask.com to better index your blog."
|
||||
msgstr ""
|
||||
"Este plugin irá gerar um sitemap XML especial que irá ajudar os motores de "
|
||||
"busca como Google, Yahoo, Bing e Ask.com a indexar mais facilmente o seu "
|
||||
"blog."
|
||||
|
||||
# @ sitemap
|
||||
#. translators: plugin header field 'Author'
|
||||
#: sitemap.php:0
|
||||
msgid "Arne Brachhold"
|
||||
msgstr "Arne Brachhold"
|
||||
|
||||
# @ sitemap
|
||||
#. translators: plugin header field 'AuthorURI'
|
||||
#: sitemap.php:0
|
||||
msgid "http://www.arnebrachhold.de/"
|
||||
msgstr "http://www.arnebrachhold.de/"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap.php:82
|
||||
msgid "Your WordPress version is too old for XML Sitemaps."
|
||||
msgstr ""
|
||||
"A sua versão WordPress é demasiadamente antigo para poder executar o XML "
|
||||
"Sitemaps."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap.php:82
|
||||
#, php-format
|
||||
msgid ""
|
||||
"Unfortunately this release of Google XML Sitemaps requires at least "
|
||||
"WordPress %4$s. You are using Wordpress %2$s, which is out-dated and "
|
||||
"insecure. Please upgrade or go to <a href=\"%1$s\">active plugins</a> and "
|
||||
"deactivate the Google XML Sitemaps plugin to hide this message. You can "
|
||||
"download an older version of this plugin from the <a href=\"%3$s\">plugin "
|
||||
"website</a>."
|
||||
msgstr ""
|
||||
"Infelizmente esta versão do Google XML Sitemaps requer pelo menos o "
|
||||
"WordPress %4$s. Está utilizando o Wordpress %2$s, que está caduco e "
|
||||
"inseguro. Por favor, atualize ou nos <a href=\"%1$s\">plugins ativos</a> "
|
||||
"desative o Google XML Sitemaps para ocultar esta mensagem. Pode utilizar uma "
|
||||
"versão mais antiga deste plugin, é possível encontrá-la no <a href=\"%3$s"
|
||||
"\">site oficial</a>."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap.php:92
|
||||
msgid "Your PHP version is too old for XML Sitemaps."
|
||||
msgstr ""
|
||||
"A sua versão PHP é demasiadamente antiga para poder executar o XML Sitemaps."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap.php:92
|
||||
#, php-format
|
||||
msgid ""
|
||||
"Unfortunately this release of Google XML Sitemaps requires at least PHP "
|
||||
"%4$s. You are using PHP %2$s, which is out-dated and insecure. Please ask "
|
||||
"your web host to update your PHP installation or go to <a href=\"%1$s"
|
||||
"\">active plugins</a> and deactivate the Google XML Sitemaps plugin to hide "
|
||||
"this message. You can download an older version of this plugin from the <a "
|
||||
"href=\"%3$s\">plugin website</a>."
|
||||
msgstr ""
|
||||
"Infelizmente esta versão do Google XML Sitemaps requer pelo menos o PHP "
|
||||
"%4$s. Está utilizando o PHP %2$s, que está caduco e inseguro. Por favor, "
|
||||
"peça à sua empresa de alojamento para o atualizar o nos <a href=\"%1$s"
|
||||
"\">plugins ativos</a> desative o Google XML Sitemaps para ocultar esta "
|
||||
"mensagem. Pode utilizar uma versão mais antiga deste plugin, é possível "
|
||||
"encontrá-la no <a href=\"%3$s\">site oficial</a>."
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:795
|
||||
msgid "(The required PHP XSL Module is not installed)"
|
||||
msgstr "(O módulo PHP XSL necessário não está instalado)"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:801
|
||||
msgid "Allow anonymous statistics (no personal information)"
|
||||
msgstr "Permitir estatísticas anónimas (nenhuma informação pessoal)"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:737
|
||||
msgid "Webserver Configuration"
|
||||
msgstr "Configuração do Servidor Web"
|
||||
|
||||
# @ sitemap
|
||||
#: sitemap-ui.php:738
|
||||
msgid ""
|
||||
"Since you are using Nginx as your web-server, please configure the following "
|
||||
"rewrite rules in case you get 404 Not Found errors for your sitemap:"
|
||||
msgstr ""
|
||||
"Uma vez que o Nginx é o servidor web, por favor, configure as seguintes "
|
||||
"regras rewrite no caso de existirem erros 404 no sitemap:"
|
||||
|
||||
# @ sitemap
|
||||
#. translators: plugin header field 'Version'
|
||||
#: sitemap.php:0
|
||||
msgid "4.0.3"
|
||||
msgstr "4.0.3"
|
||||
@@ -0,0 +1,685 @@
|
||||
# [Countryname] Language File for sitemap (sitemap-[localname].po)
|
||||
# Copyright (C) 2005 [name] : [URL]
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# [name] <[mail-address]>, 2005.
|
||||
# $Id: sitemap.pot 24948 2007-11-18 16:37:44Z arnee $
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: <[mail-address]>\n"
|
||||
"POT-Creation-Date: 2005-06-15 00:00+0000\n"
|
||||
"PO-Revision-Date: 2007-11-27 12:24+0300\n"
|
||||
"Last-Translator: Sergey Ryvkin <to@ryvkin.ru>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Language-Team: \n"
|
||||
"X-Poedit-KeywordsList: _e;__\n"
|
||||
"X-Poedit-Basepath: .\n"
|
||||
"X-Poedit-SearchPath-0: C:\\Inetpub\\wwwroot\\wp\\wp-content\\plugins\\sitemap_beta\n"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:846
|
||||
msgid "Comment Count"
|
||||
msgstr "Количество комментариев"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:858
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Использует количество комментариев к статье для вычисления приоритета"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
msgid "Comment Average"
|
||||
msgstr "Среднее количество комментариев"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Использует среднее количество комментариев для вычисления приоритета"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:993
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Популярность дискуссии"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:1005
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "Используйте активированный <a href=\"%1\">Плагин популярности дискуссий</a> от <a href=\"%2\">Alex King</a>. См. <a href=\"%3\">Настройки</a> и <a href=\"%4\">Самые популярные записи</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "Генератор XML-карты сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-карта сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Премного благодарю за пожертвования. Вы помогаете мне в продалжении поддержки и разработки этого плагина и другого свободного ПО!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
msgid "Hide this notice"
|
||||
msgstr "Скрыть это замечание"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "Благодарю Вас за использование этого плагина! Вы установили его свыше месяца назад. Если он работает и Вы удовлетворены его результатами, вышлите мне хотя бы $1? <a href=\"%s\">Пожертвования</a> помогут мне в поддержке и разработке этого <i>бесплатного</i> ПО! <a href=\"%s\">Конечно, без проблем!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Нет, спасибо. Прошу меня больше не беспокоить!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2635
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2835
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "Генератор XML-карты сайта для WordPress"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2740
|
||||
msgid "Configuration updated"
|
||||
msgstr "Конфигурация обновлена"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2741
|
||||
msgid "Error while saving options"
|
||||
msgstr "Ошибка при сохранении параметров"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2743
|
||||
msgid "Pages saved"
|
||||
msgstr "Страницы сохранены"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2744
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Ошибка при сохранении страниц"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2748
|
||||
#, php-format
|
||||
msgid "<a href=\"%s\">Robots.txt</a> file saved"
|
||||
msgstr "Файл <a href=\"%s\">Robots.txt</a> сохранен"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2750
|
||||
msgid "Error while saving Robots.txt file"
|
||||
msgstr "Ошибка при сохранении файла Robots.txt"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "Конфигурация по умолчанию восстановлена."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2851
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2868
|
||||
msgid "open"
|
||||
msgstr "открыть"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2852
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2869
|
||||
msgid "close"
|
||||
msgstr "закрыть"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2853
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2870
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "Нажмите кнопку мыши и тащите для перемещения этого блока"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2854
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2871
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "Нажмите для %toggle% на этот блок"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2855
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2872
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "используйте стрелки для перемещения этого блока"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2856
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2873
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ", или нажмите копку ввод (enter) для %toggle% его"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
msgid "About this Plugin:"
|
||||
msgstr "Об это плагине:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2886
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Домашняя страница плагина"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
msgid "Notify List"
|
||||
msgstr "Список напоминания"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
msgid "Support Forum"
|
||||
msgstr "Форум технической поддержки"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Пожертвовать через PayPal"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Мой список пожеланий на Amazon"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_name"
|
||||
msgstr "Перевёл Сергей Рывкин"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
msgid "translator_url"
|
||||
msgstr "http://ryvkin.ru"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2895
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Ресурсы карыт сайта:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Инструменты веб-мастера"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Дневник веб-мастера"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2900
|
||||
msgid "Site Explorer"
|
||||
msgstr "Просмотр сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
msgid "Search Blog"
|
||||
msgstr "Искать в дневнике"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2903
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Протокол использования карты сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Официальный ЧАВО по картам сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "Мой ЧАВО по картам сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Последние пожертвования:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
msgid "List of the donors"
|
||||
msgstr "Список спонсоров"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
msgid "Hide this list"
|
||||
msgstr "Скрыть этот список"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Спасибо за Вашу поддержку!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2931
|
||||
msgid "Status"
|
||||
msgstr "Статус"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2941
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "Карта сайта ещё не построена. <a href=\"%s\">Нажмите здесь</a> для создания её впервые."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2947
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "Ваша <a href=\"%url%\">карта сайта</a> последний раз была построена: <b>%date%</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2949
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "При записи Вашего файла с картой сайта произошла ошибка. Убедитесь, что файл существует и открыт на запись. <a href=\"%url%\">Почитать ещё</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2956
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "Ваша карта сайта (<a href=\"%url%\">сжатая</a>) последний раз была построена: <b>%date%</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2958
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "При записи сжатой карты сайта произошла ошибка. Убедитесь, что файл существует и открыт на запись. <a href=\"%url%\">Почитать ещё</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2964
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google был <b>успешно проинформирован</b> об изменениях."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "%time% секунд заняло информирование Google; возможно, Вас стоит отключить эту функцию, чтобы снизить время построения карты."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3011
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "При информировании Google произошла ошибка. <a href=\"%s\">Посмотреть результат</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "YAHOO был <b>успешно проинформирован</b> об изменениях."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2979
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "%time% секунд заняло информирование YAHOO; возможно, Вас стоит отключить эту функцию, чтобы снизить время построения карты."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3023
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "При информировании YAHOO произошла ошибка. <a href=\"%s\">Посмотреть результат</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2988
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com был <b>успешно проинформирован</b> об изменениях."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "%time% секунд заняло информирование Ask.com; возможно, Вас стоит отключить эту функцию, чтобы снизить время построения карты."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3035
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "При информировании Ask.com произошла ошибка. <a href=\"%s\">Посмотреть результат</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3002
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "Процесс построения занял примерно <b>%time% секунд</b> и использовал %memory% MB памяти."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3004
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "Процесс построения занял примерно <b>%time% секунд</b>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3008
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "Содержание Вашей карты сайта <strong>не изменялось</strong> за последнее время, поэтому файлы не записывались и поисковые системы не информировались."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3012
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "Последний запуск не был завершен! Возможно, Вы превысили лимиты памяти или времени исполнения. <a href=\"%url%\">Почитать ещё</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3014
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "Последний раз скрипт использовал %memused%MB памяти, лимит памяти Вашего сервера составляет %memlimit%."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3018
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "Последний раз скрипт работал %timeused% секунд, ограничение времени на Вашем сервере составляет %timelimit% секунд."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3022
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "Скрипт остановился около статьи номер %lastpost% (+/- 100)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3025
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "Если Вы что-то поменяли на Вашем сервре или в дневнике, Вам необходимо <a href=\"%s\">заново построить карту сайта</a> вручную."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3027
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Если Вы столкнулись с какими-либо проблемами в процессе построения, Вы можете воспользоваться <a href=\"%d\">функцией отладки</a> для получения дополнительной информации."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3040
|
||||
msgid "Basic Options"
|
||||
msgstr "Базовые параметры"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
msgid "Sitemap files:"
|
||||
msgstr "Файлы карты сайта:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
msgid "Learn more"
|
||||
msgstr "Почитать ещё"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3049
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Записать обычный XML файл (Ваше имя файла)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3055
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Записать запакованный XML файл (Ваше имя файла + .gz)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
msgid "Building mode:"
|
||||
msgstr "Режим построения карты:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3064
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "Постройте заново карту сайта, если Вы изменили содержание Вашего дневника"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3071
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "Разрешить ручное построение карты сайта с помощью запроса GET"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3075
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr "Это разрешит Вам обновить карту сайта, если внешний инструмент будет писать в базу WordPress? не используя WordPress API. Используйте следующий URL для выполнения процесса: <a href=\"%1\">%1</a> Посмотрите протокол (см. выше) для проверки, построена ли карта сайта."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
msgid "Update notification:"
|
||||
msgstr "Обновить уведомление:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Уведомить Google об изменениях в Вашем дневнике"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Регистрация не требуется, но Вы можете присоединиться к <a href=\"%s\">Инструментам веб-мастера Google</a> для просмотра статистики поисковых роботов."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3088
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Уведомить Asc.com об изменениях в Вашем дневнике"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3089
|
||||
msgid "No registration required."
|
||||
msgstr "Регистрация не требуется."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3093
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "Уведомить YAHOO об изменениях в Вашем дневнике"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
msgid "Your Application ID:"
|
||||
msgstr "Ваш идентификатор приложения (Application ID):"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
#, php-format
|
||||
msgid "Don't you have such a key? <a href=\"%s1\">Request one here</a>!</a> %s2"
|
||||
msgstr "У Вас нет такого ключа?? <a href=\"%s1\">Запросите здесь</a>!</a> %s2"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3099
|
||||
#, php-format
|
||||
msgid "Modify or create %s file in blog root which contains the sitemap location."
|
||||
msgstr "Изменить или создать файл %s в дневнике, который содержит информацию о расположении карты сайта."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3102
|
||||
msgid "File permissions: "
|
||||
msgstr "Разрешения на доступ к файлам: "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3107
|
||||
msgid "OK, robots.txt is writable."
|
||||
msgstr "OK, robots.txt открыт на запись."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3109
|
||||
msgid "Error, robots.txt is not writable."
|
||||
msgstr "Ошибка, robots.txt не открыт на запись."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3113
|
||||
msgid "OK, robots.txt doesn't exist but the directory is writable."
|
||||
msgstr "OK, robots.txt не существует, но каталог открыт на запись."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3115
|
||||
msgid "Error, robots.txt doesn't exist and the directory is not writable"
|
||||
msgstr "Ошибка, robots.txt не существует, и каталог не открыт на запись"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
msgid "Advanced options:"
|
||||
msgstr "Расширенные параметры:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "Ограничить количество статей в карте сайта:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "Более новые статьи будут включены первыми"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Попытаться увеличить лимит памяти до:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "например, \"4M\", \"16M\""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "Попытаться увеличить ограничение времени исполнения до:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "в секундах, например, \"60\" или \"0\" для неограниченного времени"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "Включить таблицу стилей XSLT:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Use Default"
|
||||
msgstr "Использовать значение по умолчанию"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "Полный или относительный URL к Вашему файлу .xsl"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "Разрешить стандартный режим MySQL. Использовать только в случае ошибок MySQL. (Требует намного больше памяти!)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "Строить карту сайта в фоновом процессе (Вам не надо ждать сохранения статьи)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "Исключить следующие статьи или страницы:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "Список идентификаторов (ID), разделенных запятыми"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3144
|
||||
msgid "Additional pages"
|
||||
msgstr "Дополнительные страницы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3149
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Здесь Вы можете указать файлы или URL, которые должны быть включены в карту сайта, но не принадлежащие Вашему дневнику/WordPress.<br />Например,если Ваш домен www.foo.com, а Ваш дневник расположен в www.foo.com/blog, Вам может понадобиться добавить домашнюю страницу из www.foo.com"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3151
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3462
|
||||
msgid "Note"
|
||||
msgstr "Замечание"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Если Ваш дневник расположен в подкаталоге, и Вы хотите добавить страницы, которые находятся ВЫШЕ в структуре каталогов, Вам НЕОБХОДИМО поместить карту сайта в корневой каталог (См. секцию "Размещение файла с картой сайта" на этой странице)!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3300
|
||||
msgid "URL to the page"
|
||||
msgstr "URL страницы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Введите URL этой страницы. Примеры: http://www.foo.com/index.html или www.foo.com/home "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3157
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3301
|
||||
msgid "Priority"
|
||||
msgstr "Приоритет"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3158
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Выберите приоритет этой страницы относительно других страниц. Например, Ваша главная страница может иметь более высокий приоритет, чем страница с информацией о сайте."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3160
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3303
|
||||
msgid "Last Changed"
|
||||
msgstr "Последний раз изменялась"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3161
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Введите дату последнего изменения в формате YYYY-MM-DD (2005-12-31, например) (не обязательно)."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3302
|
||||
msgid "Change Frequency"
|
||||
msgstr "Частота изменений"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3304
|
||||
msgid "#"
|
||||
msgstr "№"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3309
|
||||
msgid "No pages defined."
|
||||
msgstr "Нет страниц."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3314
|
||||
msgid "Add new page"
|
||||
msgstr "Добавить новую страницу"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3325
|
||||
msgid "Post Priority"
|
||||
msgstr "Приоритет статьи"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Выберите, как будет вычисляться приоритет каждой статьи:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Не использовать автоматическое вычисление приоритета"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "Все статьи будут иметь одинаковый приоритет, который определен в "Приоритетах""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3348
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Расположение Вашего файла с картой сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3353
|
||||
msgid "Automatic detection"
|
||||
msgstr "Автоматическое определение"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3357
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Имя файла с картой сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3360
|
||||
msgid "Detected Path"
|
||||
msgstr "Обнаруженный путь"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3360
|
||||
msgid "Detected URL"
|
||||
msgstr "Обнаруженный URL"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3365
|
||||
msgid "Custom location"
|
||||
msgstr "Пользовательское расположение"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3369
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Абсолютный или относительный путь к файлу с картой сайта, включая имя файла."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3371
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3380
|
||||
msgid "Example"
|
||||
msgstr "Пример"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3378
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "Заполните URL к файлу с картой сайта, включая имя файла."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3397
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Содержание карты сайта"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3405
|
||||
msgid "Include homepage"
|
||||
msgstr "Включить домашнюю страницу"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3411
|
||||
msgid "Include posts"
|
||||
msgstr "Включить статьи"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3417
|
||||
msgid "Include static pages"
|
||||
msgstr "Включить статические страницы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3423
|
||||
msgid "Include categories"
|
||||
msgstr "Включить категории"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3429
|
||||
msgid "Include archives"
|
||||
msgstr "Включить архивы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3436
|
||||
msgid "Include tag pages"
|
||||
msgstr "Включить страницы меток"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3443
|
||||
msgid "Include author pages"
|
||||
msgstr "Включить страницы авторов"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3457
|
||||
msgid "Change frequencies"
|
||||
msgstr "Изменить частоты"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3463
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Обратите внимание, что значение этой метки считается рекомендацией и не является командой. Даже когда поисковые роботы берут эту информацию к сведению для принятия решений, они могут осматривать страницы, помеченные \"раз в час\" реже, чем запрошено, и они могут осматривать страницы, помеченные как \"раз в год\" чаще, чем запрошено. Также бывает, что поисковые роботы осматривают страницы, помеченные как \"никогда\", отмечая не предусмотренные изменения на этих страницах."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3469
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3535
|
||||
msgid "Homepage"
|
||||
msgstr "Главная страница"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3475
|
||||
msgid "Posts"
|
||||
msgstr "Статьи"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3481
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3553
|
||||
msgid "Static pages"
|
||||
msgstr "Статичные страницы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3487
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3559
|
||||
msgid "Categories"
|
||||
msgstr "Категории"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3493
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Текущий архив за этот месяц (Должен быть тем же, что и Главная страница)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3499
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Старые архивы (Изменяются только в случае, если Вы редактируете старые статьи)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3506
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3572
|
||||
msgid "Tag pages"
|
||||
msgstr "Страницы меток"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3513
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3579
|
||||
msgid "Author pages"
|
||||
msgstr "Страницы авторов"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3527
|
||||
msgid "Priorities"
|
||||
msgstr "Приоритеты"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3541
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Статьи (Если автоматическое вычисление запрещено)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3547
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Минимальный приоритет статьи (Даже если автоматическое вычисление разрешено)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3565
|
||||
msgid "Archives"
|
||||
msgstr "Архивы"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3590
|
||||
msgid "Update options"
|
||||
msgstr "Обновить параметры"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3591
|
||||
msgid "Reset options"
|
||||
msgstr "Вернуть исходные значения"
|
||||
|
||||
@@ -0,0 +1,325 @@
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap-sl_SI\n"
|
||||
"POT-Creation-Date: \n"
|
||||
"PO-Revision-Date: 2006-11-13 09:33+0100\n"
|
||||
"Last-Translator: m2-j <m2j@t-2.net>\n"
|
||||
"Language-Team: Milan Jungic <milanche@m2-j.info>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=utf-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Poedit-Language: Slovenian\n"
|
||||
"X-Poedit-Country: SLOVENIA\n"
|
||||
|
||||
#: sitemap.php:375
|
||||
msgid "always"
|
||||
msgstr "vedno"
|
||||
|
||||
msgid "hourly"
|
||||
msgstr "vsako uro"
|
||||
|
||||
msgid "daily"
|
||||
msgstr "dnevno"
|
||||
|
||||
msgid "weekly"
|
||||
msgstr "tedensko"
|
||||
|
||||
msgid "monthly"
|
||||
msgstr "mesečno"
|
||||
|
||||
msgid "yearly"
|
||||
msgstr "letno"
|
||||
|
||||
msgid "never"
|
||||
msgstr "nikoli"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "Zaznana pot:"
|
||||
|
||||
msgid "Example"
|
||||
msgstr "Primer"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Absolutna ali relativna pot do datoteke načrta strani (vključno z imenom datoteke)"
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "URL naslov datoteke načrta strani (vključno z imenom datoteke)."
|
||||
|
||||
msgid "Automatic location"
|
||||
msgstr "Samodejno lociranje"
|
||||
|
||||
msgid "Manual location"
|
||||
msgstr "Ročno lociranje"
|
||||
|
||||
msgid "OR"
|
||||
msgstr "ALI"
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Ime datoteke načrta strani"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Če je vaš blog v podimeniku in želite v načrt strani dodatki datoteke, ki se nahajajo izven tega podimenika, morate datoteko načrta strani shraniti v korenski imenik, ki se nahaja nad vsemi imeniki katere želite v načrt strani vključiti (glejte sekcijo "Ime datoteke načrta strani" na tej strani)!"
|
||||
|
||||
#: sitemap.php:512
|
||||
msgid "Configuration updated"
|
||||
msgstr "Nastavitve so posodobljene"
|
||||
|
||||
#: sitemap.php:513
|
||||
msgid "Error"
|
||||
msgstr "Napaka"
|
||||
|
||||
#: sitemap.php:521
|
||||
msgid "A new page was added. Click on "Save page changes" to save your changes."
|
||||
msgstr "Nova stran je dodana. Za uveljavitev sprememb, izberite "Shrani stran"."
|
||||
|
||||
#: sitemap.php:527
|
||||
msgid "Pages saved"
|
||||
msgstr "Strani so shranjene."
|
||||
|
||||
#: sitemap.php:528
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Napaka pri shranjevanju strani"
|
||||
|
||||
#: sitemap.php:539
|
||||
msgid "The page was deleted. Click on "Save page changes" to save your changes."
|
||||
msgstr "Stran je izbrisana. Za uveljavitev sprememb, izberite "Shrani stran"."
|
||||
|
||||
#: sitemap.php:542
|
||||
msgid "You changes have been cleared."
|
||||
msgstr "Spremembe so razveljavljene."
|
||||
|
||||
#: sitemap.php:555
|
||||
msgid "Sitemap Generator"
|
||||
msgstr "Generator načrta strani"
|
||||
|
||||
#: sitemap.php:558
|
||||
msgid "Manual rebuild"
|
||||
msgstr "Ročno"
|
||||
|
||||
#: sitemap.php:559
|
||||
msgid "If you want to build the sitemap without editing a post, click on here!"
|
||||
msgstr "Izberite to možnost, če želite takoj ustvariti načrt strani."
|
||||
|
||||
#: sitemap.php:560
|
||||
msgid "Rebuild Sitemap"
|
||||
msgstr "Ustvari načrt strani"
|
||||
|
||||
#: sitemap.php:564
|
||||
msgid "Additional pages"
|
||||
msgstr "Dodatne strani"
|
||||
|
||||
#: sitemap.php:566
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Tukaj lahko navedete datoteke in URL naslove, ki niso del vaše Wordpress namestitve, želite jih pa vključiti v načrt strani.<br />Primer: Vaša domena je www.foo.com, blog se nahaja na naslovu www.foo.com/blog, medtem, ko vi v načrt strani želite vključiti tudi naslov www.foo.com s pripadajočo vsebino."
|
||||
|
||||
#: sitemap.php:568
|
||||
msgid "URL to the page"
|
||||
msgstr "URL naslov strani"
|
||||
|
||||
#: sitemap.php:569
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Vnestite URL naslov strani. Primer: www.foo.com ali www.foo.com/home"
|
||||
|
||||
#: sitemap.php:571
|
||||
msgid "Priority"
|
||||
msgstr "Prioriteta"
|
||||
|
||||
#: sitemap.php:572
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Izberi prioriteto strani, glede na ostale strani. Npr. za vašo domačo stran www.foo.com želite morda višjo prioriteto kot za vaš blog www.foo.com/blog? "
|
||||
|
||||
#: sitemap.php:574
|
||||
msgid "Last Changed"
|
||||
msgstr "Zadnjič spremenjeno"
|
||||
|
||||
#: sitemap.php:575
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Vnesite datum zadnje spremembe JJJJ-MM-TT (oblika: 2005-12-31). (opcija)"
|
||||
|
||||
#: sitemap.php:583
|
||||
msgid "Change Frequency"
|
||||
msgstr "Spremeni frekvenco"
|
||||
|
||||
#: sitemap.php:585
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: sitemap.php:609
|
||||
msgid "No pages defined."
|
||||
msgstr "Nobena stran ni bila še definirana."
|
||||
|
||||
#: sitemap.php:616
|
||||
msgid "Add new page"
|
||||
msgstr "Dodaj novo stran"
|
||||
|
||||
# sitemap.php:617:
|
||||
#: sitemap.php:617
|
||||
msgid "Save page changes"
|
||||
msgstr "Shrani spremembe"
|
||||
|
||||
# sitemap.php:618:
|
||||
#: sitemap.php:618
|
||||
msgid "Undo all page changes"
|
||||
msgstr "Razveljavi spremembe"
|
||||
|
||||
# sitemap.php:621:
|
||||
#: sitemap.php:621
|
||||
msgid "Delete marked page"
|
||||
msgstr "Izbriši izbrane strani"
|
||||
|
||||
#: sitemap.php:627
|
||||
msgid "Basic Options"
|
||||
msgstr "Osnovne nastavitve"
|
||||
|
||||
#: sitemap.php:632
|
||||
msgid "Enable automatic priority calculation for posts based on comment count"
|
||||
msgstr "Določi prioriteto objav glede na število komentarjev pod posameznimi objavami"
|
||||
|
||||
#: sitemap.php:638
|
||||
msgid "Write debug comments"
|
||||
msgstr "Zapiši komentarje za iskanje in odpravljanje napak"
|
||||
|
||||
#: sitemap.php:643
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Ime datoteke načrta strani"
|
||||
|
||||
#: sitemap.php:650
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Shrani načrt strani kot standardno XML datoteko"
|
||||
|
||||
#: sitemap.php:652
|
||||
msgid "Detected URL"
|
||||
msgstr "Zaznan URL naslov"
|
||||
|
||||
#: sitemap.php:657
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Shrani kot stisnjeno (gzip) datoteko (ime datoteke + .gz)"
|
||||
|
||||
#: sitemap.php:664
|
||||
msgid "Auto-Ping Google Sitemaps"
|
||||
msgstr "Samodejno obvesti Google o spremembah (ping)"
|
||||
|
||||
#: sitemap.php:665
|
||||
msgid "This option will automatically tell Google about changes."
|
||||
msgstr "Če izberete to možnost, bodo morebitne spremembe v načrtu strani samodejno posredovane Googlu."
|
||||
|
||||
#: sitemap.php:672
|
||||
msgid "Includings"
|
||||
msgstr "Vsebina"
|
||||
|
||||
#: sitemap.php:677
|
||||
msgid "Include homepage"
|
||||
msgstr "Vključi osnovno (prvo) stran"
|
||||
|
||||
#: sitemap.php:683
|
||||
msgid "Include posts"
|
||||
msgstr "Vključi objave"
|
||||
|
||||
#: sitemap.php:689
|
||||
msgid "Include static pages"
|
||||
msgstr "Vključi statične strani"
|
||||
|
||||
#: sitemap.php:695
|
||||
msgid "Include categories"
|
||||
msgstr "Vključi kategorije"
|
||||
|
||||
#: sitemap.php:701
|
||||
msgid "Include archives"
|
||||
msgstr "Vključi zgodovino (arhivi)"
|
||||
|
||||
#: sitemap.php:708
|
||||
msgid "Change frequencies"
|
||||
msgstr "Spremeni frekvenco"
|
||||
|
||||
#: sitemap.php:709
|
||||
msgid "Note"
|
||||
msgstr "Opomba"
|
||||
|
||||
#: sitemap.php:710
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Ta nastavitev je zgolj predlagana. Čeprav spletni iskalniki nastavljeno frekvenco upoštevajo, se zna zgoditi, da bodo strani nastavljene na urno osveževanje pregledovali redkeje, kot strani nastavljene na letno osveževanje. Ravno tako se zna zgoditi, da bodo iskalniki pregledovali strani, katerim ste nastavili, da se ne osvežujejo."
|
||||
|
||||
#: sitemap.php:715
|
||||
msgid "Homepage"
|
||||
msgstr "Osnovna stran"
|
||||
|
||||
#: sitemap.php:721
|
||||
msgid "Posts"
|
||||
msgstr "Objave"
|
||||
|
||||
#: sitemap.php:727
|
||||
msgid "Static pages"
|
||||
msgstr "Statične strani"
|
||||
|
||||
#: sitemap.php:733
|
||||
msgid "Categories"
|
||||
msgstr "Kategorije"
|
||||
|
||||
#: sitemap.php:739
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Aktualni arhiv tega meseca (enako kot za osnovno stran)"
|
||||
|
||||
#: sitemap.php:745
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Starejši arhivi"
|
||||
|
||||
#: sitemap.php:752
|
||||
msgid "Priorities"
|
||||
msgstr "Prioritete"
|
||||
|
||||
#: sitemap.php:763
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Število objav (v primeru, ko je samodejno seštevanje onemogočeno)"
|
||||
|
||||
#: sitemap.php:769
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Najmanjša prioriteta za objave (tudi, ko je izbrana možnost samodejnega izračunavanja prioritet)"
|
||||
|
||||
#: sitemap.php:787
|
||||
msgid "Archives"
|
||||
msgstr "Arhivi"
|
||||
|
||||
#: sitemap.php:793
|
||||
msgid "Informations and support"
|
||||
msgstr "Informacije in podpora"
|
||||
|
||||
#: sitemap.php:794
|
||||
msgid "Check %s for updates and comment there if you have any problems / questions / suggestions."
|
||||
msgstr "Popravke in pomoč za vtičnik boste našli na %s."
|
||||
|
||||
#: sitemap.php:797
|
||||
msgid "Update options"
|
||||
msgstr "Shrani nastavitve"
|
||||
|
||||
#: sitemap.php:1033
|
||||
msgid "URL:"
|
||||
msgstr "URL:"
|
||||
|
||||
#: sitemap.php:1034
|
||||
msgid "Path:"
|
||||
msgstr "Pot:"
|
||||
|
||||
# msgid "URL:"
|
||||
# msgstr ""
|
||||
# msgid "Path:"
|
||||
# msgstr ""
|
||||
#: sitemap.php:1037
|
||||
msgid "Could not write into %s"
|
||||
msgstr "Napaka pri shranjevanju datoteke "%s"."
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built sitemap file:"
|
||||
msgstr "Načrt strani je bil uspešno zapisan:"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built gzipped sitemap file:"
|
||||
msgstr "Načrt strani je bil uspešno zapisan v stisnjeno (gzip) datoteko:"
|
||||
|
||||
#: sitemap.php:1062
|
||||
msgid "Could not ping to Google at %s"
|
||||
msgstr "Napaka pri obveščanju Googla o spremembah (%s)"
|
||||
|
||||
#: sitemap.php:1064
|
||||
msgid "Successfully pinged Google at %s"
|
||||
msgstr "Google je uspešno obveščen o spremembah (%s)"
|
||||
|
||||
@@ -0,0 +1,964 @@
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: Google XML Sitemaps v4.0beta9\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2012-05-05 20:24+0100\n"
|
||||
"PO-Revision-Date: 2012-06-02 14:54:30+0000\n"
|
||||
"Last-Translator: Arne Brachhold <himself-arnebrachhold-de>\n"
|
||||
"Language-Team: \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: \n"
|
||||
"X-Poedit-Country: \n"
|
||||
"X-Poedit-SourceCharset: utf-8\n"
|
||||
"X-Poedit-KeywordsList: __;_e;__ngettext:1,2;_n:1,2;__ngettext_noop:1,2;_n_noop:1,2;_c,_nc:4c,1,2;_x:1,2c;_ex:1,2c;_nx:4c,1,2;_nx_noop:4c,1,2;\n"
|
||||
"X-Poedit-Basepath: .\n"
|
||||
"X-Poedit-Bookmarks: \n"
|
||||
"X-Poedit-SearchPath-0: C:/Inetpub/wwwroot/wp_plugins/sitemap_beta\n"
|
||||
"X-Textdomain-Support: yes"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:846
|
||||
#: sitemap-core.php:527
|
||||
#@ sitemap
|
||||
msgid "Comment Count"
|
||||
msgstr "Broj Komentara"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:858
|
||||
#: sitemap-core.php:537
|
||||
#@ sitemap
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Koristi broj komentara na postu za kalkulaciju prioriteta"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:918
|
||||
#: sitemap-core.php:590
|
||||
#@ sitemap
|
||||
msgid "Comment Average"
|
||||
msgstr "Prosečan Broj Komentara"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:930
|
||||
#: sitemap-core.php:600
|
||||
#@ sitemap
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Koristi prosečan broj komentara za računanje prioriteta"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:993
|
||||
#: sitemap-core.php:661
|
||||
#@ sitemap
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Takmičenje Popularnosti"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:1005
|
||||
#: sitemap-core.php:671
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "Koristi aktivirani <a href=\"%1\">Takmičenje Popularnosti plugin</a> od <a href=\"%2\">Alex King-a</a>. Proveri <a href=\"%3\">Podešavanja</a> i <a href=\"%4\">Najpopularnije Postove</a>"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-core.php:1118
|
||||
#: sitemap-core.php:840
|
||||
#@ sitemap
|
||||
msgid "Always"
|
||||
msgstr "Uvek"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-core.php:1119
|
||||
#: sitemap-core.php:841
|
||||
#@ sitemap
|
||||
msgid "Hourly"
|
||||
msgstr "Svakog sata"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-core.php:1120
|
||||
#: sitemap-core.php:842
|
||||
#@ sitemap
|
||||
msgid "Daily"
|
||||
msgstr "Dnevno"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-core.php:1121
|
||||
#: sitemap-core.php:843
|
||||
#@ sitemap
|
||||
msgid "Weekly"
|
||||
msgstr "Nedeljno"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-core.php:1122
|
||||
#: sitemap-core.php:844
|
||||
#@ sitemap
|
||||
msgid "Monthly"
|
||||
msgstr "Mesečno"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-core.php:1123
|
||||
#: sitemap-core.php:845
|
||||
#@ sitemap
|
||||
msgid "Yearly"
|
||||
msgstr "Godišnje"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-core.php:1124
|
||||
#: sitemap-core.php:846
|
||||
#@ sitemap
|
||||
msgid "Never"
|
||||
msgstr "Nikad"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2415
|
||||
#: sitemap-loader.php:212
|
||||
#@ sitemap
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "XML-Sitemap Generator"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2415
|
||||
#: sitemap-loader.php:212
|
||||
#@ sitemap
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Sitemap"
|
||||
|
||||
#: sitemap-loader.php:239
|
||||
#@ sitemap
|
||||
msgid "Settings"
|
||||
msgstr "Podešavanja"
|
||||
|
||||
#: sitemap-loader.php:240
|
||||
#@ sitemap
|
||||
msgid "FAQ"
|
||||
msgstr "FAQ"
|
||||
|
||||
#: sitemap-loader.php:241
|
||||
#@ sitemap
|
||||
msgid "Support"
|
||||
msgstr "Podrška"
|
||||
|
||||
#: sitemap-loader.php:242
|
||||
#@ sitemap
|
||||
msgid "Donate"
|
||||
msgstr "Donacije"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2886
|
||||
#: sitemap-loader.php:328
|
||||
#: sitemap-ui.php:630
|
||||
#@ sitemap
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Homepage Plugin-a"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2905
|
||||
#: sitemap-loader.php:329
|
||||
#: sitemap-ui.php:652
|
||||
#@ sitemap
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "Česta pitanja o Sitemap-ima"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2635
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2835
|
||||
#: sitemap-ui.php:198
|
||||
#: sitemap-ui.php:585
|
||||
#@ sitemap
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "XML Sitemap Generator za WordPress"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2740
|
||||
#: sitemap-ui.php:374
|
||||
#@ sitemap
|
||||
msgid "Configuration updated"
|
||||
msgstr "Konfiguracije ažurirane"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2741
|
||||
#: sitemap-ui.php:375
|
||||
#@ sitemap
|
||||
msgid "Error while saving options"
|
||||
msgstr "Greška prilikom snimanja opcija"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2743
|
||||
#: sitemap-ui.php:378
|
||||
#@ sitemap
|
||||
msgid "Pages saved"
|
||||
msgstr "Stranice snimljene"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2744
|
||||
#: sitemap-ui.php:379
|
||||
#@ sitemap
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Greška za vreme snimanja stranica"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2758
|
||||
#: sitemap-ui.php:387
|
||||
#@ sitemap
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "Osnovna podešavanja su vraćena"
|
||||
|
||||
#: sitemap-ui.php:397
|
||||
#@ sitemap
|
||||
msgid "The old files could NOT be deleted. Please use an FTP program and delete them by yourself."
|
||||
msgstr "Nismo mogli izbrisati stare fajlove. Molimo vas da koristite FTP program i obrišete ih lično."
|
||||
|
||||
#: sitemap-ui.php:399
|
||||
#@ sitemap
|
||||
msgid "The old files were successfully deleted."
|
||||
msgstr "Stari fajlovi su uspešno obrisani."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2600
|
||||
#: sitemap-ui.php:439
|
||||
#@ sitemap
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Hvala vam na donaciji. Pomažete mi da nastavim rad i razvoj ovog plugin-a i drugih besplatnih programa."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2600
|
||||
#: sitemap-ui.php:439
|
||||
#@ sitemap
|
||||
msgid "Hide this notice"
|
||||
msgstr "Sakrijte ovo obaveštenje"
|
||||
|
||||
#: sitemap-ui.php:445
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and you are satisfied with the results, isn't it worth at least a few dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "Hvala vam što koristite ovaj plugin. Instalirali ste plugin pre meseca dana. Ako plugin radi i zadovoljni ste rezultatima, nadam se da je vredno makar par dolara? <a href=\"%s\">Donacije</a> mi pomažu da nastavim rad na ovom <i>besplatnom</i> softveru! <a href=\"%s\">Naravno, nema problema!</a>"
|
||||
|
||||
#: sitemap-ui.php:445
|
||||
#@ sitemap
|
||||
msgid "Sure, but I already did!"
|
||||
msgstr "Naravno, ali već sam donirao!"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2657
|
||||
#: sitemap-ui.php:445
|
||||
#@ sitemap
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Ne hvala, molim vas ne uznemiravajte me više!"
|
||||
|
||||
#: sitemap-ui.php:452
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "Thanks for using this plugin! You've installed this plugin some time ago. If it works and your are satisfied, why not <a href=\"%s\">rate it</a> and <a href=\"%s\">recommend it</a> to others? :-)"
|
||||
msgstr "Hvala vam što koristite ovaj plugin! Instalirali ste ovaj plugin pre nekog vremena. Ako radi i zadovoljni ste, zašto ne biste <a href=\"%s\">dali ocenu</a> i <a href=\"%s\">preporučili ga</a> drugima? :-)"
|
||||
|
||||
#: sitemap-ui.php:452
|
||||
#@ sitemap
|
||||
msgid "Don't show this anymore"
|
||||
msgstr "Ne pokazuj više"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-ui.php:374
|
||||
#: sitemap-ui.php:601
|
||||
#, php-format
|
||||
#@ default
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a>."
|
||||
msgstr "Postoji nova verzija %1$s. <a href=\"%2$s\">Skinite verziju %3$s ovde</a>."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-ui.php:376
|
||||
#: sitemap-ui.php:603
|
||||
#, php-format
|
||||
#@ default
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> <em>automatic upgrade unavailable for this plugin</em>."
|
||||
msgstr "Postoji nova verzija %1$s. <a href=\"%2$s\">Skinite novu verziju %3$s ovde</a> <em>automatsko osvežavanje verzije nije dostupno za ovaj plugin</em>."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-ui.php:378
|
||||
#: sitemap-ui.php:605
|
||||
#, php-format
|
||||
#@ default
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> or <a href=\"%4$s\">upgrade automatically</a>."
|
||||
msgstr "Postoji nova verzija %1$s. <a href=\"%2$s\">Skinite verziju %3$s ovde</a> ili <a href=\"%4$s\">uradite update automatski</a>."
|
||||
|
||||
#: sitemap-ui.php:613
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "Your blog is currently blocking search engines! Visit the <a href=\"%s\">privacy settings</a> to change this."
|
||||
msgstr "Vaš blog trenutno blokira pretraživače! Posetite <a href=\"%s\">podešavanja privatnosti</a> da bi ste promenili."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2884
|
||||
#: sitemap-ui.php:629
|
||||
#@ sitemap
|
||||
msgid "About this Plugin:"
|
||||
msgstr "O ovom plugin-u:"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-ui.php:421
|
||||
#: sitemap-ui.php:631
|
||||
#@ sitemap
|
||||
msgid "Suggest a Feature"
|
||||
msgstr "Predložite Funkciju"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2887
|
||||
#: sitemap-ui.php:632
|
||||
#@ sitemap
|
||||
msgid "Notify List"
|
||||
msgstr "Lista Notifikacija"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2888
|
||||
#: sitemap-ui.php:633
|
||||
#@ sitemap
|
||||
msgid "Support Forum"
|
||||
msgstr "Forum za Podršku"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap-ui.php:424
|
||||
#: sitemap-ui.php:634
|
||||
#@ sitemap
|
||||
msgid "Report a Bug"
|
||||
msgstr "Prijavite Grešku"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2889
|
||||
#: sitemap-ui.php:636
|
||||
#@ sitemap
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "Donirajte putem PayPal-a"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2890
|
||||
#: sitemap-ui.php:637
|
||||
#@ sitemap
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Moje želje na Amazon-u"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2891
|
||||
#: sitemap-ui.php:638
|
||||
#@ sitemap
|
||||
msgid "translator_name"
|
||||
msgstr "ime_prevodioca"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2891
|
||||
#: sitemap-ui.php:638
|
||||
#@ sitemap
|
||||
msgid "translator_url"
|
||||
msgstr "url_prevodioca"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2895
|
||||
#: sitemap-ui.php:641
|
||||
#@ sitemap
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Više o Sitemap-u"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2897
|
||||
#: sitemap-ui.php:642
|
||||
#: sitemap-ui.php:647
|
||||
#@ sitemap
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Alatke za Webmastere"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2898
|
||||
#: sitemap-ui.php:643
|
||||
#@ sitemap
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2901
|
||||
#: sitemap-ui.php:645
|
||||
#@ sitemap
|
||||
msgid "Search Blog"
|
||||
msgstr "Pretražite Blog"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3010
|
||||
#: sitemap-ui.php:648
|
||||
#@ sitemap
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "Webmaster Central Blog"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2903
|
||||
#: sitemap-ui.php:650
|
||||
#@ sitemap
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Sitemap Protokol"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2904
|
||||
#: sitemap-ui.php:651
|
||||
#@ sitemap
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Oficijalni Sitemap FAW"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2910
|
||||
#: sitemap-ui.php:655
|
||||
#@ sitemap
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Zadnje Donacije:"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2914
|
||||
#: sitemap-ui.php:658
|
||||
#@ sitemap
|
||||
msgid "List of the donors"
|
||||
msgstr "Lista Donatora"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2916
|
||||
#: sitemap-ui.php:660
|
||||
#@ sitemap
|
||||
msgid "Hide this list"
|
||||
msgstr "Sakrijte listu"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:2919
|
||||
#: sitemap-ui.php:663
|
||||
#@ sitemap
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Hvala vam na podršci!"
|
||||
|
||||
#: sitemap-ui.php:683
|
||||
#@ sitemap
|
||||
msgid "Search engines haven't been notified yet"
|
||||
msgstr "Pretraživači još uvek nisu obavešteni"
|
||||
|
||||
#: sitemap-ui.php:687
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "Result of the last ping, started on %date%."
|
||||
msgstr "Rezultati zadnjeg ping-a, započeto %date%."
|
||||
|
||||
#: sitemap-ui.php:702
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "There is still a sitemap.xml or sitemap.xml.gz file in your blog directory. Please delete them as no static files are used anymore or <a href=\"%s\">try to delete them automatically</a>."
|
||||
msgstr "Još uvek postoji sitemap.xml ili sitemap.xml.gz fajl na vašem blog direktorijumu. Molimo vas da ih obrišete jer se više ne koristi ni jeda statični fajl ili <a href=\"%s\">pokušajte da ih obrišete automatski</a>."
|
||||
|
||||
#: sitemap-ui.php:705
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "The URL to your sitemap index file is: <a href=\"%s\">%s</a>."
|
||||
msgstr "URL do vašeg sitemap index fajl-a je: <a href=\"%s\">%s</a>."
|
||||
|
||||
#: sitemap-ui.php:708
|
||||
#@ sitemap
|
||||
msgid "Search engines haven't been notified yet. Write a post to let them know about your sitemap."
|
||||
msgstr "Pretraživači još uvek nisu obavešteni. Napišite post da bi ste ih obavestili o vašem sitemap-u."
|
||||
|
||||
#: sitemap-ui.php:717
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "%s was <b>successfully notified</b> about changes."
|
||||
msgstr "%s je <b>uspešno obavešten</b> o promenama."
|
||||
|
||||
#: sitemap-ui.php:720
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "It took %time% seconds to notify %name%, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Trebalo je %time% sekundi da obavestimo %name%, možda želite da onesposobite ovu funkciju da bi ste smanjili vreme izgradnje."
|
||||
|
||||
#: sitemap-ui.php:723
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "There was a problem while notifying %name%. <a href=\"%s\">View result</a>"
|
||||
msgstr "Imali smo problem sa obaveštavanjem %name%. <a href=\"%s\">Pogledajte rezultate</a>"
|
||||
|
||||
#: sitemap-ui.php:727
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "If you encounter any problems with your sitemap you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Ako naiđete na neke probleme u vezi sa sitemap-om možete iskoristiti <a href=\"%d\">debug funkciju</a> da bi ste dobili više podataka."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3040
|
||||
#: sitemap-ui.php:735
|
||||
#@ sitemap
|
||||
msgid "Basic Options"
|
||||
msgstr "Onsovne Opcije"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3079
|
||||
#: sitemap-ui.php:737
|
||||
#@ sitemap
|
||||
msgid "Update notification:"
|
||||
msgstr "Ažurirajte notifikacije:"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3044
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3059
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3079
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3104
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3121
|
||||
#: sitemap-ui.php:737
|
||||
#: sitemap-ui.php:765
|
||||
#@ sitemap
|
||||
msgid "Learn more"
|
||||
msgstr "Saznajte više"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3083
|
||||
#: sitemap-ui.php:741
|
||||
#@ sitemap
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Obavestite Google o promenama na vašem Blogu"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3084
|
||||
#: sitemap-ui.php:742
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Registracija nije potrebna, ali možete otovriti nalog na <a href=\"%s\">Google Webmaster Tools</a> da bi ste preverili statistiku."
|
||||
|
||||
#: sitemap-ui.php:746
|
||||
#@ sitemap
|
||||
msgid "Notify Bing (formerly MSN Live Search) about updates of your Blog"
|
||||
msgstr "Obavestite Bing (bivši MSN Live Search) o promenama na vašem Blogu"
|
||||
|
||||
#: sitemap-ui.php:747
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Bing Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Registracija nije potrebna, ali možete napraviti nalog na <a href=\"%s\">Bing Webmaster Tools</a> da proverite statistiku."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3088
|
||||
#: sitemap-ui.php:751
|
||||
#@ sitemap
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Obavestite Ask.com o promenama na vašem Blogu"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3089
|
||||
#: sitemap-ui.php:752
|
||||
#@ sitemap
|
||||
msgid "No registration required."
|
||||
msgstr "Registracija nije potrebna."
|
||||
|
||||
#: sitemap-ui.php:757
|
||||
#@ sitemap
|
||||
msgid "Add sitemap URL to the virtual robots.txt file."
|
||||
msgstr "Dodajte URL vašeg sitemap-a u robots.txt fajl."
|
||||
|
||||
#: sitemap-ui.php:761
|
||||
#@ sitemap
|
||||
msgid "The virtual robots.txt generated by WordPress is used. A real robots.txt file must NOT exist in the blog directory!"
|
||||
msgstr "Virtualni robots.txt fajl generisan od strane WordPress-a je iskorišćen. Pravi robots.txt fajl NE SME postojati u direktorijumu vašeg bloga!"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3121
|
||||
#: sitemap-ui.php:765
|
||||
#@ sitemap
|
||||
msgid "Advanced options:"
|
||||
msgstr "Napredne opcija:"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3127
|
||||
#: sitemap-ui.php:768
|
||||
#@ sitemap
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Pokušajte da povećate limit memorije na:"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3127
|
||||
#: sitemap-ui.php:768
|
||||
#@ sitemap
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "npr. \"4M\", \"16M\""
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3130
|
||||
#: sitemap-ui.php:771
|
||||
#@ sitemap
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "Pokušajte da povećate vreme izvršenja na:"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3130
|
||||
#: sitemap-ui.php:771
|
||||
#@ sitemap
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "u sekundama, npr. \"60\" or \"0\" za neograničeno"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3133
|
||||
#: sitemap-ui.php:775
|
||||
#@ sitemap
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "Dodajte XSLT stylesheet:"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3133
|
||||
#: sitemap-ui.php:776
|
||||
#@ sitemap
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "Absolutni ili relativni URL do vasšeg .xsl fajla."
|
||||
|
||||
#: sitemap-ui.php:776
|
||||
#@ sitemap
|
||||
msgid "Use default"
|
||||
msgstr "Koristite default-ni"
|
||||
|
||||
#: sitemap-ui.php:781
|
||||
#@ sitemap
|
||||
msgid "Include sitemap in HTML format"
|
||||
msgstr "Dodajte sitemap u HTML formatu"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3144
|
||||
#: sitemap-ui.php:790
|
||||
#@ sitemap
|
||||
msgid "Additional pages"
|
||||
msgstr "Dodatne stranice"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3149
|
||||
#: sitemap-ui.php:793
|
||||
#@ sitemap
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Ovde možete specificirati fajlove ili URL-ove koje bi trebalo dodati u sitemap, ali ne pripadaju vašem Blog-u/WordPress-u. <br />Na primer, ako je vaš domen www.foo.com a vaš blog se nalazi na www.foo.com-blog mozda želite da dodate vašu početnu stranu www.foo.com"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3151
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3462
|
||||
#: sitemap-ui.php:795
|
||||
#: sitemap-ui.php:999
|
||||
#: sitemap-ui.php:1010
|
||||
#: sitemap-ui.php:1019
|
||||
#@ sitemap
|
||||
msgid "Note"
|
||||
msgstr "Opazite"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3152
|
||||
#: sitemap-ui.php:796
|
||||
#@ sitemap
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Ako se vaš blog nalazi u pod direktorijumu i ako želite da doddate stranice koje se ne nalaze u blog direktorijumu ili ispod, MORATE staviti sitemap fajl u korenu direktorijuma (Pogledajte "Lokaciju vašeg sitemap-a " sekciju na ovoj stranici)!"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3154
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3300
|
||||
#: sitemap-ui.php:798
|
||||
#: sitemap-ui.php:837
|
||||
#@ sitemap
|
||||
msgid "URL to the page"
|
||||
msgstr "URL do stranice"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3155
|
||||
#: sitemap-ui.php:799
|
||||
#@ sitemap
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Unesite URL do stranice. Primeri: http://www.foo.com/index.html ili www.foo.com/home "
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3157
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3301
|
||||
#: sitemap-ui.php:801
|
||||
#: sitemap-ui.php:838
|
||||
#@ sitemap
|
||||
msgid "Priority"
|
||||
msgstr "Prioritet"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3158
|
||||
#: sitemap-ui.php:802
|
||||
#@ sitemap
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Izaberite prioritet stranice u odnosu na druge stranice. Na primer, vaša početna stranica može imati veći prioritet nego niće stranice."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3160
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3303
|
||||
#: sitemap-ui.php:804
|
||||
#: sitemap-ui.php:840
|
||||
#@ sitemap
|
||||
msgid "Last Changed"
|
||||
msgstr "Zadjne promene"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3161
|
||||
#: sitemap-ui.php:805
|
||||
#@ sitemap
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Unesti datum zadnje prmene u formatu YYYY-MM-DD (2005-12-31 na primer) (opciono)."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3302
|
||||
#: sitemap-ui.php:839
|
||||
#@ sitemap
|
||||
msgid "Change Frequency"
|
||||
msgstr "Promente Učestalost"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3304
|
||||
#: sitemap-ui.php:841
|
||||
#@ sitemap
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3309
|
||||
#: sitemap-ui.php:846
|
||||
#@ sitemap
|
||||
msgid "No pages defined."
|
||||
msgstr "Stranice nisu definisane."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3314
|
||||
#: sitemap-ui.php:851
|
||||
#@ sitemap
|
||||
msgid "Add new page"
|
||||
msgstr "Dodajte novu stranicu"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3325
|
||||
#: sitemap-ui.php:857
|
||||
#@ sitemap
|
||||
msgid "Post Priority"
|
||||
msgstr "Prioritet postova"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3329
|
||||
#: sitemap-ui.php:859
|
||||
#@ sitemap
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Molimo vas izaberite kako se računa prioritet postova:"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3331
|
||||
#: sitemap-ui.php:861
|
||||
#@ sitemap
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Ne koristi automatsku kalkulaciju prioriteta"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3331
|
||||
#: sitemap-ui.php:861
|
||||
#@ sitemap
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "Svi postovi će imati isti prioritet koji je definisan u "Priorities""
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3397
|
||||
#: sitemap-ui.php:872
|
||||
#@ sitemap
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Sadržaj sitemap-a"
|
||||
|
||||
#: sitemap-ui.php:873
|
||||
#@ sitemap
|
||||
msgid "WordPress standard content"
|
||||
msgstr "WordPress standardni sadržaj"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3405
|
||||
#: sitemap-ui.php:878
|
||||
#@ sitemap
|
||||
msgid "Include homepage"
|
||||
msgstr "Dodajte početnu "
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3411
|
||||
#: sitemap-ui.php:884
|
||||
#@ sitemap
|
||||
msgid "Include posts"
|
||||
msgstr "Dodajte postove"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3417
|
||||
#: sitemap-ui.php:890
|
||||
#@ sitemap
|
||||
msgid "Include static pages"
|
||||
msgstr "Dodajte statičke stranice"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3423
|
||||
#: sitemap-ui.php:896
|
||||
#@ sitemap
|
||||
msgid "Include categories"
|
||||
msgstr "Dodajte kategorije"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3429
|
||||
#: sitemap-ui.php:902
|
||||
#@ sitemap
|
||||
msgid "Include archives"
|
||||
msgstr "Dodajte arhive"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3443
|
||||
#: sitemap-ui.php:908
|
||||
#@ sitemap
|
||||
msgid "Include author pages"
|
||||
msgstr "Dodajte stranice autora"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3436
|
||||
#: sitemap-ui.php:915
|
||||
#@ sitemap
|
||||
msgid "Include tag pages"
|
||||
msgstr "Dodajte tag stranice"
|
||||
|
||||
#: sitemap-ui.php:929
|
||||
#@ sitemap
|
||||
msgid "Custom taxonomies"
|
||||
msgstr "Uobičajene taxonomije"
|
||||
|
||||
#: sitemap-ui.php:940
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "Include taxonomy pages for %s"
|
||||
msgstr "Dodajte stranice taxonomije za %s"
|
||||
|
||||
#: sitemap-ui.php:958
|
||||
#@ sitemap
|
||||
msgid "Custom post types"
|
||||
msgstr "Uobičajeni tipovi postova"
|
||||
|
||||
#: sitemap-ui.php:969
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "Include custom post type %s"
|
||||
msgstr "Dodajte uobičajene tipove postova %s"
|
||||
|
||||
#: sitemap-ui.php:981
|
||||
#@ sitemap
|
||||
msgid "Further options"
|
||||
msgstr "Još opcija"
|
||||
|
||||
#: sitemap-ui.php:986
|
||||
#@ sitemap
|
||||
msgid "Include the last modification time."
|
||||
msgstr "Dodajte vreme zadnje modifikacije"
|
||||
|
||||
#: sitemap-ui.php:988
|
||||
#@ sitemap
|
||||
msgid "This is highly recommended and helps the search engines to know when your content has changed. This option affects <i>all</i> sitemap entries."
|
||||
msgstr "Ovo je preporučljivo jer govori pretraživačima kada se vaš sadržaj promeni. Ova opcija utiče <i>sve</i> unose u sitemap."
|
||||
|
||||
#: sitemap-ui.php:995
|
||||
#@ sitemap
|
||||
msgid "Excluded items"
|
||||
msgstr "Uklonite"
|
||||
|
||||
#: sitemap-ui.php:997
|
||||
#@ sitemap
|
||||
msgid "Excluded categories"
|
||||
msgstr "Uklonite kategorije"
|
||||
|
||||
#: sitemap-ui.php:999
|
||||
#@ sitemap
|
||||
msgid "Using this feature will increase build time and memory usage!"
|
||||
msgstr "Korišćenje ove funkcije će povećati vreme pravljenja i korišćenje memorije."
|
||||
|
||||
#: sitemap-ui.php:1006
|
||||
#@ sitemap
|
||||
msgid "Exclude posts"
|
||||
msgstr "Uklonite postove"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3206
|
||||
#: sitemap-ui.php:1008
|
||||
#@ sitemap
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "Uklonite sledeće postove ili stranice:"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3206
|
||||
#: sitemap-ui.php:1008
|
||||
#@ sitemap
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "Lista ID-a, odvojene zarezom"
|
||||
|
||||
#: sitemap-ui.php:1010
|
||||
#@ sitemap
|
||||
msgid "Child posts won't be excluded automatically!"
|
||||
msgstr "Pod postovi neće biti uključeni automatski!"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3457
|
||||
#: sitemap-ui.php:1016
|
||||
#@ sitemap
|
||||
msgid "Change frequencies"
|
||||
msgstr "Promenite učestalost"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3463
|
||||
#: sitemap-ui.php:1020
|
||||
#@ sitemap
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Molimo vas da zapamtite da vrednost ovog tag-a je koristi kao predlog a ne kao komanda. Iako pretraživači razmatraju ovu infomaciju kada donose odluke, možda će proći kroz stranice obeležene \"hourly\" ređe nego naznačeno, a možda će stranice naznačene \"yearly\" posećivati češće. Isto tako je verovatno da će s'vremena na vreme prolaziti kroz stranice naznačene sa \"never\" da bi mogli da reaguju na neočekivane promene na tim stranicama."
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3469
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3535
|
||||
#: sitemap-ui.php:1026
|
||||
#: sitemap-ui.php:1083
|
||||
#@ sitemap
|
||||
msgid "Homepage"
|
||||
msgstr "Početna"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3475
|
||||
#: sitemap-ui.php:1032
|
||||
#@ sitemap
|
||||
msgid "Posts"
|
||||
msgstr "Postovi"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3481
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3553
|
||||
#: sitemap-ui.php:1038
|
||||
#: sitemap-ui.php:1101
|
||||
#@ sitemap
|
||||
msgid "Static pages"
|
||||
msgstr "Statične stranice"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3487
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3559
|
||||
#: sitemap-ui.php:1044
|
||||
#: sitemap-ui.php:1107
|
||||
#@ sitemap
|
||||
msgid "Categories"
|
||||
msgstr "Kategorije"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3493
|
||||
#: sitemap-ui.php:1050
|
||||
#@ sitemap
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Trenutna arhiva za ovaj mesec (Treba biti ista kao i vaša početna stranica)"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3499
|
||||
#: sitemap-ui.php:1056
|
||||
#@ sitemap
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Starije arhive (Menja se samo ako promenti stariji post)"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3506
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3572
|
||||
#: sitemap-ui.php:1063
|
||||
#: sitemap-ui.php:1120
|
||||
#@ sitemap
|
||||
msgid "Tag pages"
|
||||
msgstr "Tag stranice"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3513
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3579
|
||||
#: sitemap-ui.php:1070
|
||||
#: sitemap-ui.php:1127
|
||||
#@ sitemap
|
||||
msgid "Author pages"
|
||||
msgstr "Stranice autora"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3527
|
||||
#: sitemap-ui.php:1078
|
||||
#@ sitemap
|
||||
msgid "Priorities"
|
||||
msgstr "Prioriteti"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3541
|
||||
#: sitemap-ui.php:1089
|
||||
#@ sitemap
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Postovi (ako je auto kalkulacija isključena)"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3547
|
||||
#: sitemap-ui.php:1095
|
||||
#@ sitemap
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Minimalni prioritet za postove (Čak iako je auto kalkulacija uključena)"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3565
|
||||
#: sitemap-ui.php:1113
|
||||
#@ sitemap
|
||||
msgid "Archives"
|
||||
msgstr "Arhive"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3590
|
||||
#: sitemap-ui.php:1138
|
||||
#@ sitemap
|
||||
msgid "Update options"
|
||||
msgstr "Opcije ažuriranja"
|
||||
|
||||
# C:Inetpubwwwrootwpwp-contentpluginssitemap_beta/sitemap.php:3591
|
||||
#: sitemap-ui.php:1139
|
||||
#@ sitemap
|
||||
msgid "Reset options"
|
||||
msgstr "Opcije za resetovanje"
|
||||
|
||||
#: sitemap.php:82
|
||||
#@ sitemap
|
||||
msgid "Your WordPress version is too old for XML Sitemaps."
|
||||
msgstr "Vaša verzija WordPress-a je previše stara za XML Sitemap."
|
||||
|
||||
#: sitemap.php:82
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "Unfortunately this release of Google XML Sitemaps requires at least WordPress %4$s. You are using Wordpress %2$s, which is out-dated and insecure. Please upgrade or go to <a href=\"%1$s\">active plugins</a> and deactivate the Google XML Sitemaps plugin to hide this message. You can download an older version of this plugin from the <a href=\"%3$s\">plugin website</a>."
|
||||
msgstr "Nažalost ova verzija Google XML Sitemap-a zahteva barem WordPress verziju %4$s. Vi koristite WordPress verziju %2$s, koja je zastarela i nesigurna. Molimo vas da update-ujete ili odete na <a href=\"%1$s\">aktivne plugin-ove</a> i deaktivirate Google XML Sitemap plugin da bi ste sakrili ovu poruku. Možete skinuti stariju verziju ovog plugin-a sa <a href=\"%3$s\">našeg sajta</a>."
|
||||
|
||||
#: sitemap.php:92
|
||||
#@ sitemap
|
||||
msgid "Your PHP version is too old for XML Sitemaps."
|
||||
msgstr "PHP verzija koju koristite je previše stara za XML sitemap."
|
||||
|
||||
#: sitemap.php:92
|
||||
#, php-format
|
||||
#@ sitemap
|
||||
msgid "Unfortunately this release of Google XML Sitemaps requires at least PHP %4$s. You are using PHP %2$s, which is out-dated and insecure. Please ask your web host to update your PHP installation or go to <a href=\"%1$s\">active plugins</a> and deactivate the Google XML Sitemaps plugin to hide this message. You can download an older version of this plugin from the <a href=\"%3$s\">plugin website</a>."
|
||||
msgstr "nažalost ova verzija Google XML Sitemap-a zahteva najmanje verziju PHP %4$s. Vi koristite PHP %2$s, koji je zastareo i nesiguran. Zamolite vaš hosting da ažuriraju verziju PHP instalacije ili idite na <a href=\"%1$s\">aktivne plugin-ove</a> i deaktivirajte Google XML Sitemap plugin da bi ste sakrili ovu poruku. Možete skinuti straiju verziju ovog plugin-a sa <a href=\"%3$s\">našeg sajta</a>."
|
||||
|
||||
#. translators: plugin header field 'Name'
|
||||
#: sitemap.php:0
|
||||
#@ sitemap
|
||||
msgid "Google XML Sitemaps"
|
||||
msgstr ""
|
||||
|
||||
#. translators: plugin header field 'PluginURI'
|
||||
#: sitemap.php:0
|
||||
#@ sitemap
|
||||
msgid "http://www.arnebrachhold.de/redir/sitemap-home/"
|
||||
msgstr ""
|
||||
|
||||
#. translators: plugin header field 'Description'
|
||||
#: sitemap.php:0
|
||||
#@ sitemap
|
||||
msgid "This plugin will generate a special XML sitemap which will help search engines like Google, Yahoo, Bing and Ask.com to better index your blog."
|
||||
msgstr ""
|
||||
|
||||
#. translators: plugin header field 'Author'
|
||||
#: sitemap.php:0
|
||||
#@ sitemap
|
||||
msgid "Arne Brachhold"
|
||||
msgstr ""
|
||||
|
||||
#. translators: plugin header field 'AuthorURI'
|
||||
#: sitemap.php:0
|
||||
#@ sitemap
|
||||
msgid "http://www.arnebrachhold.de/"
|
||||
msgstr ""
|
||||
|
||||
#. translators: plugin header field 'Version'
|
||||
#: sitemap.php:0
|
||||
#@ sitemap
|
||||
msgid "4.0beta9"
|
||||
msgstr ""
|
||||
|
||||
@@ -0,0 +1,322 @@
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: Google Sitemap Generator Swedish Translation 1.0\n"
|
||||
"POT-Creation-Date: \n"
|
||||
"PO-Revision-Date: 2008-01-08 12:16+0100\n"
|
||||
"Last-Translator: Markus <m.eriksson@rocketmail.com>\n"
|
||||
"Language-Team: Tobias Bergius <tobias@tobiasbergius.se>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=iso-8859-1\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Poedit-Language: Swedish\n"
|
||||
"X-Poedit-Country: SWEDEN\n"
|
||||
"X-Poedit-SourceCharset: iso-8859-1\n"
|
||||
|
||||
#: sitemap.php:375
|
||||
msgid "always"
|
||||
msgstr "alltid"
|
||||
|
||||
msgid "hourly"
|
||||
msgstr "varje timme"
|
||||
|
||||
msgid "daily"
|
||||
msgstr "dagligen"
|
||||
|
||||
msgid "weekly"
|
||||
msgstr "varje vecka"
|
||||
|
||||
msgid "monthly"
|
||||
msgstr "månatligen"
|
||||
|
||||
msgid "yearly"
|
||||
msgstr "Årligen"
|
||||
|
||||
msgid "never"
|
||||
msgstr "aldrig"
|
||||
|
||||
msgid "Detected Path"
|
||||
msgstr "Funnen sökväg"
|
||||
|
||||
msgid "Example"
|
||||
msgstr "Exempel"
|
||||
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Absolut eller relativ sökväg till sajtkartan, inklusive namn."
|
||||
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "Komplett URL till sajtkartan, inklusive namn."
|
||||
|
||||
msgid "Automatic location"
|
||||
msgstr "Automatisk sökväg"
|
||||
|
||||
msgid "Manual location"
|
||||
msgstr "Manuell sökväg"
|
||||
|
||||
msgid "OR"
|
||||
msgstr "eller"
|
||||
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Sökväg till din sajtkarta"
|
||||
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Om din blogg är i en underkatalog och du vill lägga till sidor som inte är i blogg-katalogen, eller under, måste du placera din sajtkarta i root-katalogen (se "Sökväg till din sajtkarta" på den här sidan)!"
|
||||
|
||||
#: sitemap.php:512
|
||||
msgid "Configuration updated"
|
||||
msgstr "Konfiguration uppdaterad"
|
||||
|
||||
#: sitemap.php:513
|
||||
msgid "Error"
|
||||
msgstr "Fel"
|
||||
|
||||
#: sitemap.php:521
|
||||
msgid "A new page was added. Click on "Save page changes" to save your changes."
|
||||
msgstr "En ny sida tillagd. Klicka på "Spara ändringar" för att spara."
|
||||
|
||||
#: sitemap.php:527
|
||||
msgid "Pages saved"
|
||||
msgstr "Sidor sparade"
|
||||
|
||||
#: sitemap.php:528
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Fel vid sparande av sida"
|
||||
|
||||
#: sitemap.php:539
|
||||
msgid "The page was deleted. Click on "Save page changes" to save your changes."
|
||||
msgstr "Sidan borttagen. Klicka på "Spara ändringar" för att spara."
|
||||
|
||||
#: sitemap.php:542
|
||||
msgid "You changes have been cleared."
|
||||
msgstr "Dina ändringar har rensats."
|
||||
|
||||
#: sitemap.php:555
|
||||
msgid "Sitemap Generator"
|
||||
msgstr "Sitemap Generator"
|
||||
|
||||
#: sitemap.php:558
|
||||
msgid "Manual rebuild"
|
||||
msgstr "Manuell återskapning"
|
||||
|
||||
#: sitemap.php:559
|
||||
msgid "If you want to build the sitemap without editing a post, click on here!"
|
||||
msgstr "Om du vill skapa sajtkartan utan att redigera en artikel, klicka här!"
|
||||
|
||||
#: sitemap.php:560
|
||||
msgid "Rebuild Sitemap"
|
||||
msgstr "Återskapa sajtkarta"
|
||||
|
||||
#: sitemap.php:564
|
||||
msgid "Additional pages"
|
||||
msgstr "Ytterligare sidor"
|
||||
|
||||
#: sitemap.php:566
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Här kan du lägga till URL:er i sajtkartan, som inte tillhör Wordpress.<br />Till exempel, om din domän är www.foo.com och din blogg finns på www.foo.com/blogg, vill du nog lägga till din startsida på www.foo.com."
|
||||
|
||||
#: sitemap.php:568
|
||||
msgid "URL to the page"
|
||||
msgstr "URL till sidan"
|
||||
|
||||
#: sitemap.php:569
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Ange URL till sidan. Exempel: http://www.foo.com/index.html eller www.foo.com/home"
|
||||
|
||||
#: sitemap.php:571
|
||||
msgid "Priority"
|
||||
msgstr "Prioritet"
|
||||
|
||||
#: sitemap.php:572
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Välj prioritet relativt till de andra sidorna. Till exempel, din startsida kanske bör ha högre prioritet än dina undersidor."
|
||||
|
||||
#: sitemap.php:574
|
||||
msgid "Last Changed"
|
||||
msgstr "Senast ändrad"
|
||||
|
||||
#: sitemap.php:575
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Ändra datum för senaste ändringar enligt ÅÅÅÅ-MM-DD (2005-12-31 t.ex.) (valfritt)."
|
||||
|
||||
#: sitemap.php:583
|
||||
msgid "Change Frequency"
|
||||
msgstr "Ändra frekvens"
|
||||
|
||||
#: sitemap.php:585
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: sitemap.php:609
|
||||
msgid "No pages defined."
|
||||
msgstr "Inga sidor tillagda."
|
||||
|
||||
#: sitemap.php:616
|
||||
msgid "Add new page"
|
||||
msgstr "Lägg till sida"
|
||||
|
||||
# sitemap.php:617:
|
||||
#: sitemap.php:617
|
||||
msgid "Save page changes"
|
||||
msgstr "Spara ändringar"
|
||||
|
||||
# sitemap.php:618:
|
||||
#: sitemap.php:618
|
||||
msgid "Undo all page changes"
|
||||
msgstr "Ångra alla ändringar"
|
||||
|
||||
# sitemap.php:621:
|
||||
#: sitemap.php:621
|
||||
msgid "Delete marked page"
|
||||
msgstr "Ta bort markerad sida"
|
||||
|
||||
#: sitemap.php:627
|
||||
msgid "Basic Options"
|
||||
msgstr "Generella ändringar"
|
||||
|
||||
#: sitemap.php:632
|
||||
msgid "Enable automatic priority calculation for posts based on comment count"
|
||||
msgstr "Aktivera automatisk prioritering för artiklar, baserat på antal kommentarer"
|
||||
|
||||
#: sitemap.php:638
|
||||
msgid "Write debug comments"
|
||||
msgstr "Skriv debuggkommentarer"
|
||||
|
||||
#: sitemap.php:643
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Filnamn på sajtkartan"
|
||||
|
||||
#: sitemap.php:650
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Skapa en vanlig XML-fil (ditt filnamn)"
|
||||
|
||||
#: sitemap.php:652
|
||||
msgid "Detected URL"
|
||||
msgstr "Funnen URL"
|
||||
|
||||
#: sitemap.php:657
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Skapa en gzippad fil (filnamn + .gz)"
|
||||
|
||||
#: sitemap.php:664
|
||||
msgid "Auto-Ping Google Sitemaps"
|
||||
msgstr "Auto-pinga Google Sitemaps"
|
||||
|
||||
#: sitemap.php:665
|
||||
msgid "This option will automatically tell Google about changes."
|
||||
msgstr "Det här gör att Google automatiskt notifieras om uppdateringar"
|
||||
|
||||
#: sitemap.php:672
|
||||
msgid "Includings"
|
||||
msgstr "Inkluderingar"
|
||||
|
||||
#: sitemap.php:677
|
||||
msgid "Include homepage"
|
||||
msgstr "Inkludera startsida"
|
||||
|
||||
#: sitemap.php:683
|
||||
msgid "Include posts"
|
||||
msgstr "Inkludera artiklar"
|
||||
|
||||
#: sitemap.php:689
|
||||
msgid "Include static pages"
|
||||
msgstr "Inkludera statiska sidor"
|
||||
|
||||
#: sitemap.php:695
|
||||
msgid "Include categories"
|
||||
msgstr "Inkludera kategorier"
|
||||
|
||||
#: sitemap.php:701
|
||||
msgid "Include archives"
|
||||
msgstr "Inkluder arkiv"
|
||||
|
||||
#: sitemap.php:708
|
||||
msgid "Change frequencies"
|
||||
msgstr "Ändra frekvenser"
|
||||
|
||||
#: sitemap.php:709
|
||||
msgid "Note"
|
||||
msgstr "Observera"
|
||||
|
||||
#: sitemap.php:710
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Den här inställningen ska ses som en ledtråd och inte ett kommando. Även om sökmotorerna lägger märke till den här informationen, så kan de indexera sidor markerade \"per timme\" mer sällan än det. Och dom kan indexera sidor markerade \"årligen\" oftare än så. Det är också vanligt att sökmotorer regelbundet kontrollerar sidor markerade \"aldrig\", så att de kan hantera oväntade händelser."
|
||||
|
||||
#: sitemap.php:715
|
||||
msgid "Homepage"
|
||||
msgstr "Startsida"
|
||||
|
||||
#: sitemap.php:721
|
||||
msgid "Posts"
|
||||
msgstr "Artiklar"
|
||||
|
||||
#: sitemap.php:727
|
||||
msgid "Static pages"
|
||||
msgstr "Statiska sidor"
|
||||
|
||||
#: sitemap.php:733
|
||||
msgid "Categories"
|
||||
msgstr "Kategorier"
|
||||
|
||||
#: sitemap.php:739
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Aktuellt arkiv för denna månad (borde vara samma som din startsida)"
|
||||
|
||||
#: sitemap.php:745
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Äldre arkiv (ändras bara om du ändrar en äldre artikel)"
|
||||
|
||||
#: sitemap.php:752
|
||||
msgid "Priorities"
|
||||
msgstr "Prioriteringar"
|
||||
|
||||
#: sitemap.php:763
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Artiklar (om autoprioritering är avaktiverat)"
|
||||
|
||||
#: sitemap.php:769
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "Minsta artikeprioritet (även om autoprioritering är aktiverat)"
|
||||
|
||||
#: sitemap.php:787
|
||||
msgid "Archives"
|
||||
msgstr "Arkiv"
|
||||
|
||||
#: sitemap.php:793
|
||||
msgid "Informations and support"
|
||||
msgstr "Information och support"
|
||||
|
||||
#: sitemap.php:794
|
||||
msgid "Check %s for updates and comment there if you have any problems / questions / suggestions."
|
||||
msgstr "Kontrollera %s efter uppdateringar och kommentera om du har några problem, frågor eller förslag."
|
||||
|
||||
#: sitemap.php:797
|
||||
msgid "Update options"
|
||||
msgstr "Uppdatera inställningar"
|
||||
|
||||
#: sitemap.php:1033
|
||||
msgid "URL:"
|
||||
msgstr "URL:"
|
||||
|
||||
#: sitemap.php:1034
|
||||
msgid "Path:"
|
||||
msgstr "Sökväg:"
|
||||
|
||||
#: sitemap.php:1037
|
||||
msgid "Could not write into %s"
|
||||
msgstr "Kan inte skriva till %s"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built sitemap file:"
|
||||
msgstr "Sajtkarta skapad:"
|
||||
|
||||
#: sitemap.php:1048
|
||||
msgid "Successfully built gzipped sitemap file:"
|
||||
msgstr "Gzippad sajtkarta skapad:"
|
||||
|
||||
#: sitemap.php:1062
|
||||
msgid "Could not ping to Google at %s"
|
||||
msgstr "Kan inte pinga Google på %s"
|
||||
|
||||
#: sitemap.php:1064
|
||||
msgid "Successfully pinged Google at %s"
|
||||
msgstr "Google pingad på %s"
|
||||
|
||||
@@ -0,0 +1,913 @@
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2009-06-07 01:15+0100\n"
|
||||
"PO-Revision-Date: 2009-06-08 17:31+0200\n"
|
||||
"Last-Translator: Baris Unver <baris.unver@beyn.org>\n"
|
||||
"Language-Team: Stefano Aglietti <steagl@wordpress-it.it>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Poedit-Language: Italian\n"
|
||||
"X-Poedit-Country: ITALY\n"
|
||||
"X-Poedit-SourceCharset: utf-8\n"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:846
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:642
|
||||
msgid "Comment Count"
|
||||
msgstr "Yorum Sayımı"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:858
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:654
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "Önceliği belirlemek için yazıya yapılmış yorum sayısını kullan"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:714
|
||||
msgid "Comment Average"
|
||||
msgstr "Yorum Ortalaması"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:726
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "Önceliği hesaplamak için yazıların ortalama yorum sayısını kullanır"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:993
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:789
|
||||
msgid "Popularity Contest"
|
||||
msgstr "Popularity Contest"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:1005
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:801
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "<a href=\"%2\">Alex King</a> tarafından yaratılmış <a href=\"%1\">Popularity Contest Eklentisi</a> ile uyumlu olarak çalışır, öncelikleri Popularity Contest'in raporlarına göre hesaplar. Ayarlar için <a href=\"%3\">buraya</a>, en popüler yazılar içinse <a href=\"%4\">buraya</a> tıklayın."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1118
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1187
|
||||
msgid "Always"
|
||||
msgstr "Her zaman"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1119
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1188
|
||||
msgid "Hourly"
|
||||
msgstr "Saatte bir"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1120
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1189
|
||||
msgid "Daily"
|
||||
msgstr "Günde bir"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1121
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1190
|
||||
msgid "Weekly"
|
||||
msgstr "Haftada bir"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1122
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1191
|
||||
msgid "Monthly"
|
||||
msgstr "Ayda bir"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1123
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1192
|
||||
msgid "Yearly"
|
||||
msgstr "Yılda bir"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1193
|
||||
msgid "Never"
|
||||
msgstr "Hiçbir zaman"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:102
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "Bağışınız için çok teşekkürler. Bu eklenti üzerinde çalışmam ve destek sunabilmem için yardım sağlamış oldunuz!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:102
|
||||
msgid "Hide this notice"
|
||||
msgstr "Bu bildiriyi sakla"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2606
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:108
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr ""
|
||||
"Bu eklentiyi kullandığınız için teşekkürler! Bu eklentiyi bir aydan daha uzun süredir kullanıyorsunuz. Eğer eklenti sizin işinize yaradıysa ve sevdiyseniz, sizce bu en azından bir dolar etmez mi? <a href=\"%s\">Yapılan bağışlar</a>, bu <i>ücretsiz</i> eklentiyi geliştirmeye devam etmemi ve eklenti hakkında destek sunmamı sağlıyor!\n"
|
||||
"<a href=\"%s\">Tabii canım, ne demek!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2606
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:108
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "Yok teşekkürler, lütfen beni bir daha rahatsız etme!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:67
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:119
|
||||
msgid "Your sitemap is being refreshed at the moment. Depending on your blog size this might take some time!"
|
||||
msgstr "Site haritanız şu anda yenileniyor. Blog'unuzun büyüklüğüne göre bu işlem biraz zaman alabilir!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:69
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:121
|
||||
#, php-format
|
||||
msgid "Your sitemap will be refreshed in %s seconds. Depending on your blog size this might take some time!"
|
||||
msgstr "Site haritanız %s saniye içinde yenilenecek. Blog'unuzun büyüklüğüne göre bu işlem biraz zaman alabilir!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:146
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:453
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "Wordpress için XML Site Haritası Oluşturucusu"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:298
|
||||
msgid "Configuration updated"
|
||||
msgstr "Ayarlar kaydedildi"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:299
|
||||
msgid "Error while saving options"
|
||||
msgstr "Seçenekler kaydedilirken hata oluştu"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:301
|
||||
msgid "Pages saved"
|
||||
msgstr "Sayfalar kaydedildi"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:302
|
||||
msgid "Error while saving pages"
|
||||
msgstr "Sayfalar kaydedilirken hata oluştu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:309
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "Varsayılan seçenekler yüklendi"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:374
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:466
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a>."
|
||||
msgstr "%1$s eklentisinin yeni bir sürümü var. <a href=\"%2$s\">%3$s sürümünü buradan indirin</a>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:376
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:468
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> <em>automatic upgrade unavailable for this plugin</em>."
|
||||
msgstr "%1$s eklentisinin yeni bir sürümü var. <a href=\"%2$s\">%3$s sürümünü buradan indirin</a>. <em>bu eklenti için otomatik güncelleme mümkün değil</em>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:378
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:470
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> or <a href=\"%4$s\">upgrade automatically</a>."
|
||||
msgstr "%1$s eklentisinin yeni bir sürümü var. <a href=\"%2$s\">%3$s sürümünü buradan indirin</a>. veya <a href=\"%4$s\">otomatik güncelleyin</a>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2851
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2868
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:493
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:510
|
||||
msgid "open"
|
||||
msgstr "açmak"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2852
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2869
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:494
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:511
|
||||
msgid "close"
|
||||
msgstr "kapamak"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2853
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2870
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:495
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:512
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "kutuyu taşımak için tıklayıp sürükleyin"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2854
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2871
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:496
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:513
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "kutuyu %toggle% için tıklayın"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2855
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2872
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:497
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:514
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "bu kutuyu taşımak için yön tuşlarını kullanın"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2856
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2873
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:498
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:515
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr "%toggle% için , veya enter tuşuna basın"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:533
|
||||
msgid "About this Plugin:"
|
||||
msgstr "Bu Eklenti Hakkında:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:534
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:141
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "Eklenti Anasayfası"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:421
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:535
|
||||
msgid "Suggest a Feature"
|
||||
msgstr "Bir Özellik Öner"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:536
|
||||
msgid "Notify List"
|
||||
msgstr "Bildiri listesi"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:537
|
||||
msgid "Support Forum"
|
||||
msgstr "Destek Forumu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:424
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:538
|
||||
msgid "Report a Bug"
|
||||
msgstr "Bir Hata Raporla"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:540
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "PayPal ile Bağış Yap"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:541
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "Amazon Wish List'im"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:542
|
||||
msgid "translator_name"
|
||||
msgstr "Eklenti Çevirmeni: Barış Ünver"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:542
|
||||
msgid "translator_url"
|
||||
msgstr "http://beyn.org"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:545
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "Site Haritası Kaynakları:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:546
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:552
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "Webmaster Araçları"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:547
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "Webmaster Blog'u"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2900
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:549
|
||||
msgid "Site Explorer"
|
||||
msgstr "Site Explorer"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:550
|
||||
msgid "Search Blog"
|
||||
msgstr "Search Blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:553
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "Webmaster Merkezi Blog'u"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:555
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "Site Haritası Protokolü"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:556
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "Resmi Sitemap SSS'si"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:557
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "Bu Eklentinin SSS'si"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:560
|
||||
msgid "Recent Donations:"
|
||||
msgstr "Son Bağışlar:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:564
|
||||
msgid "List of the donors"
|
||||
msgstr "Bağış Yapanların Listesi:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:566
|
||||
msgid "Hide this list"
|
||||
msgstr "Bu listeyi sakla"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:569
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "Desteğiniz için teşekkürler!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2931
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:587
|
||||
msgid "Status"
|
||||
msgstr "Durum"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2941
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:595
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "Site haritanız henüz oluşturulmamış. Oluşturmak için <a href=\"%s\">buraya tıklayın</a>."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2947
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:601
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "<a href=\"%url%\">Site haritanız</a> en son <b>%date%</b> tarihinde oluşturulmuş."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2949
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:603
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Site haritanız oluşturulurken bir hata oluştu. Lütfen dosyanın var olduğundan ve yazma izinlerinin olduğundan emin olun. <a href=\"%url%\">Daha fazla</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2956
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:610
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "Sıkıştırılmış site haritanız"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2958
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:612
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "Sıkıştırılmış site haritanız oluşturulurken bir hata oluştu. Lütfen dosyanın var olduğundan ve yazma izinlerinin olduğundan emin olun. <a href=\"%url%\">Daha fazla</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2964
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:618
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "Google <b>başarıyla bilgilendirildi.</b>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:621
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Google'ın bilgilendirilmesi %time% saniye sürdü, kurulum süresini düşürmek için bu seçeneği kaldırabilirsiniz"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2970
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:624
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "Google bilgilendirilirken hata oluştu. <a href=\"%s\">Hatayı göster</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:630
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "Yahoo! <b>başarıyla bilgilendirildi.</b>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2979
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:633
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Yahoo!'nun bilgilendirilmesi %time% saniye sürdü, kurulum süresini düşürmek için bu seçeneği kaldırabilirsiniz"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2982
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:636
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "Yahoo! bilgilendirilirken hata oluştu. <a href=\"%s\">Hatayı göster</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:642
|
||||
msgid "Bing was <b>successfully notified</b> about changes."
|
||||
msgstr "Bing <b>başarıyla bilgilendirildi.</b>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:645
|
||||
msgid "It took %time% seconds to notify Bing, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Bing'in bilgilendirilmesi %time% saniye sürdü, kurulum süresini düşürmek için bu seçeneği kaldırabilirsiniz"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2970
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:648
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Bing. <a href=\"%s\">View result</a>"
|
||||
msgstr "Bing bilgilendirilirken hata oluştu. <a href=\"%s\">Hatayı göster</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2988
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:654
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "Ask.com <b>başarıyla bilgilendirildi.</b>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:657
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "Ask.com'un bilgilendirilmesi %time% saniye sürdü, kurulum süresini düşürmek için bu seçeneği kaldırabilirsiniz"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2994
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:660
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "Ask.com bilgilendirilirken hata oluştu. <a href=\"%s\">Hatayı göster</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3002
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:668
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "Kurulum toplam <b>%time% saniye</b> sürdü ve %memory% MB bellek kullandı."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3004
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:670
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "Kurulum toplam <b>%time% saniye</b> sürdü."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3008
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:674
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "Site haritanızın içeriği önceki <b>güncellemeyle aynı olduğundan</b> dolayı herhangi bir güncelleme yapılmadı ve herhangi bir arama motoru ping'lenmedi."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:586
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:682
|
||||
msgid "The building process might still be active! Reload the page in a few seconds and check if something has changed."
|
||||
msgstr "Kurulum işlemi hala aktif olabilir! Bu sayfayı birkaç saniye sonra yenileyip bir şeyin değişip değişmediğini kontrol edin."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3012
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:685
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "Son güncelleme daha bitmedi! Kullanılan bellek miktarını yükseltebilir veya kurulum süresini uzatabilirsiniz. <a href=\"%url%\">Daha fazla</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3014
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:687
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "Betiğin son bilinen bellek kullanımı %memused%MB oldu, sunucunuzun sağladığı bellek sınırı ise %memlimit%."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3018
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:691
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "Betiğin son çalıştırılması %timeused% saniye sürdü, sunucunuzun sağladığı süre sınırı ise %timelimit% saniye."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3022
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:695
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "Betik, %lastpost% numaralı yazı civarında (+/- 100) durdu."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3025
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:698
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "Eğer sunucunuzda veya blog'unuzda bir değişiklik yaptıysanız, site haritanızı <a href=\"%s\">güncellemek</a> isteyebilirsiniz."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3027
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:700
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "Eğer bir sorunla (veya sorunlarla) karşılaşırsanız, <a href=\"%d\">hata ayıklama kipi</a>ni kullanıp sorun(lar) hakkında bilgi sahibi olabilirsiniz."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:707
|
||||
msgid "Basic Options"
|
||||
msgstr "Temel Ayarlar"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:709
|
||||
msgid "Sitemap files:"
|
||||
msgstr "Site haritası dosyaları:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:709
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:724
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:744
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:777
|
||||
msgid "Learn more"
|
||||
msgstr "Daha fazla"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:714
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "Normal bir XML dosyası oluştur (dosya isminiz.xml)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:720
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "Gzip ile sıkıştırılmış bir dosya oluştur (dosya isminiz.xml.gz)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:724
|
||||
msgid "Building mode:"
|
||||
msgstr "Kurma kipi"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3064
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:729
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "Blog'un içeriği değiştiğinde site haritasını güncelle"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3071
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:736
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "GET talebiyle site haritasının elle kurulumunu etkinleştir"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3075
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:740
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr ""
|
||||
"Eğer blog'unuzu güncellemek için Wordpress API'sini kullanmayan üçüncü parti bir yazılım kullanıyorsanız bu araç işinize yarayacaktır. Başlatmak için aşağıdaki bağlantıyı kullanın:\n"
|
||||
"<a href=\"%1\">%1</a>\n"
|
||||
"Lütfen site haritasının başarıyla kurulup kurulmadığını kontrol etmek için raporlara bakınız."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:744
|
||||
msgid "Update notification:"
|
||||
msgstr "Güncelleme bildirisi:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:748
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "Blog'unuzun güncellenimini Google'a bildir"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:749
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Kayıt gerektirmez, ama <a href=\"%s\">Google Webmaster Tools</a>'a katılarak crawl istatistiklerini görebilirsiniz."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:753
|
||||
msgid "Notify Bing (formerly MSN Live Search) about updates of your Blog"
|
||||
msgstr "Blog'unuzun güncellenişini Bing'e bildir"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:754
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Bing Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "Kayıt gerektirmez, ama <a href=\"%s\">Bing Webmaster Tools</a>'a katılarak taranma istatistiklerini görebilirsiniz."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3088
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:758
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "Blog'unuzun güncellenimini Ask.com'a bildir"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3089
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:759
|
||||
msgid "No registration required."
|
||||
msgstr "Kayıt gerektirmez."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3093
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:763
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "Blog'unuzun güncellenimini Yahoo!'ya bildir"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:764
|
||||
msgid "Your Application ID:"
|
||||
msgstr "Uygulama ID'niz:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:765
|
||||
#, php-format
|
||||
msgid "Don't you have such a key? <a href=\"%s1\">Request one here</a>! %s2"
|
||||
msgstr "Böyle bir anahtarınız yok mu? <a href=\"%s1\">Buradan bir tane isteyin</a>!</a> %s2"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:770
|
||||
msgid "Add sitemap URL to the virtual robots.txt file."
|
||||
msgstr "Sanal robots.txt dosyasına site haritası URL'ini ekle."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:774
|
||||
msgid "The virtual robots.txt generated by WordPress is used. A real robots.txt file must NOT exist in the blog directory!"
|
||||
msgstr "WordPress'in oluşturduğu sanal robots.txt dosyası kullanılacaktır; gerçek bir robots.txt dosyası kök dizinde BULUNMAMALIDIR!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:777
|
||||
msgid "Advanced options:"
|
||||
msgstr "Gelişmiş seçenekler:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:780
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "Site haritasındaki yazı sayısını sınırlandır:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:780
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "Yeni yazılar site haritasında ilk sıraya yerleştirilsin"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:783
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "Kullanılacak bellek sınırını şuna yükseltmeyi dene:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:783
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "(örn. \"4M\", \"16M\")"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:786
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "İşlemi gerçekleştirmek için gereken zaman sınırını şuna yükseltmeyi dene:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:786
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "saniye olarak belirtin (örn. \"60\") (sınırsız için \"0\" kullanın)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:790
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "Bir XSLT Sayfa Yönergesi (Stylesheet) Kullan:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:791
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr ".xsl dosyanızın tam veya bağıl yolu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:791
|
||||
msgid "Use default"
|
||||
msgstr "Varsayılanı kullan"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:797
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "MySQL standart kipini etkinleştirin. Yalnızca MySQL hataları alıyorsanız bunu kullanın, çok fazla belleğe ihtiyaç duyar!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:798
|
||||
msgid "Upgrade WordPress at least to 2.2 to enable the faster MySQL access"
|
||||
msgstr "Daha hızlı MySQL erişimi için WordPress sürümünüzü en azından 2.2'ye yükseltin."
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:805
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "Site haritasını bir arkaplan işleminde oluştur (Bir yazıyı kaydederken beklemek zorunda kalmazsınız)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:806
|
||||
msgid "Upgrade WordPress at least to 2.1 to enable background building"
|
||||
msgstr "Haritanın arkaplanda oluşturulabilmesi için WordPress sürümünüzü en azından 2.1'e yükseltin."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:813
|
||||
msgid "Additional pages"
|
||||
msgstr "Ek sayfalar"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:816
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "Burada blog'unuza ait olmayan sayfaları site haritasında yer alacak şekilde ekleyebilirsiniz.<br />Örneğin, eğer sayfanız www.foo.com ise ve blog'unuz www.foo.com/blog ise, anasayfanız olan www.foo.com adresini de eklemek isteyebilirsiniz."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:818
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:997
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1011
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1020
|
||||
msgid "Note"
|
||||
msgstr "Not"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:819
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "Eğer blog'unuz bir alt klasördeyse ve blog'da OLMAYAN sayfalar eklemek istiyorsanız, site haritası dosyanızı KESİNLİKLE kök klasöre koymanız gereklidir (Bu sayfadaki "Site haritanızın konumu" bölümüne bakın)!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:821
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:860
|
||||
msgid "URL to the page"
|
||||
msgstr "Sayfanın URL'i"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:822
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "Sayfanın URL'ini ekleyin. Örnekler: http://www.foo.com/index.html veya www.foo.com/home "
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:824
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:861
|
||||
msgid "Priority"
|
||||
msgstr "Öncelik"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:825
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "Sayfanın, diğer sayfalara göre alacağı önceliği belirleyin. Örneğin, anasayfanızın daha yüksek bir öncelik alması gerekebilir."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:827
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:863
|
||||
msgid "Last Changed"
|
||||
msgstr "Son Düzenlenen"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:828
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "Son değişikliğin tarihini YYYY-AA-GG olarak yazın (örneğin 2005-12-31) (isteğe bağlı)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:862
|
||||
msgid "Change Frequency"
|
||||
msgstr "Sıklık Değiştir"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:864
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:869
|
||||
msgid "No pages defined."
|
||||
msgstr "Hiç sayfa tanımlanmamış."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:874
|
||||
msgid "Add new page"
|
||||
msgstr "Yeni sayfa ekle"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:879
|
||||
msgid "Post Priority"
|
||||
msgstr "Yazı önceliği"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:881
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "Lütfen yazıların önceliklerinin nasıl hesaplanmasını istediğinizi seçin:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:883
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "Otomatik öncelik hesaplamasını kullanma"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:883
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr ""Öncelikler"de tanımlanmış tüm yazılar aynı önceliğe sahip olur."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:894
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "Site haritanızın konumu"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:897
|
||||
msgid "Automatic detection"
|
||||
msgstr "Otomatik tespit"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:901
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "Site haritası dosyasının ismi"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:904
|
||||
msgid "Detected Path"
|
||||
msgstr "Bulunan Yol"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:904
|
||||
msgid "Detected URL"
|
||||
msgstr "Bulunan URL"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:909
|
||||
msgid "Custom location"
|
||||
msgstr "Özel konum"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:913
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "Site haritasının tam veya bağıl yolu (ismi dahil)."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:915
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:924
|
||||
msgid "Example"
|
||||
msgstr "Örnek"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:922
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "Site haritasının tam URL'i (ismi dahil)."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:935
|
||||
msgid "Sitemap Content"
|
||||
msgstr "Site Haritas İçeriği"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:941
|
||||
msgid "Include homepage"
|
||||
msgstr "Anasayfayı dahil et"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:947
|
||||
msgid "Include posts"
|
||||
msgstr "Blog yazılarını dahil et"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:1013
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:953
|
||||
msgid "Include following pages of multi-page posts (Increases build time and memory usage!)"
|
||||
msgstr "Çoklu sayfalardan aşağıdakileri dahil et (Bellek kullanımını ve site haritası kurulum süresini uzatır!)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:959
|
||||
msgid "Include static pages"
|
||||
msgstr "Sabit sayfaları dahil et"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:965
|
||||
msgid "Include categories"
|
||||
msgstr "Kategorileri dahil et"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:971
|
||||
msgid "Include archives"
|
||||
msgstr "Arşivleri dahil et"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:978
|
||||
msgid "Include tag pages"
|
||||
msgstr "Etiket sayfalarını dahil et"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:985
|
||||
msgid "Include author pages"
|
||||
msgstr "Yazar sayfalarını dahil et"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:993
|
||||
msgid "Excluded items"
|
||||
msgstr "Hariç tutulacaklar"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:995
|
||||
msgid "Excluded categories"
|
||||
msgstr "Hariç tutulan kategoriler"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:997
|
||||
msgid "Using this feature will increase build time and memory usage!"
|
||||
msgstr "Bu özelliği kullanmak bellek kullanımını artırır ve harita oluşturma süresini uzatır!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1004
|
||||
#, php-format
|
||||
msgid "This feature requires at least WordPress 2.5.1, you are using %s"
|
||||
msgstr "Bu özellik WordPress 2.5.1 sürümünü gerektirir, sizinki %s"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1007
|
||||
msgid "Exclude posts"
|
||||
msgstr "Blog yazılarını hariç tut"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1009
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "Şu yazı veya sayfaları hariç tut:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1009
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "ID listesi, virgülle ayırın:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1011
|
||||
msgid "Child posts won't be excluded automatically!"
|
||||
msgstr "Bu yazının altındaki iç yazılar otomatik olarak dahil edilmeyecektir!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1017
|
||||
msgid "Change frequencies"
|
||||
msgstr "Sıklıkları değiştir"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1021
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "Lütfen bu etiketin bir ipucu olduğuna, bir komut olmadığına dikkat edin. Her ne kadar arama motoru robotları bu bilgiyi karar verirken göz önünde bulunduruyor olsa da; "her saat" olarak işaretlenen sayfaları da daha az sıklıkla tarayabilir, "her yıl" olarak işaretlenen sayfaları da daha sık tarayabilir. Hatta robotlar bazen "hiçbir zaman" olarak işaretlenmiş sayfaları da, beklenmedik değişiklikleri ele alabilmek için tarayabilirler."
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1027
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1084
|
||||
msgid "Homepage"
|
||||
msgstr "Anasayfa"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1033
|
||||
msgid "Posts"
|
||||
msgstr "Blog yazıları"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1039
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1102
|
||||
msgid "Static pages"
|
||||
msgstr "Sabit sayfalar"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1045
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1108
|
||||
msgid "Categories"
|
||||
msgstr "Kategoriler"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1051
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "Bu ayın arşivi (anasayfanızla aynı olacaktır)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1057
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "Daha eski arşivler (Yalnızca eski bir blog yazısını düzenlerseniz güncellenir)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1064
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1121
|
||||
msgid "Tag pages"
|
||||
msgstr "Etiket sayfaları"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1071
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1128
|
||||
msgid "Author pages"
|
||||
msgstr "Yazar sayfaları"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1079
|
||||
msgid "Priorities"
|
||||
msgstr "Öncelikler"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1090
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "Blog yazıları (yalnızca otomatik hesaplama devre dışıysa)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1096
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "En düşük blog yazısı önceliği (otomatik hesaplama devre dışı olsa bile)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1114
|
||||
msgid "Archives"
|
||||
msgstr "Arşivler"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1139
|
||||
msgid "Update options"
|
||||
msgstr "Seçenekleri güncelle"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1140
|
||||
msgid "Reset options"
|
||||
msgstr "Seçenekleri sıfırla"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:84
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "XML Site Haritası Oluşturucusu"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:84
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML-Sitemap"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:142
|
||||
msgid "Sitemap FAQ"
|
||||
msgstr "Bu Eklentinin SSS'si"
|
||||
|
||||
@@ -0,0 +1,980 @@
|
||||
# [Countryname] Language File for sitemap (sitemap-[localname].po)
|
||||
# Copyright (C) 2005 [name] : [URL]
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# [name] <[mail-address]>, 2005.
|
||||
# $Id: sitemap.pot 123431 2009-06-07 00:17:10Z arnee $
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2009-06-07 01:15+0100\n"
|
||||
"PO-Revision-Date: 2009-06-08 12:10+0800\n"
|
||||
"Last-Translator: \n"
|
||||
"Language-Team: hugo5688 <hugo5688@gmail.com>\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Poedit-KeywordsList: _e;__\n"
|
||||
"X-Poedit-Basepath: .\n"
|
||||
"X-Poedit-SearchPath-0: H:\\Webdev\\htdocs\\wp_plugins\\sitemap_beta\n"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:846
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:642
|
||||
msgid "Comment Count"
|
||||
msgstr "迴響數目"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:858
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:654
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr "使用迴響的數量來計算優先權"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:714
|
||||
msgid "Comment Average"
|
||||
msgstr "迴響平均值"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:726
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr "使用迴響數量平均值來計算優先權"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:993
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:789
|
||||
msgid "Popularity Contest"
|
||||
msgstr "熱門競賽"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:1005
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:801
|
||||
msgid "Uses the activated <a href=\"%1\">Popularity Contest Plugin</a> from <a href=\"%2\">Alex King</a>. See <a href=\"%3\">Settings</a> and <a href=\"%4\">Most Popular Posts</a>"
|
||||
msgstr "使用 <a href=\"%2\">Alex King</a> 提供的 <a href=\"%1\">Popularity Contest 外掛</a>(需啟用)。詳見 <a href=\"%3\">選項</a> 以及<a href=\"%4\">Most Popular Posts</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1118
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1187
|
||||
msgid "Always"
|
||||
msgstr "隨時"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1119
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1188
|
||||
msgid "Hourly"
|
||||
msgstr "每小時"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1120
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1189
|
||||
msgid "Daily"
|
||||
msgstr "每日"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1121
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1190
|
||||
msgid "Weekly"
|
||||
msgstr "每週"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1122
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1191
|
||||
msgid "Monthly"
|
||||
msgstr "每月"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1123
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1192
|
||||
msgid "Yearly"
|
||||
msgstr "每年"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-core.php:1193
|
||||
msgid "Never"
|
||||
msgstr "從不"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:102
|
||||
msgid "Thank you very much for your donation. You help me to continue support and development of this plugin and other free software!"
|
||||
msgstr "非常感謝您的贊助。由於您的幫助,讓我能夠繼續支援開發這個外掛以及其他免費軟體!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:102
|
||||
msgid "Hide this notice"
|
||||
msgstr "隱藏這個通知"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:108
|
||||
#, php-format
|
||||
msgid "Thanks for using this plugin! You've installed this plugin over a month ago. If it works and your are satisfied with the results, isn't it worth at least one dollar? <a href=\"%s\">Donations</a> help me to continue support and development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</a>"
|
||||
msgstr "感謝您使用此外掛!您已在一個月前安裝此外掛。如果它正常工作並讓您對於此結果感到安心,是不是至少價值一美元呢? 請<a href=\"%s\">贊助</a>我來讓我有繼續開發及支援此<i>免費</i> 外掛軟體的動力。<a href=\"%s\">好的,沒問題!</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:108
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr "不了,請不要再煩我!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:67
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:119
|
||||
msgid "Your sitemap is being refreshed at the moment. Depending on your blog size this might take some time!"
|
||||
msgstr "您的網站地圖在此刻已開始更新。這完全取決於您的blog大小,或許會花上一點時間!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:69
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:121
|
||||
#, php-format
|
||||
msgid "Your sitemap will be refreshed in %s seconds. Depending on your blog size this might take some time!"
|
||||
msgstr "您的網站地圖將會在%s秒鐘後更新。這完全取決於您的blog大小,或許會花上一點時間!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2635
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2835
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:146
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:453
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr "WordPress 專用 XML 網站地圖產生器"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2740
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:298
|
||||
msgid "Configuration updated"
|
||||
msgstr "設定已更新"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2741
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:299
|
||||
msgid "Error while saving options"
|
||||
msgstr "儲存選項時產生錯誤"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2743
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:301
|
||||
msgid "Pages saved"
|
||||
msgstr "頁面已儲存"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2744
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:302
|
||||
msgid "Error while saving pages"
|
||||
msgstr "儲存頁面時產生錯誤"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:309
|
||||
msgid "The default configuration was restored."
|
||||
msgstr "設定已重置為預設值。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:374
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:466
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a>."
|
||||
msgstr "有較新的版本 %1$s 可供下載。<a href=\"%2$s\">下載版本 %3$s</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:376
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:468
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> <em>automatic upgrade unavailable for this plugin</em>."
|
||||
msgstr "有較新的版本 %1$s 可供下載。<a href=\"%2$s\">下載版本 %3$s</a> <em>自動更新不可適用於此外掛程式</em>。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:378
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:470
|
||||
#, php-format
|
||||
msgid "There is a new version of %1$s available. <a href=\"%2$s\">Download version %3$s here</a> or <a href=\"%4$s\">upgrade automatically</a>."
|
||||
msgstr "有較新的版本 %1$s 可供下載。<a href=\"%2$s\">下載版本 %3$s</a>或者<a href=\"%4$s\">自動更新</a>。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2851
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2868
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:493
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:510
|
||||
msgid "open"
|
||||
msgstr "打開"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2852
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2869
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:494
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:511
|
||||
msgid "close"
|
||||
msgstr "關閉"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2853
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2870
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:495
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:512
|
||||
msgid "click-down and drag to move this box"
|
||||
msgstr "按下並拖曳這個矩形"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2854
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2871
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:496
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:513
|
||||
msgid "click to %toggle% this box"
|
||||
msgstr "按了「%toggle%」這個矩形"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2855
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2872
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:497
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:514
|
||||
msgid "use the arrow keys to move this box"
|
||||
msgstr "使用方向鍵移動這個矩形"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2856
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2873
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:498
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:515
|
||||
msgid ", or press the enter key to %toggle% it"
|
||||
msgstr ",或者按下 Enter 鍵來「%toggle%」它"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:533
|
||||
msgid "About this Plugin:"
|
||||
msgstr "關於這個外掛:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2886
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:534
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:141
|
||||
msgid "Plugin Homepage"
|
||||
msgstr "外掛首頁"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:421
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:535
|
||||
msgid "Suggest a Feature"
|
||||
msgstr "功能推薦"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:536
|
||||
msgid "Notify List"
|
||||
msgstr "郵件通知"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:537
|
||||
msgid "Support Forum"
|
||||
msgstr "支援論壇"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:424
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:538
|
||||
msgid "Report a Bug"
|
||||
msgstr "臭蟲回報"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:540
|
||||
msgid "Donate with PayPal"
|
||||
msgstr "PayPal 贊助"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:541
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr "我的 Amazon 願望清單"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:542
|
||||
msgid "translator_name"
|
||||
msgstr "Hugo5688"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:542
|
||||
msgid "translator_url"
|
||||
msgstr "http://take-ez.com"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2895
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:545
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr "網站地圖資源:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:546
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:552
|
||||
msgid "Webmaster Tools"
|
||||
msgstr "網站管理員工具"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:547
|
||||
msgid "Webmaster Blog"
|
||||
msgstr "網站管理員網誌"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2900
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:549
|
||||
msgid "Site Explorer"
|
||||
msgstr "Site Explorer"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:550
|
||||
msgid "Search Blog"
|
||||
msgstr "Search Blog"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3010
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:553
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr "網站管理員網誌"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2903
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:555
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr "網站地圖通訊協定"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:556
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr "官方版網站地圖答客問"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:557
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr "網站地圖答客問"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:560
|
||||
msgid "Recent Donations:"
|
||||
msgstr "近期贊助清單:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:564
|
||||
msgid "List of the donors"
|
||||
msgstr "贊助者清單"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:566
|
||||
msgid "Hide this list"
|
||||
msgstr "隱藏本清單"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:569
|
||||
msgid "Thanks for your support!"
|
||||
msgstr "感謝您的贊助!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2931
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:587
|
||||
msgid "Status"
|
||||
msgstr "狀態"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2941
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:595
|
||||
#, php-format
|
||||
msgid "The sitemap wasn't built yet. <a href=\"%s\">Click here</a> to build it the first time."
|
||||
msgstr "您的網站地圖還沒產生過。<a href=\"%s\">點這裡</a>來產生它吧。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2947
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:601
|
||||
msgid "Your <a href=\"%url%\">sitemap</a> was last built on <b>%date%</b>."
|
||||
msgstr "您的<a href=\"%url%\">網站地圖</a>上次發佈時間為:<b>%date%</b>。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2949
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:603
|
||||
msgid "There was a problem writing your sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "寫入網站地圖檔案時發生錯誤。請確定該檔案存在並可被寫入。<a href=\"%url%\">更多資訊</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2956
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:610
|
||||
msgid "Your sitemap (<a href=\"%url%\">zipped</a>) was last built on <b>%date%</b>."
|
||||
msgstr "網站地圖(<a href=\"%url%\">壓縮檔</a>)上回產生於:<b>%date%</b>。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2958
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:612
|
||||
msgid "There was a problem writing your zipped sitemap file. Make sure the file exists and is writable. <a href=\"%url%\">Learn more</a"
|
||||
msgstr "寫入網站地圖壓縮檔案時發生錯誤。請確定該檔案存在並可被寫入。<a href=\"%url%\">更多資訊</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2964
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:618
|
||||
msgid "Google was <b>successfully notified</b> about changes."
|
||||
msgstr "已經<b>成功地通知</b> Google 您網站的更新。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2967
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:621
|
||||
msgid "It took %time% seconds to notify Google, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "花了 %time% 秒來通知 Google,或許您想要關閉此功能來增加效能。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3011
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:624
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Google. <a href=\"%s\">View result</a>"
|
||||
msgstr "通知 Google 時發生了問題。<a href=\"%s\">檢視結果</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2976
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:630
|
||||
msgid "YAHOO was <b>successfully notified</b> about changes."
|
||||
msgstr "已經<b>成功地通知</b> YAHOO 您網站的更新。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2979
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:633
|
||||
msgid "It took %time% seconds to notify YAHOO, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "花了 %time% 秒來通知 YAHOO,或許您想要關閉此功能來增加效能。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3023
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:636
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying YAHOO. <a href=\"%s\">View result</a>"
|
||||
msgstr "通知 YAHOO 時發生了問題。<a href=\"%s\">檢視結果</a>"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:642
|
||||
msgid "Bing was <b>successfully notified</b> about changes."
|
||||
msgstr "已經<b>成功地通知</b> Bing 您網站的更新。"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:645
|
||||
msgid "It took %time% seconds to notify Bing, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "花了 %time% 秒來通知 Bing,或許您想要關閉此功能來增加效能。"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:648
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Bing. <a href=\"%s\">View result</a>"
|
||||
msgstr "通知 Bing 時發生了問題。<a href=\"%s\">檢視結果</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2988
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:654
|
||||
msgid "Ask.com was <b>successfully notified</b> about changes."
|
||||
msgstr "已經<b>成功地通知</b> Ask.com 您網站的更新。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2991
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:657
|
||||
msgid "It took %time% seconds to notify Ask.com, maybe you want to disable this feature to reduce the building time."
|
||||
msgstr "花了 %time% 秒來通知 Ask.com,或許您想要關閉此功能來增加效能。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3035
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:660
|
||||
#, php-format
|
||||
msgid "There was a problem while notifying Ask.com. <a href=\"%s\">View result</a>"
|
||||
msgstr "通知 Ask.com 時發生了問題。<a href=\"%s\">檢視結果</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3002
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:668
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete and used %memory% MB of memory."
|
||||
msgstr "整個建置過程大約花費 <b>%time% 秒</b> 來完成,並且使用了 %memory% MB 的記憶體。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3004
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:670
|
||||
msgid "The building process took about <b>%time% seconds</b> to complete."
|
||||
msgstr "整個建置過程大約花費 <b>%time% 秒</b> 來完成。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3008
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:674
|
||||
msgid "The content of your sitemap <strong>didn't change</strong> since the last time so the files were not written and no search engine was pinged."
|
||||
msgstr "您的網站地圖內容與上次比較<strong>並沒有變更</strong>,所以沒有產生新檔案,而且搜尋引擎也沒有被通知。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:586
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:682
|
||||
msgid "The building process might still be active! Reload the page in a few seconds and check if something has changed."
|
||||
msgstr "建立網站地圖的程序或許依然啟動著。頁面將在幾秒鐘後重新載入,並且確認是否改變。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3012
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:685
|
||||
msgid "The last run didn't finish! Maybe you can raise the memory or time limit for PHP scripts. <a href=\"%url%\">Learn more</a>"
|
||||
msgstr "上次的執行並未結束!也許您需要替 PHP 增加記憶體或者時間限制。<a href=\"%url%\">更多資訊</a>"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3014
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:687
|
||||
msgid "The last known memory usage of the script was %memused%MB, the limit of your server is %memlimit%."
|
||||
msgstr "最後一次執行本程式使用 %memused% MB 記憶體,您伺服器的限制為 %memlimit%。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3018
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:691
|
||||
msgid "The last known execution time of the script was %timeused% seconds, the limit of your server is %timelimit% seconds."
|
||||
msgstr "最後一次執行本程式的時間花 %timeused% 秒,您伺服器的限制為 %timelimit% 秒。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3022
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:695
|
||||
msgid "The script stopped around post number %lastpost% (+/- 100)"
|
||||
msgstr "這支程式大約停在第 %lastpost% (+/- 100)篇文章"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3025
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:698
|
||||
#, php-format
|
||||
msgid "If you changed something on your server or blog, you should <a href=\"%s\">rebuild the sitemap</a> manually."
|
||||
msgstr "若是您對伺服器或者網誌做了某些更動,您應該手動<a href=\"%s\">重新產生網站地圖</a>。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3027
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:700
|
||||
#, php-format
|
||||
msgid "If you encounter any problems with the build process you can use the <a href=\"%d\">debug function</a> to get more information."
|
||||
msgstr "如果您在建立的過程遇到了問題,您可以使用<a href=\"%d\">除錯功能</a>來得知更多的訊息。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3040
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:707
|
||||
msgid "Basic Options"
|
||||
msgstr "基本選項"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:709
|
||||
msgid "Sitemap files:"
|
||||
msgstr "網站地圖檔案:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:709
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:724
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:744
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:777
|
||||
msgid "Learn more"
|
||||
msgstr "更多資訊"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3049
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:714
|
||||
msgid "Write a normal XML file (your filename)"
|
||||
msgstr "寫入 XML 檔案(檔案名稱)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3055
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:720
|
||||
msgid "Write a gzipped file (your filename + .gz)"
|
||||
msgstr "寫入壓縮檔(檔案名稱 + .gz)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:724
|
||||
msgid "Building mode:"
|
||||
msgstr "產生模式:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3064
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:729
|
||||
msgid "Rebuild sitemap if you change the content of your blog"
|
||||
msgstr "當修改網誌內容時重新建立網站地圖。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3071
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:736
|
||||
msgid "Enable manual sitemap building via GET Request"
|
||||
msgstr "啟用透過發送 GET 要求手動建立網站地圖。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3075
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:740
|
||||
msgid "This will allow you to refresh your sitemap if an external tool wrote into the WordPress database without using the WordPress API. Use the following URL to start the process: <a href=\"%1\">%1</a> Please check the logfile above to see if sitemap was successfully built."
|
||||
msgstr "本選項允許您刷新您的網站地圖。當您使用外部工具直接將文章寫入 WordPress 資料庫,而非透過 WordPress API 時,使用以下網址啟動這個作業: <a href=\"%1\">%1</a> 若是要知道是否成功請檢查紀錄檔案。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:744
|
||||
msgid "Update notification:"
|
||||
msgstr "更新通知:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:748
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr "通知 Google 關於您網站的更新"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:749
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Google Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "不需要註冊,但您可加入 <a href=\"%s\">Google 網站管理員工具</a>來檢查搜索統計。"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:753
|
||||
msgid "Notify Bing (formerly MSN Live Search) about updates of your Blog"
|
||||
msgstr ""
|
||||
"通知 Bing (前身為 MSN Live Search\r\n"
|
||||
") 關於您網站的更新"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:754
|
||||
#, php-format
|
||||
msgid "No registration required, but you can join the <a href=\"%s\">Bing Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr "不需要註冊,但您可加入 <a href=\"%s\">Bing 網站管理員工具</a>來檢查搜索統計。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3088
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:758
|
||||
msgid "Notify Ask.com about updates of your Blog"
|
||||
msgstr "通知 Ask.com 關於您網站的更新"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3089
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:759
|
||||
msgid "No registration required."
|
||||
msgstr "不需要註冊。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3093
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:763
|
||||
msgid "Notify YAHOO about updates of your Blog"
|
||||
msgstr "通知 YAHOO 關於您網站的更新"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:764
|
||||
msgid "Your Application ID:"
|
||||
msgstr "您的應用程式 ID:"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:765
|
||||
#, php-format
|
||||
msgid "Don't you have such a key? <a href=\"%s1\">Request one here</a>! %s2"
|
||||
msgstr "您沒有像一個這樣的金鑰嗎? <a href=\"%s1\">請擊點此處申請</a>!</a> %s2"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:770
|
||||
msgid "Add sitemap URL to the virtual robots.txt file."
|
||||
msgstr "在虛擬 robots.txt 檔案中加入網站地圖位址"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:774
|
||||
msgid "The virtual robots.txt generated by WordPress is used. A real robots.txt file must NOT exist in the blog directory!"
|
||||
msgstr "此虛擬的 robots.txt 將會由 WordPress 來使用。真實的 robots.txt 不得存在於部落格的目錄中!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:777
|
||||
msgid "Advanced options:"
|
||||
msgstr "進階選項:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:780
|
||||
msgid "Limit the number of posts in the sitemap:"
|
||||
msgstr "網站地圖裡文章數的最小值:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3124
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:780
|
||||
msgid "Newer posts will be included first"
|
||||
msgstr "較新的文章將會優先包含"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:783
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr "試著將記憶體限制增加至:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:783
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr "例如:「4M」、「16M」"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:786
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr "試著將執行時間限制增加至:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:786
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr "以秒為單位,例如:「60」或者「0」則不限制"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:790
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr "包含 XSLT 樣式:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:791
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr "您 .xsl 檔案的絕對或者相對路徑"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:791
|
||||
msgid "Use default"
|
||||
msgstr "使用預設"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:797
|
||||
msgid "Enable MySQL standard mode. Use this only if you're getting MySQL errors. (Needs much more memory!)"
|
||||
msgstr "啟用 MySQL 標準模式。當您發現有 MySQL 錯誤時,可以使用此選項。 (需要較多的記憶體!)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:798
|
||||
msgid "Upgrade WordPress at least to 2.2 to enable the faster MySQL access"
|
||||
msgstr "如要開啟較快的 MySQL 存取,請至少將 WordPress 升級成 2.2 版以上"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3166
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:805
|
||||
msgid "Build the sitemap in a background process (You don't have to wait when you save a post)"
|
||||
msgstr "自動在背景程序中建立網站地圖 (當儲存文章時,您就不需再次產生網站地圖)"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:806
|
||||
msgid "Upgrade WordPress at least to 2.1 to enable background building"
|
||||
msgstr "如要啟用背景建立網站地圖,請至少將 WordPress 升級成 2.1 版以上"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3144
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:813
|
||||
msgid "Additional pages"
|
||||
msgstr "其他的頁面"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3149
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:816
|
||||
msgid "Here you can specify files or URLs which should be included in the sitemap, but do not belong to your Blog/WordPress.<br />For example, if your domain is www.foo.com and your blog is located on www.foo.com/blog you might want to include your homepage at www.foo.com"
|
||||
msgstr "您可以在此指定那些應被納入網站地圖的檔案或者網址,但是不屬於您的部落格(Blog/WordPress)。<br />舉例來說,若是您的部落格是 www.foo.com/blog,而您想要將您 www.foo.com 下的網頁納入此網站地圖。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3151
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3462
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:818
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:997
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1011
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1020
|
||||
msgid "Note"
|
||||
msgstr "注意"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:819
|
||||
msgid "If your blog is in a subdirectory and you want to add pages which are NOT in the blog directory or beneath, you MUST place your sitemap file in the root directory (Look at the "Location of your sitemap file" section on this page)!"
|
||||
msgstr "若是您的部落格是在子目錄下而您想要增加的頁面並<strong>不在</strong>部落格的目錄下面,您<strong>必須</strong>將您的網站地圖置於網站的根目錄下。(請見本頁「網站地圖的位置」小節)!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3300
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:821
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:860
|
||||
msgid "URL to the page"
|
||||
msgstr "頁面網址"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:822
|
||||
msgid "Enter the URL to the page. Examples: http://www.foo.com/index.html or www.foo.com/home "
|
||||
msgstr "輸入頁面的網址。例如:http://www.foo.com/index.html 或者 www.foo.com/home "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3157
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3301
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:824
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:861
|
||||
msgid "Priority"
|
||||
msgstr "優先權 "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3158
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:825
|
||||
msgid "Choose the priority of the page relative to the other pages. For example, your homepage might have a higher priority than your imprint."
|
||||
msgstr "選擇該頁面的優先權(相較於其他頁面而言)。例如:您的首頁或許會比版權說明頁的優先權來得高。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3160
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3303
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:827
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:863
|
||||
msgid "Last Changed"
|
||||
msgstr "最近更動"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3161
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:828
|
||||
msgid "Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) (optional)."
|
||||
msgstr "輸入最近更動的日期,格式為 YYYY-MM-DD(例如:2005-12-31)(非必要)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3302
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:862
|
||||
msgid "Change Frequency"
|
||||
msgstr "設定更新頻率"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3304
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:864
|
||||
msgid "#"
|
||||
msgstr "#"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3309
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:869
|
||||
msgid "No pages defined."
|
||||
msgstr "還沒有頁面已被設定"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3314
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:874
|
||||
msgid "Add new page"
|
||||
msgstr "新增頁面"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3325
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:879
|
||||
msgid "Post Priority"
|
||||
msgstr "文章優先權 "
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:881
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr "請選擇每篇文章應該用多少優先權來計算:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:883
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr "不使用自動優先權計算"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:883
|
||||
msgid "All posts will have the same priority which is defined in "Priorities""
|
||||
msgstr "所有的文章使用相同定義在"優先權"內的優先權。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3348
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:894
|
||||
msgid "Location of your sitemap file"
|
||||
msgstr "網站地圖的位置"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3353
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:897
|
||||
msgid "Automatic detection"
|
||||
msgstr "自動位置"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3357
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:901
|
||||
msgid "Filename of the sitemap file"
|
||||
msgstr "網站地圖的檔名"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3360
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:904
|
||||
msgid "Detected Path"
|
||||
msgstr "偵測到的路徑"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3360
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:904
|
||||
msgid "Detected URL"
|
||||
msgstr "偵測到的網址"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3365
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:909
|
||||
msgid "Custom location"
|
||||
msgstr "自定位置"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3369
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:913
|
||||
msgid "Absolute or relative path to the sitemap file, including name."
|
||||
msgstr "網站地圖的絕對或相對路徑,包括檔名。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3371
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3380
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:915
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:924
|
||||
msgid "Example"
|
||||
msgstr "範例"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3378
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:922
|
||||
msgid "Complete URL to the sitemap file, including name."
|
||||
msgstr "網站地圖的完整網址,包括檔名。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3397
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:935
|
||||
msgid "Sitemap Content"
|
||||
msgstr "網站地圖內容"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3405
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:941
|
||||
msgid "Include homepage"
|
||||
msgstr "包含首頁"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3411
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:947
|
||||
msgid "Include posts"
|
||||
msgstr "包含文章"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:953
|
||||
msgid "Include following pages of multi-page posts (Increases build time and memory usage!)"
|
||||
msgstr "包含下列頁面的分頁文章 (會增加建立時間及記憶體使用量!)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3417
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:959
|
||||
msgid "Include static pages"
|
||||
msgstr "包含網誌分頁"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3423
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:965
|
||||
msgid "Include categories"
|
||||
msgstr "包含分類"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3429
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:971
|
||||
msgid "Include archives"
|
||||
msgstr "包含匯整"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3436
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:978
|
||||
msgid "Include tag pages"
|
||||
msgstr "包含標籤頁面"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3443
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:985
|
||||
msgid "Include author pages"
|
||||
msgstr "包含作者頁面"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:993
|
||||
msgid "Excluded items"
|
||||
msgstr "排除的項目"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:995
|
||||
msgid "Excluded categories"
|
||||
msgstr "排除的類型"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:997
|
||||
msgid "Using this feature will increase build time and memory usage!"
|
||||
msgstr "使用此功能將會增加建立的時間及記憶體使用量!"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1004
|
||||
#, php-format
|
||||
msgid "This feature requires at least WordPress 2.5.1, you are using %s"
|
||||
msgstr "此功能至少需要 WordPress 2.5.1 版本,您目前使用的版本是 %s"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1007
|
||||
msgid "Exclude posts"
|
||||
msgstr "包含文章"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1009
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr "包含下列的文章或頁面:"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1009
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr "列出 IDs,以逗號區隔。"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1011
|
||||
msgid "Child posts won't be excluded automatically!"
|
||||
msgstr "子文章不會自動包含!"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3457
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1017
|
||||
msgid "Change frequencies"
|
||||
msgstr "更新頻率設定"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3463
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1021
|
||||
msgid "Please note that the value of this tag is considered a hint and not a command. Even though search engine crawlers consider this information when making decisions, they may crawl pages marked \"hourly\" less frequently than that, and they may crawl pages marked \"yearly\" more frequently than that. It is also likely that crawlers will periodically crawl pages marked \"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr "請注意下列各設定值僅被視為提示而非命令。雖然搜尋引擎漫遊器會考慮這資訊做出決定,他們也許會較少漫遊被標記為「Hourly」的頁面,或者更加頻繁地漫遊被標記為「Yearly」的頁面。搜尋引擎漫遊機制會週期性地漫遊被標記為「Never」的頁面,以便他們能處理對那些頁面的變動。"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3469
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3535
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1027
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1084
|
||||
msgid "Homepage"
|
||||
msgstr "首頁"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3475
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1033
|
||||
msgid "Posts"
|
||||
msgstr "文章"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3481
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3553
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1039
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1102
|
||||
msgid "Static pages"
|
||||
msgstr "網誌分頁"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3487
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3559
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1045
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1108
|
||||
msgid "Categories"
|
||||
msgstr "分類"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3493
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1051
|
||||
msgid "The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr "現有的每月彙整(應該與您的首頁相同)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3499
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1057
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr "較舊的彙整(只有在您修改舊文章的時候才會改變)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3506
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3572
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1064
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1121
|
||||
msgid "Tag pages"
|
||||
msgstr "標籤頁面"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3513
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3579
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1071
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1128
|
||||
msgid "Author pages"
|
||||
msgstr "作者頁面"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3527
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1079
|
||||
msgid "Priorities"
|
||||
msgstr "優先權"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3541
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1090
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr "文章(如果自動計算沒有打開)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3547
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1096
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr "優先權最小值(即使自動計算有打開)"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3565
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1114
|
||||
msgid "Archives"
|
||||
msgstr "彙整"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3590
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1139
|
||||
msgid "Update options"
|
||||
msgstr "更新選項"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3591
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap-ui.php:1140
|
||||
msgid "Reset options"
|
||||
msgstr "重置選項"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:84
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr "XML 網站地圖產生器"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:84
|
||||
msgid "XML-Sitemap"
|
||||
msgstr "XML 網站地圖"
|
||||
|
||||
#: H:\Webdev\htdocs\wp_plugins\sitemap_beta/sitemap.php:142
|
||||
msgid "Sitemap FAQ"
|
||||
msgstr "網站地圖答客問"
|
||||
|
||||
@@ -0,0 +1,919 @@
|
||||
# [Countryname] Language File for sitemap (sitemap-[localname].po)
|
||||
# Copyright (C) 2005 [name] : [URL]
|
||||
# This file is distributed under the same license as the WordPress package.
|
||||
# [name] <[mail-address]>, 2005.
|
||||
# $Id: sitemap.pot 918833 2014-05-21 17:56:43Z arnee $
|
||||
#
|
||||
msgid ""
|
||||
msgstr ""
|
||||
"Project-Id-Version: sitemap\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2014-05-21 19:54+0100\n"
|
||||
"PO-Revision-Date: 2014-05-21 19:54+0100\n"
|
||||
"Last-Translator: Arne Brachhold <himself-arnebrachhold-de>\n"
|
||||
"Language-Team: \n"
|
||||
"Language: en_US\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Poedit-KeywordsList: _e;__\n"
|
||||
"X-Poedit-Basepath: .\n"
|
||||
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
|
||||
"X-Generator: Poedit 1.6.4\n"
|
||||
"X-Poedit-SourceCharset: UTF-8\n"
|
||||
"X-Poedit-SearchPath-0: C:\\Inetpub\\wwwroot\\wp_svn\\wp-content\\plugins"
|
||||
"\\sitemap_beta\n"
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:846
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:547
|
||||
msgid "Comment Count"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:858
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:557
|
||||
msgid "Uses the number of comments of the post to calculate the priority"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:918
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:608
|
||||
msgid "Comment Average"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:930
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:618
|
||||
msgid "Uses the average comment count to calculate the priority"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1118
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:778
|
||||
msgid "Always"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1119
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:779
|
||||
msgid "Hourly"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1120
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:780
|
||||
msgid "Daily"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1121
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:781
|
||||
msgid "Weekly"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1122
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:782
|
||||
msgid "Monthly"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1123
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:783
|
||||
msgid "Yearly"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-core.php:1124
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-core.php:784
|
||||
msgid "Never"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-loader.php:233
|
||||
msgid "XML-Sitemap Generator"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2415
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-loader.php:233
|
||||
msgid "XML-Sitemap"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-loader.php:260
|
||||
msgid "Settings"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-loader.php:261
|
||||
msgid "FAQ"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-loader.php:262
|
||||
msgid "Support"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-loader.php:263
|
||||
msgid "Donate"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2635
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2835
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:181
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:663
|
||||
msgid "XML Sitemap Generator for WordPress"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2740
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:368
|
||||
msgid "Configuration updated"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2741
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:369
|
||||
msgid "Error while saving options"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2743
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:372
|
||||
msgid "Pages saved"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2744
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:373
|
||||
msgid "Error while saving pages"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2758
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:381
|
||||
msgid "The default configuration was restored."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:391
|
||||
msgid ""
|
||||
"The old files could NOT be deleted. Please use an FTP program and delete "
|
||||
"them by yourself."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:393
|
||||
msgid "The old files were successfully deleted."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:430
|
||||
msgid "Notify Search Engines about all sitemaps"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:431
|
||||
msgid ""
|
||||
"The plugin is notifying the selected search engines about your main sitemap "
|
||||
"and all sub-sitemaps. This might take a minute or two."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:453
|
||||
msgid "All done!"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:470
|
||||
msgid "Ping was executed, please see below for the result."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:513
|
||||
msgid ""
|
||||
"Thank you very much for your donation. You help me to continue support and "
|
||||
"development of this plugin and other free software!"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2600
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:513
|
||||
msgid "Hide this notice"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:519
|
||||
#, php-format
|
||||
msgid ""
|
||||
"Thanks for using this plugin! You've installed this plugin over a month ago. "
|
||||
"If it works and you are satisfied with the results, isn't it worth at least "
|
||||
"a few dollar? <a href=\"%s\">Donations</a> help me to continue support and "
|
||||
"development of this <i>free</i> software! <a href=\"%s\">Sure, no problem!</"
|
||||
"a>"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:519
|
||||
msgid "Sure, but I already did!"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2657
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:519
|
||||
msgid "No thanks, please don't bug me anymore!"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:526
|
||||
#, php-format
|
||||
msgid ""
|
||||
"Thanks for using this plugin! You've installed this plugin some time ago. If "
|
||||
"it works and your are satisfied, why not <a href=\"%s\">rate it</a> and <a "
|
||||
"href=\"%s\">recommend it</a> to others? :-)"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:526
|
||||
msgid "Don't show this anymore"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:374
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:679
|
||||
#, php-format
|
||||
msgid ""
|
||||
"There is a new version of %1$s available. <a href=\"%2$s\">Download version "
|
||||
"%3$s here</a>."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:376
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:681
|
||||
#, php-format
|
||||
msgid ""
|
||||
"There is a new version of %1$s available. <a href=\"%2$s\">Download version "
|
||||
"%3$s here</a> <em>automatic upgrade unavailable for this plugin</em>."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:378
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:683
|
||||
#, php-format
|
||||
msgid ""
|
||||
"There is a new version of %1$s available. <a href=\"%2$s\">Download version "
|
||||
"%3$s here</a> or <a href=\"%4$s\">upgrade automatically</a>."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:691
|
||||
#, php-format
|
||||
msgid ""
|
||||
"Your blog is currently blocking search engines! Visit the <a href=\"%s"
|
||||
"\">privacy settings</a> to change this."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2884
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:706
|
||||
msgid "About this Plugin:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2886
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:707
|
||||
msgid "Plugin Homepage"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:421
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:708
|
||||
msgid "Suggest a Feature"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:709
|
||||
msgid "Help / FAQ"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2887
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:710
|
||||
msgid "Notify List"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2888
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:711
|
||||
msgid "Support Forum"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap-ui.php:424
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:712
|
||||
msgid "Report a Bug"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2889
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:714
|
||||
msgid "Donate with PayPal"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2890
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:715
|
||||
msgid "My Amazon Wish List"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:716
|
||||
msgid "translator_name"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2891
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:716
|
||||
msgid "translator_url"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2895
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:719
|
||||
msgid "Sitemap Resources:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2897
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:720
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:725
|
||||
msgid "Webmaster Tools"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2898
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:721
|
||||
msgid "Webmaster Blog"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2901
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:723
|
||||
msgid "Search Blog"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3010
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:726
|
||||
msgid "Webmaster Center Blog"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2903
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:728
|
||||
msgid "Sitemaps Protocol"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2904
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:729
|
||||
msgid "Official Sitemaps FAQ"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2905
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:730
|
||||
msgid "My Sitemaps FAQ"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2910
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:733
|
||||
msgid "Recent Donations:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2914
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:736
|
||||
msgid "List of the donors"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2916
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:738
|
||||
msgid "Hide this list"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:2919
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:741
|
||||
msgid "Thanks for your support!"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:761
|
||||
msgid "Search engines haven't been notified yet"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:765
|
||||
msgid "Result of the last ping, started on %date%."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:772
|
||||
msgid "Recent Support Topics / News"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:776
|
||||
msgid "Disable"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:794
|
||||
msgid "No support topics available or an error occurred while fetching them."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:797
|
||||
msgid ""
|
||||
"Support Topics have been disabled. Enable them to see useful information "
|
||||
"regarding this plugin. No Ads or Spam!"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:797
|
||||
msgid "Enable"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:808
|
||||
#, php-format
|
||||
msgid ""
|
||||
"There is still a sitemap.xml or sitemap.xml.gz file in your blog directory. "
|
||||
"Please delete them as no static files are used anymore or <a href=\"%s\">try "
|
||||
"to delete them automatically</a>."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:811
|
||||
#, php-format
|
||||
msgid "The URL to your sitemap index file is: <a href=\"%s\">%s</a>."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:814
|
||||
msgid ""
|
||||
"Search engines haven't been notified yet. Write a post to let them know "
|
||||
"about your sitemap."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:823
|
||||
#, php-format
|
||||
msgid "%s was <b>successfully notified</b> about changes."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:826
|
||||
msgid ""
|
||||
"It took %time% seconds to notify %name%, maybe you want to disable this "
|
||||
"feature to reduce the building time."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:829
|
||||
msgid ""
|
||||
"There was a problem while notifying %name%. <a href=\"%s\" target=\"_blank"
|
||||
"\">View result</a>"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:841
|
||||
#, php-format
|
||||
msgid ""
|
||||
"If you encounter any problems with your sitemap you can use the <a href=\"%d"
|
||||
"\">debug function</a> to get more information."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:845
|
||||
#, php-format
|
||||
msgid ""
|
||||
"If you like the plugin, please <a target=\"_blank\" href=\"%s\">rate it 5 "
|
||||
"stars</a> or <a href=\"%s\">donate</a> via PayPal! I'm supporting this "
|
||||
"plugin since over 9 years! Thanks a lot! :)"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:853
|
||||
msgid "Webserver Configuration"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:854
|
||||
msgid ""
|
||||
"Since you are using Nginx as your web-server, please configure the following "
|
||||
"rewrite rules in case you get 404 Not Found errors for your sitemap:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3040
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:870
|
||||
msgid "Basic Options"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:872
|
||||
msgid "Update notification:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3044
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3059
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3079
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3104
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:872
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:895
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:917
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:929
|
||||
msgid "Learn more"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3083
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:876
|
||||
msgid "Notify Google about updates of your Blog"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3084
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:877
|
||||
#, php-format
|
||||
msgid ""
|
||||
"No registration required, but you can join the <a href=\"%s\">Google "
|
||||
"Webmaster Tools</a> to check crawling statistics."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:881
|
||||
msgid "Notify Bing (formerly MSN Live Search) about updates of your Blog"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:882
|
||||
#, php-format
|
||||
msgid ""
|
||||
"No registration required, but you can join the <a href=\"%s\">Bing Webmaster "
|
||||
"Tools</a> to check crawling statistics."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:887
|
||||
msgid "Add sitemap URL to the virtual robots.txt file."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:891
|
||||
msgid ""
|
||||
"The virtual robots.txt generated by WordPress is used. A real robots.txt "
|
||||
"file must NOT exist in the blog directory!"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3121
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:895
|
||||
msgid "Advanced options:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:898
|
||||
msgid "Try to increase the memory limit to:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3127
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:898
|
||||
msgid "e.g. \"4M\", \"16M\""
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:901
|
||||
msgid "Try to increase the execution time limit to:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3130
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:901
|
||||
msgid "in seconds, e.g. \"60\" or \"0\" for unlimited"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:906
|
||||
msgid ""
|
||||
"Try to automatically compress the sitemap if the requesting client supports "
|
||||
"it."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:908
|
||||
msgid ""
|
||||
"Disable this option if you get garbled content or encoding errors in your "
|
||||
"sitemap."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:912
|
||||
msgid "Include a XSLT stylesheet:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3133
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:913
|
||||
msgid "Full or relative URL to your .xsl file"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:913
|
||||
msgid "Use default"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:916
|
||||
msgid "Override the base URL of the sitemap:"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:917
|
||||
msgid ""
|
||||
"Use this if your blog is in a sub-directory, but you want the sitemap be "
|
||||
"located in the root. Requires .htaccess modification."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:922
|
||||
msgid "Include sitemap in HTML format"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:922
|
||||
msgid "(The required PHP XSL Module is not installed)"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:928
|
||||
msgid "Allow anonymous statistics (no personal information)"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3144
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:937
|
||||
msgid "Additional pages"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3149
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:940
|
||||
msgid ""
|
||||
"Here you can specify files or URLs which should be included in the sitemap, "
|
||||
"but do not belong to your Blog/WordPress.<br />For example, if your domain "
|
||||
"is www.foo.com and your blog is located on www.foo.com/blog you might want "
|
||||
"to include your homepage at www.foo.com"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3151
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3462
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:942
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1156
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1165
|
||||
msgid "Note"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3152
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:943
|
||||
msgid ""
|
||||
"If your blog is in a subdirectory and you want to add pages which are NOT in "
|
||||
"the blog directory or beneath, you MUST place your sitemap file in the root "
|
||||
"directory (Look at the "Location of your sitemap file" section on "
|
||||
"this page)!"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3154
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3300
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:945
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:984
|
||||
msgid "URL to the page"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3155
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:946
|
||||
msgid ""
|
||||
"Enter the URL to the page. Examples: http://www.foo.com/index.html or www."
|
||||
"foo.com/home "
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3157
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3301
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:948
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:985
|
||||
msgid "Priority"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3158
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:949
|
||||
msgid ""
|
||||
"Choose the priority of the page relative to the other pages. For example, "
|
||||
"your homepage might have a higher priority than your imprint."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3160
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3303
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:951
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:987
|
||||
msgid "Last Changed"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3161
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:952
|
||||
msgid ""
|
||||
"Enter the date of the last change as YYYY-MM-DD (2005-12-31 for example) "
|
||||
"(optional)."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3302
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:986
|
||||
msgid "Change Frequency"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3304
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:988
|
||||
msgid "#"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3309
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:993
|
||||
msgid "No pages defined."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3314
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:998
|
||||
msgid "Add new page"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3325
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1004
|
||||
msgid "Post Priority"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3329
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1006
|
||||
msgid "Please select how the priority of each post should be calculated:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1008
|
||||
msgid "Do not use automatic priority calculation"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3331
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1008
|
||||
msgid ""
|
||||
"All posts will have the same priority which is defined in ""
|
||||
"Priorities""
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3397
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1019
|
||||
msgid "Sitemap Content"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1020
|
||||
msgid "WordPress standard content"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3405
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1025
|
||||
msgid "Include homepage"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3411
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1031
|
||||
msgid "Include posts"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3417
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1037
|
||||
msgid "Include static pages"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3423
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1043
|
||||
msgid "Include categories"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3429
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1049
|
||||
msgid "Include archives"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3443
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1055
|
||||
msgid "Include author pages"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3436
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1062
|
||||
msgid "Include tag pages"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1076
|
||||
msgid "Custom taxonomies"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1087
|
||||
#, php-format
|
||||
msgid "Include taxonomy pages for %s"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1105
|
||||
msgid "Custom post types"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1116
|
||||
#, php-format
|
||||
msgid "Include custom post type %s"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1128
|
||||
msgid "Further options"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1133
|
||||
msgid "Include the last modification time."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1135
|
||||
msgid ""
|
||||
"This is highly recommended and helps the search engines to know when your "
|
||||
"content has changed. This option affects <i>all</i> sitemap entries."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1142
|
||||
msgid "Excluded items"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1144
|
||||
msgid "Excluded categories"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1152
|
||||
msgid "Exclude posts"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1154
|
||||
msgid "Exclude the following posts or pages:"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3206
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1154
|
||||
msgid "List of IDs, separated by comma"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1156
|
||||
msgid "Child posts won't be excluded automatically!"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3457
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1162
|
||||
msgid "Change frequencies"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3463
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1166
|
||||
msgid ""
|
||||
"Please note that the value of this tag is considered a hint and not a "
|
||||
"command. Even though search engine crawlers consider this information when "
|
||||
"making decisions, they may crawl pages marked \"hourly\" less frequently "
|
||||
"than that, and they may crawl pages marked \"yearly\" more frequently than "
|
||||
"that. It is also likely that crawlers will periodically crawl pages marked "
|
||||
"\"never\" so that they can handle unexpected changes to those pages."
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3469
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3535
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1172
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1229
|
||||
msgid "Homepage"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3475
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1178
|
||||
msgid "Posts"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3481
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3553
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1184
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1247
|
||||
msgid "Static pages"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3487
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3559
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1190
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1253
|
||||
msgid "Categories"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3493
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1196
|
||||
msgid ""
|
||||
"The current archive of this month (Should be the same like your homepage)"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3499
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1202
|
||||
msgid "Older archives (Changes only if you edit an old post)"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3506
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3572
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1209
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1266
|
||||
msgid "Tag pages"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3513
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3579
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1216
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1273
|
||||
msgid "Author pages"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3527
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1224
|
||||
msgid "Priorities"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3541
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1235
|
||||
msgid "Posts (If auto calculation is disabled)"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3547
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1241
|
||||
msgid "Minimum post priority (Even if auto calculation is enabled)"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3565
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1259
|
||||
msgid "Archives"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3590
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1284
|
||||
msgid "Update options"
|
||||
msgstr ""
|
||||
|
||||
# C:\Inetpub\wwwroot\wp\wp-content\plugins\sitemap_beta/sitemap.php:3591
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap-ui.php:1285
|
||||
msgid "Reset options"
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap.php:85
|
||||
msgid "Your WordPress version is too old for XML Sitemaps."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap.php:85
|
||||
#, php-format
|
||||
msgid ""
|
||||
"Unfortunately this release of Google XML Sitemaps requires at least "
|
||||
"WordPress %4$s. You are using Wordpress %2$s, which is out-dated and "
|
||||
"insecure. Please upgrade or go to <a href=\"%1$s\">active plugins</a> and "
|
||||
"deactivate the Google XML Sitemaps plugin to hide this message. You can "
|
||||
"download an older version of this plugin from the <a href=\"%3$s\">plugin "
|
||||
"website</a>."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap.php:95
|
||||
msgid "Your PHP version is too old for XML Sitemaps."
|
||||
msgstr ""
|
||||
|
||||
#: C:\Inetpub\wwwroot\wp_svn\wp-content\plugins\sitemap_beta/sitemap.php:95
|
||||
#, php-format
|
||||
msgid ""
|
||||
"Unfortunately this release of Google XML Sitemaps requires at least PHP "
|
||||
"%4$s. You are using PHP %2$s, which is out-dated and insecure. Please ask "
|
||||
"your web host to update your PHP installation or go to <a href=\"%1$s"
|
||||
"\">active plugins</a> and deactivate the Google XML Sitemaps plugin to hide "
|
||||
"this message. You can download an older version of this plugin from the <a "
|
||||
"href=\"%3$s\">plugin website</a>."
|
||||
msgstr ""
|
||||
339
html/wp-content/plugins/google-sitemap-generator/license.txt
Normal file
@@ -0,0 +1,339 @@
|
||||
GNU GENERAL PUBLIC LICENSE
|
||||
Version 2, June 1991
|
||||
|
||||
Copyright (C) 1989, 1991 Free Software Foundation, Inc.,
|
||||
51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
|
||||
Everyone is permitted to copy and distribute verbatim copies
|
||||
of this license document, but changing it is not allowed.
|
||||
|
||||
Preamble
|
||||
|
||||
The licenses for most software are designed to take away your
|
||||
freedom to share and change it. By contrast, the GNU General Public
|
||||
License is intended to guarantee your freedom to share and change free
|
||||
software--to make sure the software is free for all its users. This
|
||||
General Public License applies to most of the Free Software
|
||||
Foundation's software and to any other program whose authors commit to
|
||||
using it. (Some other Free Software Foundation software is covered by
|
||||
the GNU Lesser General Public License instead.) You can apply it to
|
||||
your programs, too.
|
||||
|
||||
When we speak of free software, we are referring to freedom, not
|
||||
price. Our General Public Licenses are designed to make sure that you
|
||||
have the freedom to distribute copies of free software (and charge for
|
||||
this service if you wish), that you receive source code or can get it
|
||||
if you want it, that you can change the software or use pieces of it
|
||||
in new free programs; and that you know you can do these things.
|
||||
|
||||
To protect your rights, we need to make restrictions that forbid
|
||||
anyone to deny you these rights or to ask you to surrender the rights.
|
||||
These restrictions translate to certain responsibilities for you if you
|
||||
distribute copies of the software, or if you modify it.
|
||||
|
||||
For example, if you distribute copies of such a program, whether
|
||||
gratis or for a fee, you must give the recipients all the rights that
|
||||
you have. You must make sure that they, too, receive or can get the
|
||||
source code. And you must show them these terms so they know their
|
||||
rights.
|
||||
|
||||
We protect your rights with two steps: (1) copyright the software, and
|
||||
(2) offer you this license which gives you legal permission to copy,
|
||||
distribute and/or modify the software.
|
||||
|
||||
Also, for each author's protection and ours, we want to make certain
|
||||
that everyone understands that there is no warranty for this free
|
||||
software. If the software is modified by someone else and passed on, we
|
||||
want its recipients to know that what they have is not the original, so
|
||||
that any problems introduced by others will not reflect on the original
|
||||
authors' reputations.
|
||||
|
||||
Finally, any free program is threatened constantly by software
|
||||
patents. We wish to avoid the danger that redistributors of a free
|
||||
program will individually obtain patent licenses, in effect making the
|
||||
program proprietary. To prevent this, we have made it clear that any
|
||||
patent must be licensed for everyone's free use or not licensed at all.
|
||||
|
||||
The precise terms and conditions for copying, distribution and
|
||||
modification follow.
|
||||
|
||||
GNU GENERAL PUBLIC LICENSE
|
||||
TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION
|
||||
|
||||
0. This License applies to any program or other work which contains
|
||||
a notice placed by the copyright holder saying it may be distributed
|
||||
under the terms of this General Public License. The "Program", below,
|
||||
refers to any such program or work, and a "work based on the Program"
|
||||
means either the Program or any derivative work under copyright law:
|
||||
that is to say, a work containing the Program or a portion of it,
|
||||
either verbatim or with modifications and/or translated into another
|
||||
language. (Hereinafter, translation is included without limitation in
|
||||
the term "modification".) Each licensee is addressed as "you".
|
||||
|
||||
Activities other than copying, distribution and modification are not
|
||||
covered by this License; they are outside its scope. The act of
|
||||
running the Program is not restricted, and the output from the Program
|
||||
is covered only if its contents constitute a work based on the
|
||||
Program (independent of having been made by running the Program).
|
||||
Whether that is true depends on what the Program does.
|
||||
|
||||
1. You may copy and distribute verbatim copies of the Program's
|
||||
source code as you receive it, in any medium, provided that you
|
||||
conspicuously and appropriately publish on each copy an appropriate
|
||||
copyright notice and disclaimer of warranty; keep intact all the
|
||||
notices that refer to this License and to the absence of any warranty;
|
||||
and give any other recipients of the Program a copy of this License
|
||||
along with the Program.
|
||||
|
||||
You may charge a fee for the physical act of transferring a copy, and
|
||||
you may at your option offer warranty protection in exchange for a fee.
|
||||
|
||||
2. You may modify your copy or copies of the Program or any portion
|
||||
of it, thus forming a work based on the Program, and copy and
|
||||
distribute such modifications or work under the terms of Section 1
|
||||
above, provided that you also meet all of these conditions:
|
||||
|
||||
a) You must cause the modified files to carry prominent notices
|
||||
stating that you changed the files and the date of any change.
|
||||
|
||||
b) You must cause any work that you distribute or publish, that in
|
||||
whole or in part contains or is derived from the Program or any
|
||||
part thereof, to be licensed as a whole at no charge to all third
|
||||
parties under the terms of this License.
|
||||
|
||||
c) If the modified program normally reads commands interactively
|
||||
when run, you must cause it, when started running for such
|
||||
interactive use in the most ordinary way, to print or display an
|
||||
announcement including an appropriate copyright notice and a
|
||||
notice that there is no warranty (or else, saying that you provide
|
||||
a warranty) and that users may redistribute the program under
|
||||
these conditions, and telling the user how to view a copy of this
|
||||
License. (Exception: if the Program itself is interactive but
|
||||
does not normally print such an announcement, your work based on
|
||||
the Program is not required to print an announcement.)
|
||||
|
||||
These requirements apply to the modified work as a whole. If
|
||||
identifiable sections of that work are not derived from the Program,
|
||||
and can be reasonably considered independent and separate works in
|
||||
themselves, then this License, and its terms, do not apply to those
|
||||
sections when you distribute them as separate works. But when you
|
||||
distribute the same sections as part of a whole which is a work based
|
||||
on the Program, the distribution of the whole must be on the terms of
|
||||
this License, whose permissions for other licensees extend to the
|
||||
entire whole, and thus to each and every part regardless of who wrote it.
|
||||
|
||||
Thus, it is not the intent of this section to claim rights or contest
|
||||
your rights to work written entirely by you; rather, the intent is to
|
||||
exercise the right to control the distribution of derivative or
|
||||
collective works based on the Program.
|
||||
|
||||
In addition, mere aggregation of another work not based on the Program
|
||||
with the Program (or with a work based on the Program) on a volume of
|
||||
a storage or distribution medium does not bring the other work under
|
||||
the scope of this License.
|
||||
|
||||
3. You may copy and distribute the Program (or a work based on it,
|
||||
under Section 2) in object code or executable form under the terms of
|
||||
Sections 1 and 2 above provided that you also do one of the following:
|
||||
|
||||
a) Accompany it with the complete corresponding machine-readable
|
||||
source code, which must be distributed under the terms of Sections
|
||||
1 and 2 above on a medium customarily used for software interchange; or,
|
||||
|
||||
b) Accompany it with a written offer, valid for at least three
|
||||
years, to give any third party, for a charge no more than your
|
||||
cost of physically performing source distribution, a complete
|
||||
machine-readable copy of the corresponding source code, to be
|
||||
distributed under the terms of Sections 1 and 2 above on a medium
|
||||
customarily used for software interchange; or,
|
||||
|
||||
c) Accompany it with the information you received as to the offer
|
||||
to distribute corresponding source code. (This alternative is
|
||||
allowed only for noncommercial distribution and only if you
|
||||
received the program in object code or executable form with such
|
||||
an offer, in accord with Subsection b above.)
|
||||
|
||||
The source code for a work means the preferred form of the work for
|
||||
making modifications to it. For an executable work, complete source
|
||||
code means all the source code for all modules it contains, plus any
|
||||
associated interface definition files, plus the scripts used to
|
||||
control compilation and installation of the executable. However, as a
|
||||
special exception, the source code distributed need not include
|
||||
anything that is normally distributed (in either source or binary
|
||||
form) with the major components (compiler, kernel, and so on) of the
|
||||
operating system on which the executable runs, unless that component
|
||||
itself accompanies the executable.
|
||||
|
||||
If distribution of executable or object code is made by offering
|
||||
access to copy from a designated place, then offering equivalent
|
||||
access to copy the source code from the same place counts as
|
||||
distribution of the source code, even though third parties are not
|
||||
compelled to copy the source along with the object code.
|
||||
|
||||
4. You may not copy, modify, sublicense, or distribute the Program
|
||||
except as expressly provided under this License. Any attempt
|
||||
otherwise to copy, modify, sublicense or distribute the Program is
|
||||
void, and will automatically terminate your rights under this License.
|
||||
However, parties who have received copies, or rights, from you under
|
||||
this License will not have their licenses terminated so long as such
|
||||
parties remain in full compliance.
|
||||
|
||||
5. You are not required to accept this License, since you have not
|
||||
signed it. However, nothing else grants you permission to modify or
|
||||
distribute the Program or its derivative works. These actions are
|
||||
prohibited by law if you do not accept this License. Therefore, by
|
||||
modifying or distributing the Program (or any work based on the
|
||||
Program), you indicate your acceptance of this License to do so, and
|
||||
all its terms and conditions for copying, distributing or modifying
|
||||
the Program or works based on it.
|
||||
|
||||
6. Each time you redistribute the Program (or any work based on the
|
||||
Program), the recipient automatically receives a license from the
|
||||
original licensor to copy, distribute or modify the Program subject to
|
||||
these terms and conditions. You may not impose any further
|
||||
restrictions on the recipients' exercise of the rights granted herein.
|
||||
You are not responsible for enforcing compliance by third parties to
|
||||
this License.
|
||||
|
||||
7. If, as a consequence of a court judgment or allegation of patent
|
||||
infringement or for any other reason (not limited to patent issues),
|
||||
conditions are imposed on you (whether by court order, agreement or
|
||||
otherwise) that contradict the conditions of this License, they do not
|
||||
excuse you from the conditions of this License. If you cannot
|
||||
distribute so as to satisfy simultaneously your obligations under this
|
||||
License and any other pertinent obligations, then as a consequence you
|
||||
may not distribute the Program at all. For example, if a patent
|
||||
license would not permit royalty-free redistribution of the Program by
|
||||
all those who receive copies directly or indirectly through you, then
|
||||
the only way you could satisfy both it and this License would be to
|
||||
refrain entirely from distribution of the Program.
|
||||
|
||||
If any portion of this section is held invalid or unenforceable under
|
||||
any particular circumstance, the balance of the section is intended to
|
||||
apply and the section as a whole is intended to apply in other
|
||||
circumstances.
|
||||
|
||||
It is not the purpose of this section to induce you to infringe any
|
||||
patents or other property right claims or to contest validity of any
|
||||
such claims; this section has the sole purpose of protecting the
|
||||
integrity of the free software distribution system, which is
|
||||
implemented by public license practices. Many people have made
|
||||
generous contributions to the wide range of software distributed
|
||||
through that system in reliance on consistent application of that
|
||||
system; it is up to the author/donor to decide if he or she is willing
|
||||
to distribute software through any other system and a licensee cannot
|
||||
impose that choice.
|
||||
|
||||
This section is intended to make thoroughly clear what is believed to
|
||||
be a consequence of the rest of this License.
|
||||
|
||||
8. If the distribution and/or use of the Program is restricted in
|
||||
certain countries either by patents or by copyrighted interfaces, the
|
||||
original copyright holder who places the Program under this License
|
||||
may add an explicit geographical distribution limitation excluding
|
||||
those countries, so that distribution is permitted only in or among
|
||||
countries not thus excluded. In such case, this License incorporates
|
||||
the limitation as if written in the body of this License.
|
||||
|
||||
9. The Free Software Foundation may publish revised and/or new versions
|
||||
of the General Public License from time to time. Such new versions will
|
||||
be similar in spirit to the present version, but may differ in detail to
|
||||
address new problems or concerns.
|
||||
|
||||
Each version is given a distinguishing version number. If the Program
|
||||
specifies a version number of this License which applies to it and "any
|
||||
later version", you have the option of following the terms and conditions
|
||||
either of that version or of any later version published by the Free
|
||||
Software Foundation. If the Program does not specify a version number of
|
||||
this License, you may choose any version ever published by the Free Software
|
||||
Foundation.
|
||||
|
||||
10. If you wish to incorporate parts of the Program into other free
|
||||
programs whose distribution conditions are different, write to the author
|
||||
to ask for permission. For software which is copyrighted by the Free
|
||||
Software Foundation, write to the Free Software Foundation; we sometimes
|
||||
make exceptions for this. Our decision will be guided by the two goals
|
||||
of preserving the free status of all derivatives of our free software and
|
||||
of promoting the sharing and reuse of software generally.
|
||||
|
||||
NO WARRANTY
|
||||
|
||||
11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY
|
||||
FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN
|
||||
OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES
|
||||
PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED
|
||||
OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
|
||||
MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS
|
||||
TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE
|
||||
PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING,
|
||||
REPAIR OR CORRECTION.
|
||||
|
||||
12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
|
||||
WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR
|
||||
REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING
|
||||
OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED
|
||||
TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY
|
||||
YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER
|
||||
PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE
|
||||
POSSIBILITY OF SUCH DAMAGES.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
||||
|
||||
How to Apply These Terms to Your New Programs
|
||||
|
||||
If you develop a new program, and you want it to be of the greatest
|
||||
possible use to the public, the best way to achieve this is to make it
|
||||
free software which everyone can redistribute and change under these terms.
|
||||
|
||||
To do so, attach the following notices to the program. It is safest
|
||||
to attach them to the start of each source file to most effectively
|
||||
convey the exclusion of warranty; and each file should have at least
|
||||
the "copyright" line and a pointer to where the full notice is found.
|
||||
|
||||
<one line to give the program's name and a brief idea of what it does.>
|
||||
Copyright (C) <year> <name of author>
|
||||
|
||||
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 Street, Fifth Floor, Boston, MA 02110-1301 USA.
|
||||
|
||||
Also add information on how to contact you by electronic and paper mail.
|
||||
|
||||
If the program is interactive, make it output a short notice like this
|
||||
when it starts in an interactive mode:
|
||||
|
||||
Gnomovision version 69, Copyright (C) year name of author
|
||||
Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
|
||||
This is free software, and you are welcome to redistribute it
|
||||
under certain conditions; type `show c' for details.
|
||||
|
||||
The hypothetical commands `show w' and `show c' should show the appropriate
|
||||
parts of the General Public License. Of course, the commands you use may
|
||||
be called something other than `show w' and `show c'; they could even be
|
||||
mouse-clicks or menu items--whatever suits your program.
|
||||
|
||||
You should also get your employer (if you work as a programmer) or your
|
||||
school, if any, to sign a "copyright disclaimer" for the program, if
|
||||
necessary. Here is a sample; alter the names:
|
||||
|
||||
Yoyodyne, Inc., hereby disclaims all copyright interest in the program
|
||||
`Gnomovision' (which makes passes at compilers) written by James Hacker.
|
||||
|
||||
<signature of Ty Coon>, 1 April 1989
|
||||
Ty Coon, President of Vice
|
||||
|
||||
This General Public License does not permit incorporating your program into
|
||||
proprietary programs. If your program is a subroutine library, you may
|
||||
consider it more useful to permit linking proprietary applications with the
|
||||
library. If this is what you want to do, use the GNU Lesser General
|
||||
Public License instead of this License.
|
||||
636
html/wp-content/plugins/google-sitemap-generator/readme.txt
Normal file
@@ -0,0 +1,636 @@
|
||||
=== XML Sitemap Generator for Google ===
|
||||
Contributors: auctollo
|
||||
Tags: SEO, xml sitemap, video sitemap, news sitemap, html sitemap
|
||||
Requires at least: 4.6
|
||||
Tested up to: 6.9
|
||||
Stable tag: 4.1.23
|
||||
Requires PHP: 5.0
|
||||
License: GPLv2 or later
|
||||
License URI: http://www.gnu.org/licenses/gpl-2.0.html
|
||||
|
||||
Generate multiple types of sitemaps to improve SEO and get your website indexed quickly.
|
||||
|
||||
== Description ==
|
||||
|
||||
Generate XML and HTML sitemaps for your website with ease using the XML Sitemap Generator for Google. This plugin enables you to improve your SEO rankings by creating page, image, news, video, HTML, and RSS sitemaps. It also supports custom post types and taxonomies, allowing you to ensure that all of your content is being indexed by search engines. With a user-friendly interface, you can easily configure the plugin to suit your needs and generate sitemaps in just a few clicks. Keep your website up-to-date and make sure that search engines are aware of all of your content by using the XML Sitemap Generator for Google.
|
||||
|
||||
The plugin supports all kinds of WordPress generated pages as well as custom URLs. Additionally it notifies all major search engines every time you create a post about the new content.
|
||||
|
||||
Supported for more than a decade and [rated among the best](https://wordpress.org/plugins/browse/popular/page/2/#:~:text=XML%20Sitemap%20Generator%20for%20Google), it will do exactly what it's supposed to do - providing a complete XML sitemap for search engines!
|
||||
|
||||
> If you like the plugin, feel free to rate it! :)
|
||||
|
||||
Related Links:
|
||||
|
||||
* <a href="http://wordpress.org/support/topic/read-before-opening-a-new-support-topic">Support Forum</a>
|
||||
|
||||
== Installation ==
|
||||
|
||||
1. Deactivate or disable other sitemap generators.
|
||||
2. Install the plugin like you always install plugins, either by uploading it via FTP or by using the "Add Plugin" function of WordPress.
|
||||
3. Activate the plugin on the plugin administration page
|
||||
4. If you want: Open the plugin configuration page, which is located under Settings -> XML-Sitemap and customize settings like priorities and change frequencies.
|
||||
5. The plugin will automatically update your sitemap if you publish new content, so there is nothing more to do :)
|
||||
|
||||
== Frequently Asked Questions ==
|
||||
|
||||
= How do I generate a sitemap for my website? =
|
||||
|
||||
To generate a sitemap for your website, follow these steps:
|
||||
|
||||
* Install and activate the XML Sitemap Generator for Google plugin on your WordPress site.
|
||||
* Once activated, the plugin will automatically generate a sitemap.xml file for your website.
|
||||
* You can access the sitemap by appending `/sitemap.xml` to your website's URL (e.g., [https://example.com/sitemap.xml](#)).
|
||||
* Submit your sitemap to search engines like Google, Bing, Yandex, and Baidu to ensure that your site is indexed and crawled properly.
|
||||
|
||||
= How do I submit my sitemap to search engines? =
|
||||
|
||||
* Go to the Google Search Console and sign in with your Google account.
|
||||
* Click on the "Sitemaps" tab and enter the URL of your sitemap.xml file (e.g., [https://example.com/sitemap.xml](#)).
|
||||
* Click on "Submit" to submit your sitemap to Google.
|
||||
* Repeat the process for other search engines like Bing, Yandex, and Baidu.
|
||||
|
||||
= How often should I update my sitemap? =
|
||||
|
||||
It's recommended that you update your sitemap whenever you make significant changes to your website's content or structure. This will ensure that search engines are aware of any new pages or changes to existing pages on your site.
|
||||
|
||||
= What types of sitemaps does the plugin generate? =
|
||||
|
||||
The XML Sitemap Generator for Google plugin can generate sitemaps in XML, HTML, RSS formats and in various types, including: Pages/Posts, Google News, Video, Image, Mobile, and more! Note: Some formats and types are only available to subscribers.
|
||||
|
||||
= Can I include images and videos in my sitemap? =
|
||||
|
||||
Yes, you can include images and videos in your sitemap using the Google XML Sitemap Generator plugin. This will help search engines like Google and Bing to crawl and index your media files more efficiently.
|
||||
|
||||
= How does the plugin work with WooCommerce? =
|
||||
|
||||
The XML Sitemap Generator for Google plugin is compatible with WooCommerce and can generate sitemaps for your online store's product pages, categories, and tags. This will help search engines to index your products and improve your store's visibility in search results.
|
||||
|
||||
= Can I customize the robots.txt file using this plugin? =
|
||||
|
||||
Yes, you can customize the robots.txt file using the Google XML Sitemap Generator for Google plugin. This will allow you to control which pages and directories search engines can crawl and index on your site.
|
||||
|
||||
= Does this plugin support the Google Site Kit? =
|
||||
|
||||
Yes, the XML Sitemap Generator for Google plugin is compatible with the Google Site Kit. This will allow you to track your site's performance in Google Search Console and Google Analytics directly from your WordPress dashboard.
|
||||
|
||||
= Does this plugin support schema markup? =
|
||||
|
||||
Yes, the XML Sitemap Generator for Google plugin supports schema markup, which can help improve your site's visibility in search results by providing more information about your content to search engines.
|
||||
|
||||
= Where can I find the options page of the plugin? =
|
||||
|
||||
It is under Settings > XML-Sitemap. I know nowadays many plugins add top-level menu items, but in most of the cases it is just not necessary. I've seen WP installations which looked like an Internet Explorer ten years ago with 20 toolbars installed. ;-)
|
||||
|
||||
= Does this plugin use static files or "I can't find the sitemap.xml file!" =
|
||||
|
||||
Not anymore. Since version 4, these files are dynamically generated just like any other WordPress content.
|
||||
|
||||
= There are no comments yet (or I've disabled them) and all my postings have a priority of zero! =
|
||||
|
||||
Please disable automatic priority calculation and define a static priority for posts.
|
||||
|
||||
= So many configuration options... Do I need to change them? =
|
||||
|
||||
No, only if you want to. Default values are ok for most sites.
|
||||
|
||||
= My question isn't answered here =
|
||||
|
||||
Please post your question at the [WordPress support forum](https://wordpress.org/support/plugin/google-sitemap-generator/).
|
||||
|
||||
|
||||
== Changelog ==
|
||||
|
||||
= 4.1.22 (2026-02-09) =
|
||||
* Improved security further for unauthenticated users from modifying plugin settings by enforcing proper permission and security‑token checks. CVE-2025-64632
|
||||
|
||||
= 4.1.22 (2025-12-23) =
|
||||
* Fixed preventing unauthenticated users from modifying plugin settings by enforcing proper permission and security‑token checks.
|
||||
|
||||
= 4.1.21 (2024-04-21) =
|
||||
* Fixed a regression with saving post/page exclusions.
|
||||
* Fixed an issue with post/tag priority settings.
|
||||
|
||||
= 4.1.20 (2024-04-14) =
|
||||
* Fixed empty ping error
|
||||
* Fixed response code issue with index sitemap
|
||||
* Fixed interoperability with existing robots.txt file
|
||||
* Fixed URL for guest authors
|
||||
* Fixed uninstalled plugin error
|
||||
* Fixed sitemap indexation
|
||||
* Fixed "Trying to access array offset on value of type bool..." warning
|
||||
* Fixed setting of custom taxonomy change frequency and priority
|
||||
* Fixed missing custom taxonomies issue
|
||||
* Fixed issue with hierarchical taxonomies
|
||||
* Fixed missing categories issue
|
||||
* Fixed sort order of URLs (changed from descending to ascending)
|
||||
* Improved WooCommerce support (added products sitemap)
|
||||
* Improved multisite support
|
||||
* Improved SEO plugin interoperability
|
||||
* Improved Nginx configuration
|
||||
* Improved sitemap generation performance for large sites
|
||||
* Added [filter support](https://auctollo.com/products/google-xml-sitemap-generator/help/#:~:text=not%20be%20useful.-,Filters,-Customize%20the%20behavior) for behavior/settings customization
|
||||
* Added latest Microsoft Bing API Key to settings page
|
||||
|
||||
= 4.1.19 (2024-01-31) =
|
||||
* Fixed "Links per page" bug causing sitemaps to not include all posts depending on the setting. Following Search Engine guidance is minimum links per sitemap is 1,000 pages.
|
||||
* Fixed Google Search Console errors including "Fetch error" and "noindex" header
|
||||
* Fixed the issue with "null" sitemaps
|
||||
* Fixed sitemap generation for tags, categories, etc for large sites
|
||||
* Improved performance by optimizing queries
|
||||
* Improved IndexNow implementation
|
||||
* Added WordPress' sitemap to the list of detected sitemaps for deactivation
|
||||
|
||||
= 4.1.18 (2024-01-12) =
|
||||
* Resolved functionality regressions since v4.1.13
|
||||
* Improved IndexNow Protocol implementation
|
||||
* Improved WooCommerce support
|
||||
* Improved WPML support
|
||||
* Fixed sitemap 404 issues (for Single and Multisite modes)
|
||||
* Fixed auto update rewrite rule
|
||||
* Fixed rewrite issues during plugin upgrade
|
||||
* Fixed invalid XML syntax (cause of parsing issues in Google Search Console)
|
||||
|
||||
= 4.1.17 (2024-01-05) =
|
||||
* Fixed sitemap URL issue in robots.txt etc
|
||||
* Improved LastMod syntax for better support for indexation by Google
|
||||
* Improved Network mode support
|
||||
* Improved localization plugin support
|
||||
* Improved custom taxonomy support
|
||||
* Added IndexNow Protocol support for Microsoft Bing. Deprecated Sitemap Ping Protocol
|
||||
* Added JetPack sitemap generator conflict detection
|
||||
|
||||
= 4.1.16 (2023-12-18) =
|
||||
* Fixed a syntax error causing fatal errors for some users.
|
||||
|
||||
= 4.1.15 (2023-12-14) =
|
||||
* Improved security by adding capability check via the current_user_can() calls
|
||||
* Changed the text domain from "sitemap" to "google-sitemap-generator"
|
||||
|
||||
= 4.1.14 (2023-12-05) =
|
||||
* Improved security with authentication and plugin management anchors
|
||||
* Fixed an error in sitemap file name conventions
|
||||
* Fixed an issue with disabling conflicting sitemap generators
|
||||
* Added last modified date to category sitemaps
|
||||
* Added min and max option for number of posts per sitemap
|
||||
* Added support for local links in sitemap for different languages
|
||||
|
||||
= 4.1.13 (2023-08-04) =
|
||||
* Fixed warning error displayed when Yoast SEO is not installed/active
|
||||
|
||||
= 4.1.12 (2023-08-02) =
|
||||
* Improved various UI elements and notifications
|
||||
* Fixed browser console errors
|
||||
* Fixed null value in set_time_limit
|
||||
|
||||
= 4.1.11 (2023-05-19) =
|
||||
* Fixed version compatibility thresholds
|
||||
* Improved user interface
|
||||
|
||||
= 4.1.10 (2023-04-24) =
|
||||
* Added support for automatic updates
|
||||
|
||||
= 4.1.9 (2023-04-12) =
|
||||
* Improved beta program notifications and workflow to comply with guidelines
|
||||
* Improved various UI elements
|
||||
|
||||
= 4.1.8 (2023-03-31) =
|
||||
* Added Beta testing program
|
||||
* Added check for disabled PHP functions
|
||||
* Fixed handling of taxonomies containing hyphens
|
||||
|
||||
= 4.1.7 (2022-11-24) =
|
||||
* Fixed custom taxonomy unit generation issue
|
||||
* Fixed plugin deactivation notice
|
||||
|
||||
= 4.1.6 (2022-11-23) =
|
||||
* Fixed mishandling of empty categories
|
||||
* Fixed _url undefined notice error
|
||||
* Fixed error when build_taxonomies throws a fatal error when accessing sub-sitemap without pagination
|
||||
* Improved handling of line breaks e.g. showing <br/> tag without escaping HTML
|
||||
* Improved handling of the Google TID field optional to ping Google
|
||||
* Improved documentation, given some renaming of the methods
|
||||
* Added support for paginated sitemap posts, pages, and product links
|
||||
* Added conditional statements to prevent rewrite rules from being checked every time the sitemap loads
|
||||
|
||||
= 4.1.5 (2022-06-14) =
|
||||
* Fixed code regressions moving from git to svn (preventing recent fixes from being available)
|
||||
|
||||
= 4.1.4 (2022-06-06) =
|
||||
* Fixed the issue of PHP warnings
|
||||
* Fixed links per page issue
|
||||
* Improved WordPress 6.0 compatibility
|
||||
|
||||
= 4.1.3 (2022-05-31) =
|
||||
* Added backward compatibility settings
|
||||
* Changed Google Tracking ID field to optional
|
||||
* Fixed PHP warnings
|
||||
|
||||
= 4.1.2 (2022-04-15) =
|
||||
* Fixed security issue related to Cross-Site Scripting attacks on debug page
|
||||
* Fixed HTTP error while generating sitemap (because of conflict of www and now www site)
|
||||
* Fixed handling WordPress core sitemap entry from robots.txt
|
||||
* Added option to flush database rewrite on plugin deactivation
|
||||
* Added option to split the custom categories into multiple sitemaps by custom taxonomy
|
||||
* Added option to omit the posts specified as disallow in robots.txt
|
||||
* Added option to set links per page for tags and categories
|
||||
* Added option to set a custom filename for the sitemap
|
||||
* Added option to list custom post in the archive sitemap
|
||||
|
||||
= 4.1.1 (2022-04-07) =
|
||||
* fix security issue related to Cross-Site Scripting attacks on debug page
|
||||
* fix HTTP error while generating sitemap (because of conflict of www and now www site)
|
||||
* fix handles the removal of Wordpress native sitemap entry from robots.txt
|
||||
* added option for flush database rewrite on deactivate plugin
|
||||
* added options for split the custom categories into multiple sitemap by custom taxonomy
|
||||
* added options to omit the posts which added in robots.txt to disallow
|
||||
* added option to set links per page for tags and categories
|
||||
* added option for provide the custom name for the sitemap.xml file
|
||||
* added option for custom post type's list into the archive sitemap
|
||||
* added support of manage priorities and frequencies for products category
|
||||
|
||||
= 4.1.0 (2018-12-18) =
|
||||
* Fixed security issue related to escaping external URLs
|
||||
* Fixed security issue related to option tags in forms
|
||||
|
||||
= 4.0.9 (2017-07-24) =
|
||||
* Fixed security issue related to donation functionality.
|
||||
|
||||
= 4.0.8 (2014-11-15) =
|
||||
* Fixed bug regarding the exclude categories feature, thanks to Claus Schöffel!
|
||||
|
||||
= 4.0.7.1 (2014-09-02) =
|
||||
* Sorry, no new features this time… This release only updates the Compatibility-Tag to WordPress 4.0. Unfortunately there is no way to do this anymore without a new version
|
||||
|
||||
= 4.0.7 (2014-06-23) =
|
||||
* Better compatibility with GoDaddy managed WP hosting
|
||||
* Better compatibility with QuickCache
|
||||
* Removed WordPress version from the sitemap
|
||||
* Corrected link to WordPress privacy settings (if search engines are blocked)
|
||||
* Changed hook which is being used for sitemap pings to avoid pings on draft edit
|
||||
|
||||
= 4.0.6 (2014-06-03) =
|
||||
* Added option to disable automatic gzipping
|
||||
* Fixed bug with duplicated external sitemap entries
|
||||
* Don’t gzip if behind Varnish since Varnish can do that
|
||||
|
||||
= 4.0.5 (2014-05-18) =
|
||||
* Added function to manually start ping for main-sitemap or all sub-sitemaps
|
||||
* Added support for changing the base of the sitemap URL to another URL (for WP installations in sub-folders)
|
||||
* Fixed issue with empty post sitemaps (related to GMT/local time offset)
|
||||
* Fixed some timing issues in archives
|
||||
* Improved check for possible problems before gzipping
|
||||
* Fixed empty archives and author sitemaps in case there were no posts
|
||||
* Fixed bug which caused the Priority Provider to disappear in recent PHP versions
|
||||
* Plugin will also ping with the corresponding sub-sitemap in case a post was modified
|
||||
* Better checking for empty external urls
|
||||
* Changed text in XSL template to be more clear about sitemap-index and sub-sitemaps
|
||||
* Changed content type to text/xml to improve compatibility with caching plugins
|
||||
* Changed query parameters to is_feed=true to improve compatibility with caching plugins
|
||||
* Switched from using WP_Query to load posts to a custom SQL statement to avoid problems with other plugin filters
|
||||
* Added caching of some SQL statements
|
||||
* Added support feed for more help topics
|
||||
* Added link to new help page
|
||||
* Cleaned up code and renamed variables to be more readable
|
||||
* Updated Japanese Translation, thanks to Daisuke Takahashi
|
||||
|
||||
= 4.0.4 (2014-04-19) =
|
||||
* Removed deprecated get_page call
|
||||
* Changed last modification time of sub-sitemaps to the last modification date of the posts instead of the publish date
|
||||
* Removed information window if the statistic option has not been activated
|
||||
* Added link regarding new sitemap format
|
||||
* Updated Portuguese translation, thanks to Pedro Martinho
|
||||
* Updated German translation
|
||||
|
||||
= 4.0.3 (2014-04-13) =
|
||||
* Fixed compression if an gzlib handler was already active
|
||||
* Help regarding permalinks for Nginx users
|
||||
* Fix with gzip compression in case there was other output before already
|
||||
* Return 404 for HTML sitemaps if the option has been disabled
|
||||
* Updated translations
|
||||
|
||||
= 4.0.2 (2014-04-01) =
|
||||
* Fixed warning if an gzip handler is already active
|
||||
|
||||
= 4.0.1 (2014-03-31) =
|
||||
* Fixed bug with custom post types including a "-"
|
||||
* Fixed some 404 Not Found Errors
|
||||
|
||||
= 4.0 (2014-03-30) =
|
||||
* No static files anymore, sitemap is created on the fly!
|
||||
* Sitemap is split-up into sub-sitemaps by month, allowing up to 50.000 posts per month! [More information](http://www.arnebrachhold.de/projects/wordpress-plugins/google-xml-sitemaps-generator/google-xml-sitemap-generator-new-sitemap-format/)
|
||||
* Support for custom post types and custom taxonomis!
|
||||
* 100% Multisite compatible, including by-blog and network activation.
|
||||
* Reduced server resource usage due to less content per request.
|
||||
* New API allows other plugins to add their own, separate sitemaps.
|
||||
* Note: PHP 5.1 and WordPress 3.3 is required! The plugin will not work with lower versions!
|
||||
* Note: This version will try to rename your old sitemap files to *-old.xml. If that doesn’t work, please delete them manually since no static files are needed anymore!
|
||||
|
||||
= 3.4.1 (2014-04-10) =
|
||||
* Compatibility with mysqli
|
||||
|
||||
= Version 3.4 (2013-11-24) =
|
||||
* Fixed deprecation warnings in PHP 5.4, thanks to Dion Hulse!
|
||||
|
||||
= 3.3 (2013-09-28) =
|
||||
* Fixed problem with file permission checking
|
||||
* Filter out hashs (#) in URLs
|
||||
|
||||
= 3.2.9 (2013-01-11) =
|
||||
* Fixed security issue with change frequencies and filename of sitemap file. Exploit was only possible with admin account.
|
||||
|
||||
= 3.2.8 (2012-08-08) =
|
||||
* Fixed wrong custom taxonomy URLs, thanks to ramon fincken of the wordpress.org forum!
|
||||
* Removed ASK ping since they shut down their service.
|
||||
* Exclude post_format taxonomy from custom taxonomy list
|
||||
|
||||
= 3.2.7 (2012-04-24) =
|
||||
* Fixed custom post types, thanks to clearsite of the wordpress.org forum!
|
||||
* Fixed broken admin layout on WP 3.4
|
||||
|
||||
= 3.2.6 (2011-09-19) =
|
||||
* Removed YAHOO ping since YAHOO uses bing now
|
||||
* Removed deprecated function call
|
||||
|
||||
= 3.2.5 (2011-07-11) =
|
||||
* Backported Bing ping success fix from beta
|
||||
* Added friendly hint to try out the new beta
|
||||
|
||||
= 3.2.4 (2010-05-29) =
|
||||
* Added (GMT) to date column in sitemap xslt template to avoid confusion with different time zones
|
||||
* Fixed wrong SQL statement for author pages, thanks to twoenoug
|
||||
* Fixed several deprecated function calls
|
||||
* Note: This release does not support the new multisite feature of WordPress yet and will not be active when multisite is enabled.
|
||||
|
||||
= 3.2.3 (2010-04-02) =
|
||||
* Fixed that all pages were missing in the sitemap if the “Uncategorized” category was excluded
|
||||
|
||||
= 3.2.2 (2009-12-19) =
|
||||
* Updated compatibility tag to WordPress 2.9
|
||||
* Fixed PHP4 problems
|
||||
|
||||
= 3.2.1 (2009-12-16) =
|
||||
* Notes and update messages at the top of the admin page could interfere with the manual build function
|
||||
* Help links in the WP contextual help were not shown anymore since the last update
|
||||
* IE 7 sometimes displayed a cached admin page
|
||||
* Removed invalid link to config page from the plugin description (The link lead to a "Not enough permission error")
|
||||
* Improved performance of getting the current plugin version by caching
|
||||
* Updated Spanish language files
|
||||
|
||||
= 3.2 (2009-11-23) =
|
||||
* Added function to show the actual results of a ping instead of only linking to the url
|
||||
* Added new hook (sm_rebuild) for third party plugins to start building the sitemap
|
||||
* Fixed bug which showed the wrong URL for the latest Google ping result
|
||||
* Added some missing documentation
|
||||
* Removed hardcoded php name for sitemap file in admin urls
|
||||
* Uses KSES for showing ping test results
|
||||
* Ping test fixed for WP < 2.3
|
||||
|
||||
= 3.1.9 (2009-11-13) =
|
||||
* Fixed MySQL Error if author pages were included
|
||||
|
||||
= 3.1.8 (2009-11-07) =
|
||||
* Improved custom taxonomy handling and fixed wrong last modification date
|
||||
* Fixed fatal error in WordPress versions lower than 2.3
|
||||
* Fixed Update Notice for WordPress 2.8 and higher
|
||||
* Added warning if blog privacy is activated
|
||||
* Fixed priorities of additional pages were shown as 0 instead of 1
|
||||
|
||||
= 3.1.7 (2009-10-21) =
|
||||
* Added support for custom taxonomies. Thanks to Lee!
|
||||
|
||||
= 3.1.6 (2009-08-31) =
|
||||
* Fixed PHP error “Only variables can be passed by reference”
|
||||
* Fixed wrong URLS of multi-page posts (Thanks artstorm!)
|
||||
* Updated many language files
|
||||
|
||||
= 3.1.5 (2009-08-24) =
|
||||
* Added option to completely disable the last modification time
|
||||
* Fixed problem with HTTPS url for the XSL stylesheet if the sitemap was build via the admin panel
|
||||
* Improved handling of homepage entry if a single page was set for it
|
||||
* Fixed mktime warning which appeared sometimes
|
||||
* Fixed bug which caused inf. reloads after rebuilding the sitemap via the admin panel
|
||||
* Improved handling of missing sitemaps files if WP was moved to another location
|
||||
|
||||
= 3.1.4 (2009-06-22) =
|
||||
* Fixed bug which broke all pings in WP older than 2.7
|
||||
* Added more output in debug mode if pings fail
|
||||
* Moved global post variable so other plugins can use it in get_permalink()
|
||||
* Added small icon for ozh admin menu
|
||||
* Added more help links in UI
|
||||
|
||||
= 3.1.3 (2009-06-07) =
|
||||
* Changed MSN Live Search to Bing
|
||||
* Exclude categories also now exludes the category itself and not only the posts
|
||||
* Pings now use the new WordPress HTTP API instead of Snoopy
|
||||
* Fixed bug that in localized WP installations priorities could not be saved
|
||||
* The sitemap cron job is now cleared after a manual rebuild or after changing the config
|
||||
* Adjusted style of admin area for WP 2.8 and refreshed icons
|
||||
* Disabled the “Exclude categories” feature for WP 2.5.1, since it doesn’t have the required functions yet
|
||||
|
||||
= 3.1.2 (2008-12-26) =
|
||||
* Changed the way the stylesheet is saved (default / custom stylesheet)
|
||||
* Sitemap is now rebuild when a page is published
|
||||
* Removed support for static robots.txt files, this is now handled via WordPress functions
|
||||
* Added compat. exceptions for WP 2.0 and WP 2.1
|
||||
|
||||
= 3.1.1 (2008-12-21) =
|
||||
* Fixed redirect issue if wp-admin is rewritten via mod_rewrite, thanks to macjoost
|
||||
* Fixed wrong path to assets, thanks PozHonks
|
||||
* Fixed wrong plugin URL if wp-content was renamed / redirected, thanks to wnorris
|
||||
* Updated WP User Interface for 2.7
|
||||
* Various other small things
|
||||
|
||||
= 3.1.0.1 (2008-05-27) =
|
||||
* Extracted UI JS to external file
|
||||
* Enabled the option to include following pages of multi-page posts
|
||||
* Script tries to raise memory and time limit if active
|
||||
|
||||
= 3.1 (2008-05-22) =
|
||||
* Marked as stable
|
||||
|
||||
= 3.1b3 (2008-05-19) =
|
||||
* Cleaned up plugin directory and moved img files to subfolders
|
||||
* Fixed background building bug in WP 2.1
|
||||
* Removed auto-update plugin link for WP < 2.5
|
||||
|
||||
= 3.1b2 (2008-05-18) =
|
||||
* Fixed critical bug with the build in background option
|
||||
* Added notification if a build is scheduled
|
||||
|
||||
= 3.1b1 (2008-05-08) =
|
||||
* Splitted plugin in loader, generator and user interface to save memory
|
||||
* Generator and UI will only be loaded when needed
|
||||
* Secured all admin actions with nonces
|
||||
* Improved WP 2.5 handling
|
||||
* New "Suggest a Feature" link
|
||||
|
||||
= 3.0.3.3 (2008-04-29) =
|
||||
* Fixed author pages
|
||||
* Enhanced background building and increased delay to 15 seconds
|
||||
* Enabled background building by default
|
||||
|
||||
= 3.0.3.2 (2008-04-28) =
|
||||
* Improved WP 2.5 handling (fixes blank screens and timeouts)
|
||||
|
||||
= 3.0.3.1 (2008-03-30) =
|
||||
* Added compatibility CSS for WP 2.5
|
||||
|
||||
= 3.0.3 (2007-12-30) =
|
||||
* Added option to ping MSN Live Search
|
||||
* Removed some WordPress hooks (the sitemap isn’t updates with every comment anymore)
|
||||
|
||||
= 3.0.2.1 (2007-11-28) =
|
||||
* Fixed wrong XML Schema Location (Thanks to Emanuele Tessore)
|
||||
* Added Russian Language files by Sergey http://ryvkin.ru
|
||||
|
||||
= 3.0.2 (2007-11-25) =
|
||||
* Fixed bug which caused that some settings were not saved correctly
|
||||
* Added option to exclude pages or post by ID
|
||||
* Restored YAHOO ping service with API key since the other one is to unreliable
|
||||
|
||||
= 3.0.1 (2007-11-03) =
|
||||
* Changed HTTP client for ping requests to Snoopy
|
||||
* Added "safemode" for SQL which doesn’t use unbuffered results
|
||||
* Added option to run the building process in background using wp-cron
|
||||
* Added links to test the ping if it failed
|
||||
|
||||
= 3.0 final (2007-09-24) =
|
||||
* Marked as stable
|
||||
* Removed useless functions
|
||||
|
||||
= 3.0b11 (2007-09-23) =
|
||||
* Changed mysql queries to unbuffered queries
|
||||
* Uses MUCH less memory
|
||||
* Option to limit the number of posts
|
||||
|
||||
= 3.0b10 (2007-09-04) =
|
||||
* Added category support for WordPress 2.3
|
||||
* Fixed bug with empty URLs in sitemap
|
||||
* Repaired GET building
|
||||
|
||||
= 3.0b9 (2007-09-02) =
|
||||
* Added tag support for WordPress 2.3
|
||||
* Fixed archive bug with static pages (Thanks to Peter Claus Lamprecht)
|
||||
* Fixed some missing translation strings, thanks to Kirin Lin
|
||||
|
||||
= 3.0b8 (2007-07-22) =
|
||||
* Fixed bug with empty categories
|
||||
* Fixed bug with translation plugins
|
||||
* Added support for robots.txt
|
||||
* Switched YAHOO ping API from YAHOO Web Services to the “normal” ping service
|
||||
* Search engines will only be pinged if the sitemap file has changed
|
||||
|
||||
= 3.0b7 (2007-05-17) =
|
||||
* Added Ask.com notification
|
||||
* Added option to include the author pages like /author/john
|
||||
* Fixed WP 2.1 / Pre 2.1 post / pages database changes
|
||||
* Added check to not build the sitemap if importing posts
|
||||
* Fixed wrong XSLT location (Thanks froosh)
|
||||
* Small enhancements and bug fixes
|
||||
|
||||
= 3.0b6 (2007-01-23) =
|
||||
* sitemap.xml.gz was not compressed
|
||||
* YAHOO update-notification was PHP5 only (Thanks to Joseph Abboud!)
|
||||
* More WP 2.1 optimizations
|
||||
* Reduced memory usage with PHP5
|
||||
|
||||
= 3.0b5 (2007-01-19) =
|
||||
* WordPress 2 Design
|
||||
* YAHOO update notification
|
||||
* New status report, removed ugly logfiles
|
||||
* Added option to define a XSLT stylesheet and added a default one
|
||||
* Fixed bug with sub-pages, thanks to [Mike](http://baptiste.us/), [Peter](http://fastagent.de/) and [Glenn](http://publicityship.com.au/)
|
||||
* Improved file handling, thanks to [VJTD3](http://www.vjtd3.com/)
|
||||
* WP 2.1 improvements
|
||||
|
||||
= 3.0b4 (2006-11-16) =
|
||||
* Fixed some smaller bugs
|
||||
* Decreased memory usage which should solve timeout and memory problems
|
||||
* Updated namespace to support YAHOO and MSN
|
||||
|
||||
= 3.0b2 (2006-01-14) =
|
||||
* Fixed several bugs reported by users
|
||||
|
||||
= 3.0b (2005-11-25) =
|
||||
* WordPress 2.0 (Beta, RC1) compatible
|
||||
* Added different priority calculation modes and introduced an API to create custom ones (Some people didn’t like the way to calculate the post priority based on the count of user comments. This will give you the possibility to develop custom priority providers which fit your needs.)
|
||||
* Added support to use the [Popularity Contest](http://www.alexking.org/blog/2005/07/27/popularity-contest-11/) plugin by [Alex King](http://www.alexking.org/) to calculate post priority (If you are already using the Popularity Contest plugin, this will be the best way to determine the priority of the posts. Uses to new priority API noted above.)
|
||||
* Added option to exclude password protected posts (This was one of the most requested features.)
|
||||
* Posts and pages marked for publish with a date in the future won’t be included
|
||||
* Added function to start sitemap creation via GET and a secret key (If you are using external software which directly writes into the database without using the WordPress API, you can rebuild the sitemap with a simple HTTP Request. This can be made with a cron job for example.)
|
||||
* Improved compatibility with other plugins (There should no longer be problems with other plugins now which checked for existence of a specified function to determine if you are in the control panel or not.)
|
||||
* Recoded plugin architecture which is now fully OOP (The code is now cleaner and better to understand which makes it easier to modify. This should also avoid namespace problems.)
|
||||
* Improved speed and optimized settings handling (Settings and pages are only loaded if the sitemap generation process starts and not every time a page loads. This saves one MySQL Query on every request.)
|
||||
* Added Button to restore default configuration (Messed up the config? You’ll need just one click to restore all settings.)
|
||||
* Added log file to check everything is running (In the new log window you can see when your sitemap was rebuilt or if there was any error.)
|
||||
* Improved user-interface
|
||||
* Added several links to homepage and support (This includes the Notify List about new releases and the WordPress support forum.)
|
||||
|
||||
= 2.7 (2005-11-25) =
|
||||
* Added Polish Translation by [kuba](http://kubazwolinski.com/)
|
||||
|
||||
= 2.7 (2005-11-01) =
|
||||
* Added French Translation by [Thierry Lanfranchi](http://www.chezthierry.info/)
|
||||
|
||||
= 2.7 (2005-07-21) =
|
||||
* Fixed bug with incorrect date in additional pages (wrong format)
|
||||
* Added Swedish Translation by [Tobias Bergius](http://tobiasbergius.se/)
|
||||
|
||||
= 2.6 (2005-07-16) =
|
||||
* Included Chinese (Simplified) language files by [june6](http://www.june6.cn/)
|
||||
|
||||
= 2.6 (2005-07-04) =
|
||||
* Added support to store the files at a custom location
|
||||
* Changed the home URL to have a slash at the end
|
||||
* Fixed errors with wp-mail
|
||||
* Added support for other plugins to add content to the sitemap
|
||||
|
||||
= 2.5 (2005-06-15) =
|
||||
* You can include now external pages which aren’t generated by WordPress or are not recognized by this plugin
|
||||
* You can define a minimum post priority, which will overrride the calculated value if it’s too low
|
||||
* The plugin will automatically ping Google whenever the sitemap gets regenerated
|
||||
* Update 1: Included Spanish translations by [Cesar Gomez Martin](http://www.cesargomez.org/)
|
||||
* Update 2: Included Italian translations by [Stefano Aglietti](http://wordpress-it.it/)
|
||||
* Update 3: Included Traditional Chinese translations by [Kirin Lin](http://kirin-lin.idv.tw/)
|
||||
|
||||
= 2.2 (2005-06-08) =
|
||||
* Language file support: [Hiromasa](http://hiromasa.zone.ne.jp/) from [http://hiromasa.zone.ne.jp](http://hiromasa.zone.ne.jp/) sent me a japanese version of the user interface and modified the script to support it! Thanks for this! Check [the WordPress Codex](http://codex.wordpress.org/WordPress_Localization) how to set the language in WordPress.
|
||||
* Added Japanese user interface by [Hiromasa](http://hiromasa.zone.ne.jp/)
|
||||
* Added German user interface by me
|
||||
|
||||
= 2.12 (2005-06-07) =
|
||||
* Changed SQL Statement for categories that it also works on MySQL 3
|
||||
|
||||
= 2.11 (2005-06-07) =
|
||||
* Fixed a hardcoded tablename which made a SQL error
|
||||
|
||||
= 2.1 (2005-06-07) =
|
||||
* Can also generate a gzipped version of the xml file (sitemap.xml.gz)
|
||||
* Uses correct last modification dates for categories and archives. (Thanks to thx [Rodney Shupe](http://www.shupe.ca/) for the SQL)
|
||||
* Supports now different WordPress / Blog directories
|
||||
* Fixed bug which ignored different post/page priorities (Reported by [Brad](http://h3h.net/))
|
||||
|
||||
= 2.01 (2005-06-07) =
|
||||
* Fixed compatibility for PHP installations which are not configured to use short open tags
|
||||
* Changed Line 147 from _e($i); to _e(strval($i));
|
||||
* Thanks to [Christian Aust](http://publicvoidblog.de/) for reporting this!
|
||||
|
||||
== Screenshots ==
|
||||
|
||||
1. Plugin options page
|
||||
2. Sample XML sitemap (with a stylesheet for making it readable)
|
||||
3. Sample XML sitemap (without stylesheet)
|
||||
|
||||
== License ==
|
||||
|
||||
Good news, this plugin is free for everyone! Since it's released under the GPL, you can use it free of charge on your personal or commercial site.
|
||||
|
||||
== Translations ==
|
||||
|
||||
The plugin comes with various translations, please refer to the [WordPress Codex](http://codex.wordpress.org/Installing_WordPress_in_Your_Language "Installing WordPress in Your Language") for more information about activating the translation. If you want to help to translate the plugin to your language, please have a look at the sitemap.pot file which contains all definitions and may be used with a [gettext](http://www.gnu.org/software/gettext/) editor like [Poedit](http://www.poedit.net/) (Windows).
|
||||
|
||||
== Upgrade Notice ==
|
||||
|
||||
= 4.1.23 =
|
||||
Critical Security Fix: Resolved a flaw where certain actions could be triggered without verifying the requester’s identity, privileges, or a valid security token. CVE-2025-64632
|
||||
|
After Width: | Height: | Size: 112 KiB |
|
After Width: | Height: | Size: 31 KiB |
|
After Width: | Height: | Size: 15 KiB |
2928
html/wp-content/plugins/google-sitemap-generator/sitemap-core.php
Normal file
@@ -0,0 +1,36 @@
|
||||
<?php
|
||||
/**
|
||||
* $Id: sitemap-wpmu.php 534582 2012-04-21 22:25:36Z arnee $
|
||||
*
|
||||
* Google XML Sitemaps Generator for WordPress MU activation
|
||||
* ==============================================================================
|
||||
*
|
||||
* If you want to use this plugin with a automatic network-wide activation, copy the "google-sitemaps-generator" directory
|
||||
* in wp-content/mu-plugins and copy this file into wp-content/mu-plugins directly:
|
||||
*
|
||||
* + wp-content/
|
||||
* | + mu-plugins/
|
||||
* | | - sitemap-wpmu.php
|
||||
* | | + google-sitemap-generator/
|
||||
* | | | - sitemap.php
|
||||
* | | | - [...]
|
||||
*
|
||||
* All files in the mu-plugins directory are included for all sites by WordPress by default, so there is no need to
|
||||
* activate this plugin anymore (and it also can not be deactivated).
|
||||
*
|
||||
* @package Sitemap
|
||||
*/
|
||||
|
||||
if ( ! defined( 'WPINC' ) ) {
|
||||
return;
|
||||
}
|
||||
|
||||
$gsg_file = dirname( __FILE__ ) . '/google-sitemap-generator/sitemap.php';
|
||||
|
||||
if ( file_exists( $gsg_file ) ) {
|
||||
require_once $gsg_file;
|
||||
} else {
|
||||
// phpcs:disable
|
||||
esc_html( trigger_error( 'XML Sitemap Generator was loaded via mu-plugins directory, but the plugin was not found under $gsg_file', E_USER_WARNING ) );
|
||||
// phpcs:enable
|
||||
}
|
||||
556
html/wp-content/plugins/google-sitemap-generator/sitemap.php
Normal file
@@ -0,0 +1,556 @@
|
||||
<?php
|
||||
/**
|
||||
* $Id: sitemap.php 3426561 2025-12-24 00:45:27Z auctollo $
|
||||
|
||||
* XML Sitemap Generator for Google
|
||||
* ==============================================================================
|
||||
|
||||
* This generator will create a sitemaps.org compliant sitemap of your WordPress site.
|
||||
|
||||
* For additional details like installation instructions, please check the readme.txt and documentation.txt files.
|
||||
|
||||
* Have fun!
|
||||
|
||||
* Info for WordPress:
|
||||
* ==============================================================================
|
||||
* Plugin Name: XML Sitemap Generator for Google
|
||||
* Plugin URI: https://auctollo.com/
|
||||
* Description: This plugin improves SEO using sitemaps for best indexation by search engines like Google, Bing, Yahoo and others.
|
||||
* Version: 4.1.23
|
||||
* Author: Auctollo
|
||||
* Author URI: https://auctollo.com/
|
||||
* Text Domain: google-sitemap-generator
|
||||
* Domain Path: /lang
|
||||
|
||||
|
||||
* Copyright 2019 - 2026 AUCTOLLO
|
||||
* Copyright 2005 - 2018 ARNE BRACHHOLD
|
||||
|
||||
* 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.
|
||||
*
|
||||
* @author AUCTOLLO
|
||||
* @package sitemap
|
||||
* 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
|
||||
|
||||
* Please see license.txt for the full license.
|
||||
*/
|
||||
|
||||
global $wp_version;
|
||||
if ( (int) $wp_version > 4 ) {
|
||||
include_once( ABSPATH . 'wp-admin/includes/plugin-install.php' ); //for plugins_api..
|
||||
}
|
||||
|
||||
require_once trailingslashit( dirname( __FILE__ ) ) . 'sitemap-core.php';
|
||||
require_once trailingslashit( dirname( __FILE__ ) ) . 'class-googlesitemapgeneratorindexnow.php'; //add class indexNow file
|
||||
|
||||
include_once( ABSPATH . 'wp-admin/includes/file.php' );
|
||||
include_once( ABSPATH . 'wp-admin/includes/misc.php' );
|
||||
include_once( ABSPATH . 'wp-admin/includes/class-wp-upgrader.php' );
|
||||
|
||||
define( 'SM_SUPPORTFEED_URL', 'https://wordpress.org/support/plugin/google-sitemap-generator/feed/' );
|
||||
define( 'SM_BETA_USER_INFO_URL', 'https://api.auctollo.com/beta/consent' );
|
||||
define( 'SM_LEARN_MORE_API_URL', 'https://api.auctollo.com/lp' );
|
||||
define( 'SM_BANNER_HIDE_DURATION_IN_DAYS', 7 );
|
||||
define( 'SM_CONFLICT_PLUGIN_LIST', 'All in One SEO,Yoast SEO, Jetpack, Wordpress Sitemap' );
|
||||
add_action( 'admin_init', 'register_consent', 1 );
|
||||
add_action( 'admin_head', 'ga_header' );
|
||||
add_action( 'admin_footer', 'ga_footer' );
|
||||
add_action( 'plugins_loaded', function() {
|
||||
load_plugin_textdomain( 'google-sitemap-generator', false, dirname( plugin_basename( __FILE__ ) ) . '/lang' );
|
||||
|
||||
|
||||
});
|
||||
|
||||
add_action( 'transition_post_status', 'indexnow_after_post_save', 10, 3 ); //send to indexNow
|
||||
|
||||
add_action('wpmu_new_blog', 'disable_conflict_sitemaps_on_new_blog', 10, 6);
|
||||
|
||||
function disable_conflict_sitemaps_on_new_blog($blog_id, $user_id, $domain, $path, $site_id, $meta) {
|
||||
switch_to_blog($blog_id);
|
||||
$aioseo_option_key = 'aioseo_options';
|
||||
if (get_option($aioseo_option_key) !== null) {
|
||||
$aioseo_options = get_option($aioseo_option_key);
|
||||
$aioseo_options = json_decode($aioseo_options, true);
|
||||
$aioseo_options['sitemap']['general']['enable'] = false;
|
||||
update_option($aioseo_option_key, json_encode($aioseo_options));
|
||||
}
|
||||
restore_current_blog();
|
||||
}
|
||||
|
||||
add_action('parse_request', 'plugin_check_sitemap_request');
|
||||
function plugin_check_sitemap_request($wp) {
|
||||
if(is_multisite()) {
|
||||
if(isset(get_blog_option( get_current_blog_id(), 'sm_options' )['sm_b_sitemap_name'])) {
|
||||
$sm_sitemap_name = get_blog_option( get_current_blog_id(), 'sm_options' )['sm_b_sitemap_name'];
|
||||
}
|
||||
} else if(isset(get_option('sm_options')['sm_b_sitemap_name'])) $sm_sitemap_name = get_option('sm_options')['sm_b_sitemap_name'];
|
||||
|
||||
if(isset($wp->request) && $wp->request === 'wp-sitemap.xml' && $sm_sitemap_name !== 'sitemap') {
|
||||
status_header(404);
|
||||
nocache_headers();
|
||||
include( get_query_template( '404' ) );
|
||||
exit;
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Google analytics .
|
||||
*/
|
||||
function ga_header() {
|
||||
if ( ! ( defined( 'DOING_AJAX' ) && DOING_AJAX ) ) {
|
||||
global $wp_version;
|
||||
$window_url = 'http://' . $_SERVER[ 'HTTP_HOST' ] . $_SERVER[ 'REQUEST_URI' ];
|
||||
$parts = wp_parse_url( $window_url );
|
||||
$current_page = '';
|
||||
|
||||
$window_url = home_url() . $_SERVER[ 'REQUEST_URI' ];
|
||||
$parts = wp_parse_url( $window_url );
|
||||
$current_page = '';
|
||||
$current_url = $_SERVER['REQUEST_URI'];
|
||||
if ( isset( $parts['query'] ) ) {
|
||||
parse_str( $parts['query'], $query );
|
||||
if ( isset( $query['page'] ) ) {
|
||||
$current_page = $query['page'];
|
||||
}
|
||||
}
|
||||
$plugin_version = GoogleSitemapGeneratorLoader::get_version();
|
||||
|
||||
$consent_value = get_option( 'sm_user_consent' );
|
||||
|
||||
echo "<script>
|
||||
setTimeout(()=>{
|
||||
|
||||
var user_consent = document.getElementById('user_consent')
|
||||
if(user_consent){
|
||||
user_consent.addEventListener('click',function(){
|
||||
setTimeout(()=>{
|
||||
window.location.reload()
|
||||
},1000)
|
||||
})
|
||||
}
|
||||
var enable_updates = document.querySelector(\"[name='enable_auto_update']\")
|
||||
if(enable_updates){
|
||||
enable_updates.addEventListener('click', function (event) {
|
||||
event.preventDefault();
|
||||
document.getElementById('enable_updates').value = \"true\";
|
||||
document.querySelector(\"[id='enable-updates-form']\").submit();
|
||||
});
|
||||
}
|
||||
var do_not_enable_updates = document.querySelector(\"[name='do_not_enable_auto_update']\")
|
||||
if(do_not_enable_updates){
|
||||
do_not_enable_updates.addEventListener('click', function (event) {
|
||||
event.preventDefault();
|
||||
document.getElementById('enable_updates').value = \"false\";
|
||||
document.querySelector(\"[id='enable-updates-form']\").submit();
|
||||
});
|
||||
}
|
||||
|
||||
var conflict_plugin = document.querySelectorAll('.conflict_plugin')
|
||||
conflict_plugin.forEach((plugin,index)=>{
|
||||
plugin.addEventListener('click', function (event) {
|
||||
event.preventDefault();
|
||||
console.log(plugin)
|
||||
document.getElementById('disable_plugin').value = plugin.id;
|
||||
document.querySelector(\"[id='disable-plugins-form']\").submit();
|
||||
});
|
||||
})
|
||||
|
||||
var more_info_button = document.getElementById('more_info_button')
|
||||
if(more_info_button){
|
||||
more_info_button.addEventListener('click',function(){
|
||||
document.getElementById('cookie-info-banner-wrapper').style.display = 'flex'
|
||||
})
|
||||
}
|
||||
var close_cookie_info = document.getElementById('close_popup')
|
||||
if(close_cookie_info){
|
||||
close_cookie_info.addEventListener('click',function(){
|
||||
document.getElementById('cookie-info-banner-wrapper').style.display = 'none'
|
||||
|
||||
})
|
||||
}
|
||||
},2000);
|
||||
|
||||
</script>";
|
||||
if ( 'yes' === $consent_value && 'google-sitemap-generator/sitemap.php' === $current_page ) {
|
||||
echo "
|
||||
<script>(function(w,d,s,l,i){w[l]=w[l]||[];w[l].push({'gtm.start':
|
||||
new Date().getTime(),event:'gtm.js'});var f=d.getElementsByTagName(s)[0],
|
||||
j=d.createElement(s),dl=l!='dataLayer'?'&l='+l:'';j.async=true;j.src=
|
||||
'https://www.googletagmanager.com/gtm.js?id='+i+dl;f.parentNode.insertBefore(j,f);
|
||||
})(window,document,'script','dataLayer','GTM-N8CQCXB');</script>
|
||||
";
|
||||
}
|
||||
if ( isset( $parts['query'] ) ) {
|
||||
parse_str( $parts['query'], $query );
|
||||
if ( isset( $query['page'] ) ) {
|
||||
$current_page = $query['page'];
|
||||
if ( strpos( $current_page, 'google-sitemap-generator' ) !== false ) {
|
||||
echo "
|
||||
<script>
|
||||
setTimeout(()=>{
|
||||
|
||||
if(document.getElementById('discard_content')){
|
||||
document.getElementById('discard_content').classList.remove('discard_button_outside_settings')
|
||||
document.getElementById('discard_content').classList.add('discard_button')
|
||||
}
|
||||
if( document.getElementById(\"user-consent-form\") ){
|
||||
const form = document.getElementById(\"user-consent-form\")
|
||||
var plugin_version = document.createElement(\"input\")
|
||||
plugin_version.name = \"plugin_version\"
|
||||
plugin_version.id = \"plugin_version\"
|
||||
plugin_version.value = \"<?php echo $wp_version;?>\"
|
||||
plugin_version.type = \"hidden\"
|
||||
form.appendChild(plugin_version)
|
||||
var wordpress_version = document.createElement(\"input\")
|
||||
wordpress_version.name = \"wordpress_version\"
|
||||
wordpress_version.id = \"wordpress_version\"
|
||||
wordpress_version.value = '$wp_version'
|
||||
wordpress_version.type = \"hidden\"
|
||||
form.appendChild(wordpress_version)
|
||||
}
|
||||
|
||||
},200);
|
||||
</script>";
|
||||
} else {
|
||||
echo '<script>
|
||||
setTimeout(()=>{
|
||||
let discardContent = document.getElementById("discard_content");
|
||||
|
||||
if (discardContent) {
|
||||
discardContent.classList.add("discard_button_outside_settings");
|
||||
discardContent.classList.remove("discard_button");
|
||||
}
|
||||
}, 200);
|
||||
</script>';
|
||||
}
|
||||
} else {
|
||||
echo '<script>
|
||||
setTimeout(()=>{
|
||||
let discardContent = document.getElementById("discard_content");
|
||||
|
||||
if (discardContent) {
|
||||
discardContent.classList.add("discard_button_outside_settings");
|
||||
discardContent.classList.remove("discard_button");
|
||||
}
|
||||
}, 200);
|
||||
</script>';
|
||||
}
|
||||
} else {
|
||||
echo "<script>
|
||||
setTimeout(()=>{
|
||||
let discardContent = document.getElementById(\"discard_content\");
|
||||
if (discardContent) {
|
||||
document.getElementById(\"discard_content\").classList.add(\"discard_button_outside_settings\")
|
||||
document.getElementById(\"discard_content\").classList.remove(\"discard_button\")
|
||||
}
|
||||
if( document.getElementById(\"user-consent-form\") ){
|
||||
const form = document.getElementById(\"user-consent-form\")
|
||||
var plugin_version = document.createElement(\"input\")
|
||||
plugin_version.name = \"plugin_version\"
|
||||
plugin_version.id = \"plugin_version\"
|
||||
plugin_version.value = '$plugin_version'
|
||||
plugin_version.type = \"hidden\"
|
||||
form.appendChild(plugin_version)
|
||||
|
||||
var wordpress_version = document.createElement(\"input\")
|
||||
wordpress_version.name = \"wp_version\"
|
||||
wordpress_version.id = \"wp_version\"
|
||||
wordpress_version.value = '$wp_version'
|
||||
wordpress_version.type = \"hidden\"
|
||||
form.appendChild(wordpress_version)
|
||||
}
|
||||
},200);
|
||||
</script>";
|
||||
return;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Google analytics .
|
||||
*/
|
||||
function ga_footer() {
|
||||
if ( ! ( defined( 'DOING_AJAX' ) && DOING_AJAX ) ) {
|
||||
$banner_discarded_count = get_option( 'sm_beta_banner_discarded_count' );
|
||||
if ( 1 === $banner_discarded_count || '1' === $banner_discarded_count ) {
|
||||
echo '<script>
|
||||
if(document.getElementById("discard_content")){
|
||||
document.getElementById("discard_content").classList.add("reject_consent")
|
||||
document.getElementById("discard_content").classList.remove("discard_button")
|
||||
}
|
||||
</script>';
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Check if the requirements of the sitemap plugin are met and loads the actual loader
|
||||
*
|
||||
* @package sitemap
|
||||
* @since 4.0
|
||||
*/
|
||||
function sm_setup() {
|
||||
|
||||
$fail = false;
|
||||
|
||||
// Check minimum PHP requirements, which is 5.2 at the moment.
|
||||
if ( version_compare( PHP_VERSION, '5.2', '<' ) ) {
|
||||
add_action( 'admin_notices', 'sm_add_php_version_error' );
|
||||
$fail = true;
|
||||
}
|
||||
|
||||
// Check minimum WP requirements, which is 3.3 at the moment.
|
||||
if ( version_compare( $GLOBALS['wp_version'], '3.3', '<' ) ) {
|
||||
add_action( 'admin_notices', 'sm_add_wp_version_error' );
|
||||
$fail = true;
|
||||
}
|
||||
|
||||
if ( ! $fail ) {
|
||||
require_once trailingslashit( dirname( __FILE__ ) ) . 'class-googlesitemapgeneratorloader.php';
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
/**
|
||||
* Adds a notice to the admin interface that the WordPress version is too old for the plugin
|
||||
*
|
||||
* @package sitemap
|
||||
* @since 4.0
|
||||
*/
|
||||
function sm_add_wp_version_error() {
|
||||
/* translators: %s: search term */
|
||||
|
||||
echo '<div id=\'sm-version-error\' class=\'error fade\'><p><strong>' . esc_html( __( 'Your WordPress version is too old for XML Sitemaps.', 'google-sitemap-generator' ) ) . '</strong><br /> ' . esc_html( sprintf( __( 'Unfortunately this release of Google XML Sitemaps requires at least WordPress %4$s. You are using WordPress %2$s, which is out-dated and insecure. Please upgrade or go to <a href=\'%1$s\'>active plugins</a> and deactivate the Google XML Sitemaps plugin to hide this message. You can download an older version of this plugin from the <a href=\'%3$s\'>plugin website</a>.', 'google-sitemap-generator' ), 'plugins.php?plugin_status=active', esc_html( $GLOBALS['wp_version'] ), 'http://www.arnebrachhold.de/redir/sitemap-home/', '3.3' ) ) . '</p></div>';
|
||||
}
|
||||
|
||||
/**
|
||||
* Adds a notice to the admin interface that the WordPress version is too old for the plugin
|
||||
*
|
||||
* @package sitemap
|
||||
* @since 4.0
|
||||
*/
|
||||
function sm_add_php_version_error() {
|
||||
/* translators: %s: search term */
|
||||
|
||||
echo '<div id=\'sm-version-error\' class=\'error fade\'><p><strong>' . esc_html( __( 'Your PHP version is too old for XML Sitemaps.', 'google-sitemap-generator' ) ) . '</strong><br /> ' . esc_html( sprintf( __( 'Unfortunately this release of Google XML Sitemaps requires at least PHP %4$s. You are using PHP %2$s, which is out-dated and insecure. Please ask your web host to update your PHP installation or go to <a href=\'%1$s\'>active plugins</a> and deactivate the Google XML Sitemaps plugin to hide this message. You can download an older version of this plugin from the <a href=\'%3$s\'>plugin website</a>.', 'google-sitemap-generator' ), 'plugins.php?plugin_status=active', PHP_VERSION, 'http://www.arnebrachhold.de/redir/sitemap-home/', '5.2' ) ) . '</p></div>';
|
||||
}
|
||||
|
||||
/**
|
||||
* Returns the file used to load the sitemap plugin
|
||||
*
|
||||
* @package sitemap
|
||||
* @since 4.0
|
||||
* @return string The path and file of the sitemap plugin entry point
|
||||
*/
|
||||
function sm_get_init_file() {
|
||||
return __FILE__;
|
||||
}
|
||||
|
||||
/**
|
||||
* Register beta user consent function.
|
||||
*/
|
||||
function register_consent() {
|
||||
if ( ! ( defined( 'DOING_AJAX' ) && DOING_AJAX ) ) {
|
||||
if ( is_user_logged_in() && current_user_can( 'manage_options' ) ) {
|
||||
if ( isset( $_POST['user_consent_yes'] ) ) {
|
||||
if (isset($_POST['user_consent_yesno_nonce_token']) && check_admin_referer('user_consent_yesno_nonce', 'user_consent_yesno_nonce_token')){
|
||||
update_option( 'sm_user_consent', 'yes' );
|
||||
}
|
||||
}
|
||||
if ( isset( $_POST['user_consent_no'] ) ) {
|
||||
if (isset($_POST['user_consent_yesno_nonce_token']) && check_admin_referer('user_consent_yesno_nonce', 'user_consent_yesno_nonce_token')){
|
||||
update_option( 'sm_user_consent', 'no' );
|
||||
}
|
||||
}
|
||||
if ( isset( $_GET['action'] ) ) {
|
||||
if ( 'no' === $_GET['action'] ) {
|
||||
if ( $_SERVER['QUERY_STRING'] ) {
|
||||
if( strpos( $_SERVER['QUERY_STRING'], 'google-sitemap-generator' ) ) {
|
||||
update_option( 'sm_show_beta_banner', 'false' );
|
||||
$count = get_option( 'sm_beta_banner_discarded_count' );
|
||||
if ( gettype( $count ) !== 'boolean' ) {
|
||||
update_option( 'sm_beta_banner_discarded_count', (int) $count + 1 );
|
||||
} else {
|
||||
add_option( 'sm_beta_banner_discarded_on', gmdate( 'Y/m/d' ) );
|
||||
update_option( 'sm_beta_banner_discarded_count', (int) 1 );
|
||||
}
|
||||
GoogleSitemapGeneratorLoader::setup_rewrite_hooks();
|
||||
GoogleSitemapGeneratorLoader::activate_rewrite();
|
||||
} else {
|
||||
add_option( 'sm_beta_notice_dismissed_from_wp_admin', 'true' );
|
||||
}
|
||||
} else {
|
||||
add_option( 'sm_beta_notice_dismissed_from_wp_admin', 'true' );
|
||||
}
|
||||
}
|
||||
}
|
||||
if ( isset( $_POST['enable_updates'] ) ) {
|
||||
if (isset($_POST['enable_updates_nonce_token']) && check_admin_referer('enable_updates_nonce', 'enable_updates_nonce_token')){
|
||||
if ( 'true' === $_POST['enable_updates'] ) {
|
||||
$auto_update_plugins = get_option( 'auto_update_plugins' );
|
||||
if ( ! is_array( $auto_update_plugins ) ) {
|
||||
$auto_update_plugins = array();
|
||||
}
|
||||
array_push( $auto_update_plugins, 'google-sitemap-generator/sitemap.php' );
|
||||
update_option( 'auto_update_plugins', $auto_update_plugins );
|
||||
} elseif ( 'false' === $_POST['enable_updates'] ) {
|
||||
update_option( 'sm_hide_auto_update_banner', 'yes' );
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/*
|
||||
if ( isset( $_POST['disable_plugin'] ) ) {
|
||||
if (isset($_POST['disable_plugin_sitemap_nonce_token']) && check_admin_referer('disable_plugin_sitemap_nonce', 'disable_plugin_sitemap_nonce_token')){
|
||||
if ( strpos( $_POST['disable_plugin'], 'all_in_one' ) !== false ) {
|
||||
$default_value = 'default';
|
||||
$aio_seo_options = get_option( 'aioseo_options', $default_value );
|
||||
if ( $aio_seo_options !== $default_value ) {
|
||||
$aio_seo_options = json_decode( $aio_seo_options );
|
||||
$aio_seo_options->sitemap->general->enable = 0;
|
||||
update_option( 'aioseo_options', json_encode( $aio_seo_options ) );
|
||||
}
|
||||
} elseif( strpos( $_POST['disable_plugin'], 'wp-seo' ) !== false ) {
|
||||
$yoast_options = get_option( 'wpseo' );
|
||||
$yoast_options['enable_xml_sitemap'] = false;
|
||||
update_option( 'wpseo', $yoast_options );
|
||||
}
|
||||
}
|
||||
}
|
||||
*/
|
||||
}
|
||||
}
|
||||
$updateUrlRules = get_option('sm_options');
|
||||
if(!isset($updateUrlRules['sm_b_rewrites2']) || $updateUrlRules['sm_b_rewrites2'] == false){
|
||||
GoogleSitemapGeneratorLoader::setup_rewrite_hooks();
|
||||
GoogleSitemapGeneratorLoader::activate_rewrite();
|
||||
GoogleSitemapGeneratorLoader::activation_indexnow_setup();
|
||||
|
||||
if (isset($updateUrlRules['sm_b_rewrites2'])) {
|
||||
$updateUrlRules['sm_b_rewrites2'] = true;
|
||||
update_option('sm_options', $updateUrlRules);
|
||||
} else {
|
||||
$updateUrlRules['sm_b_rewrites2'] = true;
|
||||
add_option('sm_options', $updateUrlRules);
|
||||
update_option('sm_options', $updateUrlRules);
|
||||
}
|
||||
|
||||
}
|
||||
if(isset($updateUrlRules['sm_links_page'] )){
|
||||
$sm_links_page = intval($updateUrlRules['sm_links_page']);
|
||||
if($sm_links_page < 1000) {
|
||||
$updateUrlRules['sm_links_page'] = 1000;
|
||||
update_option('sm_options', $updateUrlRules);
|
||||
}
|
||||
}
|
||||
|
||||
if(!isset($updateUrlRules['sm_b_activate_indexnow']) || $updateUrlRules['sm_b_activate_indexnow'] == false){
|
||||
$updateUrlRules['sm_b_activate_indexnow'] = true;
|
||||
$updateUrlRules['sm_b_indexnow'] = true;
|
||||
update_option('sm_options', $updateUrlRules);
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
function disable_plugins_callback(){
|
||||
if (current_user_can('manage_options')) {
|
||||
check_ajax_referer('disable_plugin_sitemap_nonce', 'nonce');
|
||||
|
||||
$pluginList = sanitize_text_field($_POST['pluginList']);
|
||||
$pluginsToDisable = explode(',', $pluginList);
|
||||
|
||||
foreach ($pluginsToDisable as $plugin) {
|
||||
if ($plugin === 'all-in-one-seo-pack/all_in_one_seo_pack.php') {
|
||||
/* all in one seo deactivation */
|
||||
$aioseo_option_key = 'aioseo_options';
|
||||
if ($aioseo_options = get_option($aioseo_option_key)) {
|
||||
$aioseo_options = json_decode($aioseo_options, true);
|
||||
$aioseo_options['sitemap']['general']['enable'] = false;
|
||||
update_option($aioseo_option_key, json_encode($aioseo_options));
|
||||
}
|
||||
}
|
||||
if ($plugin === 'wordpress-seo/wp-seo.php') {
|
||||
/* yoast sitemap deactivation */
|
||||
if ($yoast_options = get_option('wpseo')) {
|
||||
$yoast_options['enable_xml_sitemap'] = false;
|
||||
update_option('wpseo', $yoast_options);
|
||||
}
|
||||
}
|
||||
if ($plugin === 'jetpack/jetpack.php') {
|
||||
/* jetpack sitemap deactivation */
|
||||
$modules_array = get_option('jetpack_active_modules');
|
||||
if(is_array($modules_array)) {
|
||||
if (in_array('sitemaps', $modules_array)) {
|
||||
$key = array_search('sitemaps', $modules_array);
|
||||
unset($modules_array[$key]);
|
||||
update_option('jetpack_active_modules', $modules_array);
|
||||
}
|
||||
}
|
||||
}
|
||||
if ($plugin === 'wordpress-sitemap') {
|
||||
/* Wordpress sitemap deactivation */
|
||||
$options = get_option('sm_options', array());
|
||||
if (isset($options['sm_wp_sitemap_status'])) $options['sm_wp_sitemap_status'] = false;
|
||||
else $options['sm_wp_sitemap_status'] = false;
|
||||
update_option('sm_options', $options);
|
||||
}
|
||||
}
|
||||
|
||||
echo 'Plugins sitemaps disabled successfully';
|
||||
wp_die();
|
||||
}
|
||||
}
|
||||
|
||||
function conflict_plugins_admin_notice(){
|
||||
GoogleSitemapGeneratorLoader::create_notice_conflict_plugin();
|
||||
}
|
||||
|
||||
/* send to index updated url */
|
||||
function indexnow_after_post_save($new_status, $old_status, $post) {
|
||||
$indexnow = get_option('sm_options');
|
||||
$indexNowStatus = isset($indexnow['sm_b_indexnow']) ? $indexnow['sm_b_indexnow'] : false;
|
||||
if ($indexNowStatus === true) {
|
||||
$newUrlToIndex = new GoogleSitemapGeneratorIndexNow();
|
||||
$is_changed = false;
|
||||
$type = "add";
|
||||
if ($old_status === 'publish' && $new_status === 'publish') {
|
||||
$is_changed = true;
|
||||
$type = "update";
|
||||
}
|
||||
else if ($old_status != 'publish' && $new_status === 'publish') {
|
||||
$is_changed = true;
|
||||
$type = "add";
|
||||
}
|
||||
else if ($old_status === 'publish' && $new_status === 'trash') {
|
||||
$is_changed = true;
|
||||
$type = "delete";
|
||||
}
|
||||
if ($is_changed) $newUrlToIndex->start(get_permalink($post));
|
||||
}
|
||||
}
|
||||
|
||||
// Don't do anything if this file was called directly.
|
||||
if ( defined( 'ABSPATH' ) && defined( 'WPINC' ) && ! class_exists( 'GoogleSitemapGeneratorLoader', false ) ) {
|
||||
sm_setup();
|
||||
|
||||
if(isset(get_option('sm_options')['sm_wp_sitemap_status']) ) $wp_sitemap_status = get_option('sm_options')['sm_wp_sitemap_status'];
|
||||
else $wp_sitemap_status = true;
|
||||
if($wp_sitemap_status = true) $wp_sitemap_status = '__return_true';
|
||||
else $wp_sitemap_status = '__return_false';
|
||||
add_filter( 'wp_sitemaps_enabled', $wp_sitemap_status );
|
||||
|
||||
add_action('wp_ajax_disable_plugins', 'disable_plugins_callback');
|
||||
|
||||
add_action('admin_notices', 'conflict_plugins_admin_notice');
|
||||
|
||||
}
|
||||
166
html/wp-content/plugins/google-sitemap-generator/sitemap.xsl
Normal file
@@ -0,0 +1,166 @@
|
||||
<?xml version="1.0" encoding="UTF-8"?>
|
||||
<xsl:stylesheet version="1.0"
|
||||
xmlns:html="http://www.w3.org/TR/REC-html40"
|
||||
xmlns:sitemap="http://www.sitemaps.org/schemas/sitemap/0.9"
|
||||
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
|
||||
<xsl:output method="html" version="1.0" encoding="UTF-8" indent="yes" />
|
||||
<xsl:template match="/">
|
||||
<html xmlns="http://www.w3.org/1999/xhtml">
|
||||
<head>
|
||||
<title>XML Sitemap</title>
|
||||
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
|
||||
<style type="text/css">
|
||||
body {
|
||||
font-family:"Lucida Grande","Lucida Sans Unicode",Tahoma,Verdana;
|
||||
font-size:13px;
|
||||
}
|
||||
|
||||
#intro {
|
||||
background-color:#cfebf7;
|
||||
border:1px #2580B2 solid;
|
||||
padding:5px 13px 5px 13px;
|
||||
margin:10px;
|
||||
}
|
||||
|
||||
#intro p {
|
||||
line-height:16.8667px;
|
||||
}
|
||||
#intro strong {
|
||||
font-weight:normal;
|
||||
}
|
||||
|
||||
td {
|
||||
font-size:11px;
|
||||
}
|
||||
|
||||
th {
|
||||
text-align:left;
|
||||
padding-right:30px;
|
||||
font-size:11px;
|
||||
}
|
||||
|
||||
tr.high {
|
||||
background-color:whitesmoke;
|
||||
}
|
||||
|
||||
#footer {
|
||||
padding:2px;
|
||||
margin-top:10px;
|
||||
font-size:8pt;
|
||||
color:gray;
|
||||
}
|
||||
|
||||
#footer a {
|
||||
color:gray;
|
||||
}
|
||||
|
||||
a {
|
||||
color:black;
|
||||
}
|
||||
</style>
|
||||
</head>
|
||||
<body>
|
||||
<xsl:apply-templates></xsl:apply-templates>
|
||||
<div id="footer">
|
||||
<p>
|
||||
Dynamically generated with <a rel="external nofollow" href="https://auctollo.com/products/google-xml-sitemap-generator/" title="XML Sitemap Generator for Google">XML Sitemap Generator for Google</a> by <a rel="external nofollow" href="https://auctollo.com/">Auctollo</a>. This XSLT template is released under the GPL and free to use.
|
||||
</p>
|
||||
<p>
|
||||
If you have problems with your sitemap please visit the <a rel="external nofollow" href="https://auctollo.com/products/google-xml-sitemap-generator/help/" title="Frequently Asked Questions">FAQ</a> or the <a rel="external nofollow" href="https://wordpress.org/support/plugin/google-sitemap-generator">support forum</a>.
|
||||
</p>
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
||||
</xsl:template>
|
||||
|
||||
|
||||
<xsl:template match="sitemap:urlset">
|
||||
<h1>XML Sitemap</h1>
|
||||
<div id="intro">
|
||||
<p>
|
||||
This XML sitemap is used by search engines which follow the <a rel="external nofollow" href="https://sitemaps.org">XML sitemap standard</a>.
|
||||
</p>
|
||||
<p>
|
||||
This file was dynamically generated using the <a rel="external nofollow" href="https://wordpress.org/">WordPress</a> content management system and <strong><a rel="external nofollow" href="https://auctollo.com/" title="XML Sitemap Generator for Google">XML Sitemap Generator for Google</a></strong> by <a rel="external nofollow" href="https://auctollo.com/">Auctollo</a>.
|
||||
</p>
|
||||
<p>
|
||||
|
||||
</p>
|
||||
</div>
|
||||
<div id="content">
|
||||
<table cellpadding="5">
|
||||
<tr style="border-bottom:1px black solid;">
|
||||
<th>URL</th>
|
||||
<th>Priority</th>
|
||||
<th>Change frequency</th>
|
||||
<th>Last modified (GMT)</th>
|
||||
</tr>
|
||||
<xsl:variable name="lower" select="'abcdefghijklmnopqrstuvwxyz'"/>
|
||||
<xsl:variable name="upper" select="'ABCDEFGHIJKLMNOPQRSTUVWXYZ'"/>
|
||||
<xsl:for-each select="./sitemap:url">
|
||||
<tr>
|
||||
<xsl:if test="position() mod 2 != 1">
|
||||
<xsl:attribute name="class">high</xsl:attribute>
|
||||
</xsl:if>
|
||||
<td>
|
||||
<xsl:variable name="itemURL">
|
||||
<xsl:value-of select="sitemap:loc"/>
|
||||
</xsl:variable>
|
||||
<a href="{$itemURL}">
|
||||
<xsl:value-of select="sitemap:loc"/>
|
||||
</a>
|
||||
</td>
|
||||
<td>
|
||||
<xsl:value-of select="concat(sitemap:priority*100,'%')"/>
|
||||
</td>
|
||||
<td>
|
||||
<xsl:value-of select="concat(translate(substring(sitemap:changefreq, 1, 1),concat($lower, $upper),concat($upper, $lower)),substring(sitemap:changefreq, 2))"/>
|
||||
</td>
|
||||
<td>
|
||||
<xsl:value-of select="sitemap:lastmod"/>
|
||||
</td>
|
||||
</tr>
|
||||
</xsl:for-each>
|
||||
</table>
|
||||
</div>
|
||||
</xsl:template>
|
||||
|
||||
|
||||
<xsl:template match="sitemap:sitemapindex">
|
||||
<h1>XML Sitemap Index</h1>
|
||||
<div id="intro">
|
||||
<p>
|
||||
This XML sitemap is used by search engines which follow the <a rel="external nofollow" href="https://sitemaps.org">XML sitemap standard</a>. This file contains links to sub-sitemaps, follow them to see the actual sitemap content.
|
||||
</p>
|
||||
<p>
|
||||
This file was dynamically generated using the <a rel="external nofollow" href="https://wordpress.org/">WordPress</a> content management system and <strong><a rel="external nofollow" href="https://auctollo.com/products/google-xml-sitemap-generator/" title="XML Sitemap Generator for Google">XML Sitemap Generator for Google</a></strong> by <a rel="external nofollow" href="https://auctollo.com/">Auctollo</a>.
|
||||
</p>
|
||||
</div>
|
||||
<div id="content">
|
||||
<table cellpadding="5">
|
||||
<tr style="border-bottom:1px black solid;">
|
||||
<th>URL of sub-sitemap</th>
|
||||
<th>Last modified (GMT)</th>
|
||||
</tr>
|
||||
<xsl:for-each select="./sitemap:sitemap">
|
||||
<tr>
|
||||
<xsl:if test="position() mod 2 != 1">
|
||||
<xsl:attribute name="class">high</xsl:attribute>
|
||||
</xsl:if>
|
||||
<td>
|
||||
<xsl:variable name="itemURL">
|
||||
<xsl:value-of select="sitemap:loc"/>
|
||||
</xsl:variable>
|
||||
<a href="{$itemURL}">
|
||||
<xsl:value-of select="sitemap:loc"/>
|
||||
</a>
|
||||
</td>
|
||||
<td>
|
||||
<xsl:value-of select="sitemap:lastmod"/>
|
||||
</td>
|
||||
</tr>
|
||||
</xsl:for-each>
|
||||
</table>
|
||||
</div>
|
||||
</xsl:template>
|
||||
</xsl:stylesheet>
|
||||
@@ -0,0 +1,85 @@
|
||||
<?php
|
||||
|
||||
require_once '../../../wp-load.php';
|
||||
global $wp_version;
|
||||
if ( (int) $wp_version > 4 ) {
|
||||
include_once( ABSPATH . 'wp-admin/includes/plugin-install.php' ); //for plugins_api..
|
||||
}
|
||||
include_once( ABSPATH . 'wp-admin/includes/plugin.php' );
|
||||
include_once( ABSPATH . 'wp-admin/includes/file.php' );
|
||||
include_once( ABSPATH . 'wp-admin/includes/misc.php' );
|
||||
include_once( ABSPATH . 'wp-admin/includes/class-wp-upgrader.php' );
|
||||
include_once( ABSPATH . 'wp-content/plugins/google-sitemap-generator/upgrade-plugin.php' );
|
||||
include_once( ABSPATH . 'wp-includes/pluggable.php' );
|
||||
include_once( ABSPATH . 'wp-content/plugins/google-sitemap-generator/class-googlesitemapgeneratorloader.php' );
|
||||
|
||||
if ( isset( $_GET['action'] ) ) {
|
||||
if ( 'yes' === sanitize_text_field( wp_unslash( $_GET['action'] ) ) ) {
|
||||
if ( ! current_user_can( 'manage_options' ) ) {
|
||||
wp_die( 'Forbidden', '', array( 'response' => 403 ) );
|
||||
}
|
||||
|
||||
if ( ! isset( $_GET['_wpnonce'] ) || ! wp_verify_nonce( sanitize_text_field( wp_unslash( $_GET['_wpnonce'] ) ), 'user_consent_yesno_nonce' ) ) {
|
||||
wp_die( 'Forbidden', '', array( 'response' => 403 ) );
|
||||
}
|
||||
}
|
||||
|
||||
update_option( 'sm_user_consent', 'yes' );
|
||||
$plugin_version = GoogleSitemapGeneratorLoader::get_version();
|
||||
global $wp_version;
|
||||
$user = wp_get_current_user();
|
||||
$user_id = $user->ID;
|
||||
$mydomain = $user->user_url ? $user->user_url : home_url();
|
||||
$user_name = $user->user_nicename;
|
||||
$useremail = $user->user_email;
|
||||
global $wpdb;
|
||||
$result = $wpdb->get_results( $wpdb->prepare( "SELECT user_id, meta_value FROM {$wpdb->usermeta} WHERE meta_key = %s AND user_id = %d", 'session_tokens', (int) $user_id ) );
|
||||
$user_login_details = array();
|
||||
$last_login = '';
|
||||
if ( ! empty( $result ) && isset( $result[0]->meta_value ) ) {
|
||||
$user_login_details = maybe_unserialize( $result[0]->meta_value );
|
||||
}
|
||||
if ( is_array( $user_login_details ) ) {
|
||||
foreach ( $user_login_details as $item ) {
|
||||
if ( isset( $item['login'] ) ) {
|
||||
$last_login = $item['login'];
|
||||
}
|
||||
}
|
||||
$data = array(
|
||||
'domain' => $mydomain,
|
||||
'userID' => $user_id,
|
||||
'userEmail' => $useremail,
|
||||
'userName' => $user_name,
|
||||
'lastLogin' => $last_login,
|
||||
'wp_version' => $wp_version,
|
||||
'plugin_version' => $plugin_version,
|
||||
'phpVersion' => PHP_VERSION,
|
||||
);
|
||||
$args = array(
|
||||
'headers' => array(
|
||||
'Content-type : application/json',
|
||||
),
|
||||
'method' => 'POST',
|
||||
'body' => wp_json_encode( $data ),
|
||||
);
|
||||
$response = wp_remote_post( SM_BETA_USER_INFO_URL, $args );
|
||||
$body = json_decode( $response['body'] );
|
||||
if ( 200 === $body->status ) {
|
||||
add_option( 'sm_show_beta_banner', 'false' );
|
||||
add_option( 'sm_beta_opt_in', true );
|
||||
update_option( 'sm_beta_banner_discarded_count', (int) 2 );
|
||||
GoogleSitemapGeneratorLoader::setup_rewrite_hooks();
|
||||
GoogleSitemapGeneratorLoader::activate_rewrite();
|
||||
GoogleSitemapGeneratorLoader::activation_indexnow_setup(); //activtion indexNow
|
||||
echo "<script>
|
||||
window.addEventListener('DOMContentLoaded', (event) => {
|
||||
var url = '" . SM_LEARN_MORE_API_URL . "/?utm_source=wordpress&utm_medium=notification&utm_campaign=beta&utm_id=v4'
|
||||
var link = document.createElement('a');
|
||||
link.href = url;
|
||||
document.body.appendChild(link);
|
||||
link.click();
|
||||
});
|
||||
</script>";
|
||||
}
|
||||
}
|
||||
}
|
||||