• Home
  • Tools
    • Color Chart
  • Software
    • Windows tricks
      • Windows 11 Speed Up Tricks
      • Windows Command Prompt CMD
    • Android Phone
      • Android – Dangerous Settings to Turn Off
    • Projects
      • Copy Files
      • Php Autoscript
      • Web Tools
  • Payments
  • Notes
  • System Tips

Notes

ACCESS 2022 | Browsers | Css | Htacess | Html | Html5 | Javascript | Microsoft Excel | Mysql | Mysql Dumps | Php | Vb.net | VBscript | Windows <=8 | Windows >=10 | WP | WP Plugin | WP Themes | _Misc Software |

ABCDEFGHIJKLMNOPQRSTUVWXYZ
ON
PRT
OFF

<- Look Inside Data
Conditions:
Order:
1|2|3|4|5|6|7|8|
50 Language Operation Title
Keywords
Application
Code Languageid
Show Html
Show Iframe
Make Public
Viewed
Viewed Date
WP Files Show Current Page
mysql setting current page
WP



1995
09/09/2023
WP Files Folder Shortcut Functions
home theme plugin site url folder
WP



1563
09/09/2023
WP Files WPfunctions.php
function mysql plugin
WP



0
07/29/2022
WP Formatting Make The Top Menu Clickable Only
click-able click-able container menus link submenu sub menu
I create a top menu page for linking pages to a parent page but it causes problems when you want people to click on the sub menus only.

WordPress 3.6 changed the appearance of this.

Appearance > Menus > Edit Menus
You’ll have to create a new menu item in the “Links” box.

There should be a URL box and a Link Text box.

What you’re wanting to do is just make the menu item a container only.

If you want a Navigation Menu Button to be just a container that does nothing except provide a container for a drop-down of other sub menu buttons just place the following in the URL section of the button/menu.

javascript: void(0);

or:

#

Add to menu

http://cyberchimps.com/guide/how-to-use-the-menu-system/

http://cyberchimps.com/forum-topic/make-menu-items-inactive-but-clickable-for-the-drop-down-sub-menu/
WP



1067
09/09/2023
WP Formatting Register Widget Areas In Your Admin Cpanel
widget area register_sidebar functions.php admin
WP



1238
09/09/2023
WP Formatting Using External Php Pages
external pages get header get footer get sidebar get_header() get_footer() get_sidebar()
WP



757
09/09/2023
WP Formatting Embed Wordpress Page Into An External Php Page
embed wordpress page apply_filters get_pages functions
WP



759
09/09/2023
WP Formatting Hide A Widget Area Without Removing It
hide widget area class id
WP



670
09/09/2023
WP Function Code That Displays Errors
error
Error Traping
WP



1
01/08/2026
WP Function Start Plugin
plugin wpdb
Plugin
WP



3
09/09/2023
WP Function Directories
directory function
WP



2
09/09/2023
WP Function Hooks
hook embed
WP



2
09/09/2023
WP Query Merging Two Wordpress Databases
merge wordpress databases left join posts
http://wordpress.stackexchange.com/questions/94018/merging-two-wp-posts-tables-while-avoiding-duplicates

Import the new table as wp_posts_2, then join them and delete all duplicates based on post_content; then merge the two tables.

The following SQL query (untested!) should give the posts from the new table to be deleted:

SELECT wp2.* FROM wp_posts_2 as wp2 LEFT JOIN wp_posts as wp ON wp2.post_content = wp.post_content WHERE wp2.post_content = wp.post_content

So, you can delete the entries with this query (also untested):

DELETE wp_posts_2.* LEFT JOIN wp_posts as wp ON wp_posts_2.post_content = wp.post_content WHERE wp_posts_2.post_content = wp.post_content

Then merge the two tables.
WP



666
09/09/2023
WP Server Passing Php Variables To Page
url passing variables
example wordpress url
http://www.mydomain.com/client-login/?UR=stevew@thickairnet.com&PD=testproduct

If you are not creating a theme:
1. Make sure the php plugin is installed if you want to add php code using the page editor.
2. Add the varibles at the end of the path as below.
http://www.mydomain.com/client-login/?UR=stevew@thickairnet.com&PD=testproduct
3. You can use the $_GET[] to retrieve the variables

Getting a current URL in WordPress can be done in several ways depending on your needs and the page type. Here’s the most common:

Using Global $wp Object
The $wp global object provides the simplest way to obtain the current URL. It gives you access to WordPress query vars, which you can then use to generate the URL dynamically.

Here’s how.
Global $wp;

$current_url = home_url(add_query_arg(array(), $wp->request));

This gets the full URL of the current page, including query vars. It’s useful because it works everywhere, single posts, pages, and archives.

Pros:
Flexible and works with all WordPress pages.
Includes query vars, perfect for tracking or debugging.


Use Case:
For developers who need to generate URLs dynamically in templates or plugins. Just add this to any PHP template file and you’re done!



Using get_permalink()Function
get_permalink() is best when you already have a context-aware template.

Here’s the code:
$current_url = get_permalink(get_queried_object_id());

This gets the URL of the queried object (post, page, or custom post type). It’s simple and works well for single posts or page templates like single.php or page.php.

Pros:
Easy to use for single pages or posts.
No need to handle query variables manually.
Use Case: Use this for navigation links or tracking user activity on specific pages. It’s simple and perfect for specific templates.



Using home_url() for Homepage URL
If you want the homepage URL, WordPress has a function for that:

$current_url = home_url(‘/’);

This will always give you the base URL of your WordPress site, regardless of the page you are on.

Pros:
Super simple.
Works for the root URL of your site.
Use Case: For global settings, navigation lin, ks, or creating absolute URLs in your code.



Taxonomy or Author URLs
For taxonomy terms (categories or tags), use get_term_link(). For author archives, use get_author_posts_url().

Taxonomy URL:
$current_url = get_term_link(get_query_object_id());



Author URL:
$current_url = get_author_posts_url(get_queried_object_id());



Pros:
Template-specific, therefore less processing.
Ideal for archive pages, such as categories or tags.
Use Case: You can use this to customize archive page navigation or to create context-specific breadcrumbs.

Using PHP superglobals ($_SERVER)
Another method for obtaining the current URL in WordPress is to use PHP superglobals. These variables provide direct access to server-side data, allowing you to manually construct the URL.

Here’s how you can accomplish it:

$current_url equals ‘http://’. $_SERVER[‘HTTP_HOST’] . $_SERVER[‘REQUEST_URI’];

Pros:
Not dependent on WordPress functions so can be used in any PHP environment.
Works on all types of pages, from single posts to archives.
Use Case: Perfect when you need flexibility and are not tied to WordPress template files or functions. Useful for plugins or themes that may run outside the WordPress loop.

Each has advantages, so choose the one that best suits your WordPress project!

By combining superglobals with other WordPress-specific functions, you can create powerful URL-fetching tools tailored to your needs.

Bonus: Get the Current Slug
Sometimes you just need the slug—the short part of the URL that identifies a page or post. For example, if the URL is https://yourwebsite.com/my-post the slug would be my-post. Getting the slug can be super useful for custom dynamic content or URL-based conditions.

Here’s a quick snippet to get the current slug:
global $wp; $current_slug = add_query_arg(array(), $wp->request);
WP



1302
09/09/2023
WP Server Moving Wordpress Site From Design Folder.
moving move wordpress admin
WP



671
09/09/2023
WP Setup What Is The Minimun User Permissions
grant user permissions database create tables privileges install
Below is an example of the minimum privileges a database user needs to have. Other database permissions are regarded as "extra" privileges that in most cases are not needed. A typical WordPress user should be granted the following database privileges only:

SELECT
INSERT
UPDATE

Example of How to Grant Access Privileges

If you are upgrading WordPress, the above database permissions might not suffice between versions, WordPress might need to make further changes to the database. In this case, if you are only upgrading to the latest version of WordPress, add the below privileges to the WordPress database user:

CREATE: You will definitely need this if you manually install WordPress and have it create the tables.
ALTER: I have been getting along without this one. You probably can to.

NOTE: Some plugins might require additional database privileges such as CREATE, DROP ( I have never needed this one.) or DELETE and in those cases these privileges should be granted.

If you have someone doing data entry, DELETE may be very important.
WP



1735
09/09/2023
WP Setup Disable Website While You Are Designing Or Making Major Changes
disable under construction genesis framework
In the header.php file of genisis frame work. Since you logged in through admin you can edit an see page changes. Non logged in cannot see pages.

if(!is_user_logged_in()){
echo "This site is under construction"; exit;
}
WP



1059
09/09/2023
WP Setup Data List Plugin
widget data list plugin WP_Widget register_widget add_action
This plug in just displays a list of language types for computers and web development

/*
Plugin Name: Language Categories
Plugin URI: http://softwarewebdesign.com
Description: List Language Catagories.
Version: 1.0
Author: Software Web Design
Author URI: http://softwarewebdesign.com
License: GPL2
*/
// WP_Widget_Language_Catagory to WP_Widget_Language_Catagory
class dbase{
var $num=0;
var $id=0;
var $fieldname="";
var $data;
var $insertoption="";
var $quickarray=true;
function multipleRecs($value){
if($value==true)$value=false;
else $value=true;
$this->quickarray=$value;return true;
}
function tableOption($query){
$q = mysql_query($query);
$num_fields = mysql_num_fields($q);
for($ii = 0; $ii < $num_fields; $ii++) {
//$result.= mysql_field_name($query,$ii)."-".mysql_field_type($query,$ii)."(".mysql_field_len($query,$ii).")".mysql_field_flags($query,$ii)."\n";
$fieldinfo=mysql_field_flags($q,$ii);
if(strpos($fieldinfo,"rimary_key")>0){ $this->fieldname=mysql_field_name($q,$ii);break; }
}
}
function dbsql2($query){
$this->insertoption=$query;
}
function dbsql($query){
global $db; global $dc;global $debug;
if($debug!=true)$result=mysql_query($query);
else $result=mysql_query($query) or die(mysql_error().' from '.$query);
if(!$result){
if($debug==true){ echo "Error:".$query;exit;
}else{ echo "Error:".substr($query,0,10);exit;}
}
$sql= strtolower($query);
if(strpos($sql,"nsert into")==1)$AC=1;
if(strpos($sql,"elect")==1){ $AC=2;$this->num=mysql_numrows($result); }
if(strpos($sql,"pdate")==1 || strpos($sql,"elete")==1)$AC=3;
switch($AC){
case 1:
$this->id=mysql_insert_id();
break;
case 2:
if($this->num==0 && $this->insertoption!=""){ $this->dbq($this->insertoption); return false; }
if($this->num==0) return false;
if($this->num==1 && $this->quickarray==true)$this->data=mysql_fetch_array($result);
else $this->data=$result;
break;
case 3:
break;
} // end switch


}

} // end class

class WP_Widget_Language_Catagory extends WP_Widget {

// The widget construct. This creates title and description on wordpress admin widget page
function WP_Widget_Language_Catagory() {
$widget_ops = array( 'classname' => 'widget_LanguageCatagory', 'description' => __( "Language Catagory List for picking search topic" ) );
$this->WP_Widget('LanguageCatagory', __('sw - Language Catagory'), $widget_ops);
} // End function WP_Widget_Language_Catagory

// This code displays the widget on the screen.
function widget($args, $instance) {
extract($args);
echo $before_widget;
if(!empty($instance['title'])) {
echo $before_title . $instance['title'] . $after_title;
}
$q=new dbase();
$sql="SELECT * FROM language ORDER BY language";
$q->multipleRecs(true);
$q->dbsql($sql);$result=$q->data;
echo"
    \n";
    for($i=1;$i<=$q->num;$i++){
    $r=mysql_fetch_array($result);
    //echo "
  • ".$r[1]."";
    echo "
  • ".$r[1]."";
    }
    echo"
\n";
echo $after_widget;
} // End function widget.


} // end class WP_Widget_BareBones

// Register the widget.
add_action('widgets_init', create_function('', 'return register_widget("WP_Widget_Language_Catagory");'));
?>
WP



1403
09/09/2023
WP Variables Wordpress Constants
wordpress constants directories variables
get_site_url()

get_theme_root_uri(), get_stylesheet(), get_stylesheet_uri(), get_stylesheet_directory(), get_stylesheet_directory_uri(), get_bloginfo()


WordPress Directories:

home_url() Home URL http://www.example.com
site_url() Site directory URL http://www.example.com or http://www.example.com/wordpress
admin_url() Admin directory URL http://www.example.com/wp-admin
includes_url() Includes directory URL http://www.example.com/wp-includes
content_url() Content directory URL http://www.example.com/wp-content
plugins_url() Plugins directory URL http://www.example.com/wp-content/plugins
theme_url() Themes directory URL (#18302) http://www.example.com/wp-content/themes
wp_upload_dir() Upload directory URL (returns an array) http://www.example.com/wp-content/uploads

Categories:

WordPress Constants

Here are some of the constants and how they are used. There are probably a few that I missed. I’ll add to this as I find more.
Security Constants

These constants are declared in wp-config.php and are required for the normal operation of WordPress. All of these constants are 64 character random strings and are used for hashes, nonces and other security purposes. Each installation of WordPress should use different strings to ensure that your site is harder to “hack.” If you haven’t already changed your security keys, you can use WordPress’s online security key generator.

AUTH_KEY — Used for authenticating a user and setting cookies.
SECURE_AUTH_KEY — Used for authenticating a user and setting cookies under the https protocol.
LOGGED_IN_KEY — Used for marking a user’s cookie data as logged in.
NONCE_KEY — Used for creating Nonces, which are used as one-time values to ensure that humans are entering data in forms.
AUTH_SALT — Used to “salt” the authentication data. Salts are random data added to passwords, keys and other data to make them harder to guess.
SECURE_AUTH_SALT — Used to “salt” the secure authentication data.
LOGGED_IN_SALT — Used to “salt” the logged in cookie data.
NONCE_SALT — Used to “salt” the nonce data.

Database Constants

These are used to declare your database connection information. If you ever need to change your database password or location, you can effect this by editing your wp-config.php file and change these values:

DB_NAME — The name of your database.
DB_USER — The user name for your database connection.
DB_PASSWORD — The password for your database connection.
DB_HOST — The host name, or computer name where your database server is located.
DB_CHARSET — The character set used when creating tables in your database. Unless you have a specific requirement for something else, this should have a value of ‘utf8?.
DB_COLLATE — The collation (sorting) type to use for indexed data in your tables. This should be left empty unless you have a specific requirement otherwise.

Other wp-config.php Constants

These are the last few constants that are normally declared in wp-config.php:

COOKIE_DOMAIN — Specifies the domain set in cookies for those with unusual domain configurations. This can help to prevent cookies being sent with requests for static content. Example: define(‘COOKIE_DOMAIN’, ‘www.staticdomain.com’);.
WP_DEBUG — Sets WordPress’s “debug” mode on or off. Normally, this is set to false. Changing it to define(‘WP_DEBUG’, true); will turn on debug mode. This can be useful if you need to track down errors.
WP_HOME — This overrides the configuration setting for the home url, but doesn’t change it permanently. This should include the http:// prefix, as in: define(‘WP_HOME’, ‘http://domain.com/optionalsubdirectory’);.
WP_SITEURL — Declares the site’s URL. This defines the address where your WordPress code files reside. It should include the http:// prefix. An example would be: define(‘WP_SITEURL’, ‘http://mydomain.com’);.
WPLANG — Used to localize your WordPress install. This should be left empty for a default language of American English. If you need to localize your WordPress installation, you need to change this and install a corresponding MO file for your language. For example, changing this to: define(‘WPLANG’, ‘de_DE’); will set your language to German.
DISABLE_WP_CRON — Used to turn off WP Cron tasks that are initiated y a page load. When this is disabled, it is recommended to set up a separate Cron job to run the wp-cron.php script on a regular basis in order to still have cron-related operations run.

System Constants

These constants are set to describe the state of how WordPress handles various requests.

APP_REQUEST — Set within wp-app.php to indicate that WordPress is handling an Atom Publishing Protocol request.

Default Constants

These values are declared in the wp-includes/default-constants.php file. You to change these settings, add them to your wp-config.php file so they are declared before the wp-includes/default-constants.php file is loaded.

ADMIN_COOKIE_PATH — Sets the cookie path for admin-based cookies. If not already defined, this will take the value: define(‘ADMIN_COOKIE_PATH’, SITECOOKIEPATH . ‘wp-admin’);
AUTH_COOKIE — Sets the authentication cookie name. If not already set, will be: define(‘AUTH_COOKIE’, ‘wordpress_’ . COOKIEHASH);
COOKIEHASH — Defines an MD5 hash of the site’s domain name for use in user and password cookie names.
COOKIEPATH — Defines the path name to be used in setting and retrieving cookies. If not already set, will be the domain name in which WordPress is installed. On MultiSite installs, will be the subdomain name, or the domain name including the directory of the Site.
FORCE_SSL_ADMIN — Enforces the use of SSL for Admin access. Normally, this is disabled. To force SSL for all Admin pages, you can: define(‘FORCE_SSL_ADMIN’, true);
FORCE_SSL_LOGIN — Enforces the use of SSL for site logins. Normally, this is disabled. To force SSL for login requests, you can: define(‘FORCE_SSL_LOGIN’, true);
SITECOOKIEPATH — Sets the cookie path for normal site cookies. If not set, this will take the value define(‘SITECOOKIEPATH’, preg_replace(‘|https?://[^/]+|i’, ”, get_option(‘siteurl’) . ‘/’ ) );
WP_CONTENT_DIR — Sets the name of the content directory. Normally, this is ‘wp-content’. To change this, you can: define(‘WP_CONTENT_DIR’, ‘mycontentdirectory’); This can also be obtained by using plugin_dir_path()
WP_CONTENT_URL — Sets the URL for the content directory references. if you change the WP_CONTENT_DIR, you will also need to change this to match the directory name for http requests.
WP_DEBUG_DISPLAY — Controls display of errors. The default is to use the display_errors setting and not force errors to be displayed. To force errors to display, you can: define(‘WP_DEBUG_DISPLAY’, true);
WP_DEBUG_LOG — Controls error logging to the file wp-content/debug.log. The default is no logging. To change this, you can: define(‘WP_DEBUG_LOG’, true);
WP_DEFAULT_THEME — Sets the default theme. The current version of WordPress assumes a default theme of ‘twentyeleven’. If you want to change this, you can: define(‘WP_DEFAULT_THEME’, ‘mydefaulttheme’);
WP_PLUGIN_DIR — Sets the directory for plugin files. The default is ‘plugins’. To change this, you can: define(‘WP_PLUGIN_DIR’, ‘/newplugindir’);
WP_PLUGIN_URL — Sets the URL for the plugin directory. If you change the WP_PLUGIN_DIR, you will also need to change this to match the directory name for http requests. If you have compatibility issues with some plugins, you can set an additional value, as in: define(‘PLUGINDIR’, ‘/wpdir/wp-content/plugins’);.
WPMU_PLUGIN_DIR — Sets the directory to store the Must Use plugins. The default location is /mu-plugins. To change this, you can: define(‘WPMU_PLUGIN_DIR’, ‘/requiredplugins’);
WPMU_PLUGIN_URL — Sets the URL for the Must Use plugin directory. If you change the WPMU_PLUGIN_DIR, you will also need to change this to match the directory name for http requests.

Capability Settings

These can be used to control certain behaviors that users are allowed to perform. Some of these are confusing because you are turning “on” the ability to “disallow” a feature. So be careful on how you’re declaring these values. Most of these are used in the wp-includes/capabilities.php file, but if you want to change the settings, you should add your settings to your wp-config.php file.

ALLOW_UNFILTERED_UPLOADS — Allows unfiltered uploads. You can: define(‘ALLOW_UNFILTERED_UPLOADS’, true); to enable users to upload files without filtering. Be careful: this is a potential security risk.
DISALLOW_FILE_EDIT — Allows users to edit theme and plugin files. If you do not want your users to be able to edit these files, you can change this: define(‘DISALLOW_FILE_EDIT’, true);
DISALLOW_FILE_MODS — Allows users to update theme and plugin files via the WordPress Repository. If you do not want your users to be able to update their WordPress install, you can change this: define(‘DISALLOW_FILE_MODS’, true);
DISALLOW_UNFILTERED_HTML — Disables the ability to allow unfiltered HTML. Using define(‘DISALLOW_UNFILTERED_HTML’, false); will turn off the ability to allow unfiltered HTML.
WP_CACHE — Enables the built-in WordPress caching capability. If you want to enable this caching, you can: define(‘WP_CACHE’, true);
WP_USE_THEMES — Declared in /index.php. Tells WordPress whether or not use load it’s template engine. If you want access to WordPress APIs but don’t want or need the overhead of the template engine, define this to false: define(‘WP_USE_THEMES’, false);

Script Control

These settings control how scripts (Javascript and CSS) are handled by the system.

COMPRESS_CSS — Compresses CSS. To enable CSS compression, you can: define(‘COMPRESS_CSS’, true);
COMPRESS_SCRIPTS — Compresses scripts. To enable compression, you can: define(‘COMPRESS_SCRIPTS’, true);
CONCATENATE_SCRIPTS — Concatenates Javascript and CSS files. To enable, you can define(‘CONCATENATE_SCRIPTS’, true);
ENFORCE_GZIP — Forces gzip for compressoin of data sent to browsers. The default setting is to use the mod_deflate Apache module. If your host does not have this installed, you can: SCRIPT_DEBUG — Include the development (or non-minified) versions of all Javascript and CSS files. It also disabled compression and concatenation. To enable, you can: define(‘SCRIPT_DEBUG’, true);

Optimization Settings

These values can be used to control and optimize your WordPress install.

AUTOSAVE_INTERVAL — Sets the interval for saving revisions while editing posts.
CORE_UPGRADE_SKIP_NEW_BUNDLED — Enables skipping of theme and plugin updates when upgrading WordPress.
DOING_AJAX — Set to TRUE when processing an AJAX request.
EMPTY_TRASH_DAYS — Sets the number of days before trashed items are removed.
IMAGE_EDIT_OVERWRITE — Allows overwriting images when editing them.
MEDIA_TRASH — Enables the trash function for Media files.
WP_MEMORY_LIMIT — Sets the memory limit used.
WP_MAX_MEMORY_LIMIT — Controls the maximum memory size used. Some WordPress processes require more memory. This setting controls the upper limit used by these high memory use procedures.
SHORTINIT — Turns on only the core WordPress functions. Often used when interfacing to other platforms.
WP_POST_REVISIONS — Sets the maximum number of revisions to save. If set to FALSE it will be unlimited, an integer set the maximum number of revisions to save.

MultiSite Settings

These values control how WordPress MultiSite behaves.

NOBLOGREDIRECT — Sets the URL to redirect visitors to when they request a non-existent MultiSite blog. The default is ‘%siteurl%’, which is the default site. If you wish to use a different location, you can: define(‘NOBLOGREDIRECT’, ‘mynewdomain.com’);
WP_ALLOW_MULTISITE — Turns on MultiSite. Just enabling this using define(‘WP_ALLOW_MULTISITE’, true); does not by itself make your WordPress install a MultiSite install. It just starts the process. When you add this to your wp-config.php file, it turns on the Network menu in the Admin. This allows you to make certain choices and continue the setup process for your MultiSite install.
WPMU_ACCEL_REDIRECT — When using Apache X-Sendfile for quicker loading, this helps you turn it on natively in WordPress for MultiSites. To enable, you can: define(‘WPMU_ACCEL_REDIRECT’, true);


ABSPATH Definitions: 5 References: 597
ADMIN_COOKIE_PATH Definitions: 3 References: 8
AKISMET_DELETE_LIMIT Definitions: 1 References: 3
AKISMET_VERSION Definitions: 1 References: 8
AKISMET__MINIMUM_WP_VERSION Definitions: 1 References: 3
AKISMET__PLUGIN_DIR Definitions: 1 References: 7
AKISMET__PLUGIN_URL Definitions: 1 References: 5
ARRAY_A Definitions: 1 References: 71
ARRAY_N Definitions: 1 References: 16
ATOM Definitions: 1 References: 10
AUTH_COOKIE Definitions: 1 References: 12
AUTH_KEY Definitions: 1 References: 4
AUTH_SALT Definitions: 1 References: 3
AUTOSAVE_INTERVAL Definitions: 1 References: 3
BACKGROUND_COLOR Definitions: 1 References: 3
BACKGROUND_IMAGE Definitions: 1 References: 3
BLOGUPLOADDIR Definitions: 1 References: 5
BLOG_ID_CURRENT_SITE Definitions: 1 References: 3
COMMENTS_TEMPLATE Definitions: 1 References: 2
COOKIEHASH Definitions: 2 References: 29
COOKIEPATH Definitions: 2 References: 17
COOKIE_DOMAIN Definitions: 3 References: 28
CRLF Definitions: 1 References: 37
CUSTOM_TAGS Definitions: 1 References: 3
DAY_IN_SECONDS Definitions: 1 References: 33
DB_CHARSET Definitions: 1 References: 3
DB_COLLATE Definitions: 1 References: 6
DB_HOST Definitions: 2 References: 4
DB_NAME Definitions: 2 References: 5
DB_PASSWORD Definitions: 2 References: 4
DB_USER Definitions: 2 References: 4
DOING_AJAX Definitions: 2 References: 34
DOING_AUTOSAVE Definitions: 1 References: 4
DOING_CRON Definitions: 1 References: 24
DOMAIN_CURRENT_SITE Definitions: 1 References: 3
EBML_ID_ASPECTRATIOTYPE Definitions: 1 References: 3
EBML_ID_ATTACHEDFILE Definitions: 1 References: 3
EBML_ID_ATTACHMENTLINK Definitions: 1 References: 2
EBML_ID_ATTACHMENTS Definitions: 1 References: 3
EBML_ID_AUDIO Definitions: 1 References: 4
EBML_ID_BITDEPTH Definitions: 1 References: 3
EBML_ID_CHANNELPOSITIONS Definitions: 1 References: 3
EBML_ID_CHANNELS Definitions: 1 References: 3
EBML_ID_CHAPCOUNTRY Definitions: 1 References: 3
EBML_ID_CHAPLANGUAGE Definitions: 1 References: 3
EBML_ID_CHAPPROCESS Definitions: 1 References: 2
EBML_ID_CHAPPROCESSCODECID Definitions: 1 References: 2
EBML_ID_CHAPPROCESSCOMMAND Definitions: 1 References: 2
EBML_ID_CHAPPROCESSDATA Definitions: 1 References: 2
EBML_ID_CHAPPROCESSPRIVATE Definitions: 1 References: 2
EBML_ID_CHAPPROCESSTIME Definitions: 1 References: 2
EBML_ID_CHAPSTRING Definitions: 1 References: 3
EBML_ID_CHAPTERATOM Definitions: 1 References: 4
EBML_ID_CHAPTERDISPLAY Definitions: 1 References: 4
EBML_ID_CHAPTERFLAGENABLED Definitions: 1 References: 3
EBML_ID_CHAPTERFLAGHIDDEN Definitions: 1 References: 3
EBML_ID_CHAPTERPHYSICALEQUIV Definitions: 1 References: 2
EBML_ID_CHAPTERS Definitions: 1 References: 3
EBML_ID_CHAPTERSEGMENTEDITIONUID Definitions: 1 References: 3
EBML_ID_CHAPTERSEGMENTUID Definitions: 1 References: 3
EBML_ID_CHAPTERTIMEEND Definitions: 1 References: 3
EBML_ID_CHAPTERTIMESTART Definitions: 1 References: 3
EBML_ID_CHAPTERTRACK Definitions: 1 References: 4
EBML_ID_CHAPTERTRACKNUMBER Definitions: 1 References: 3
EBML_ID_CHAPTERTRANSLATE Definitions: 1 References: 3
EBML_ID_CHAPTERTRANSLATECODEC Definitions: 1 References: 3
EBML_ID_CHAPTERTRANSLATEEDITIONUID Definitions: 1 References: 3
EBML_ID_CHAPTERTRANSLATEID Definitions: 1 References: 3
EBML_ID_CHAPTERUID Definitions: 1 References: 3
EBML_ID_CLUSTER Definitions: 1 References: 5
EBML_ID_CLUSTERBLOCK Definitions: 1 References: 5
EBML_ID_CLUSTERBLOCKADDID Definitions: 1 References: 2
EBML_ID_CLUSTERBLOCKADDITIONAL Definitions: 1 References: 2
EBML_ID_CLUSTERBLOCKADDITIONID Definitions: 1 References: 2
EBML_ID_CLUSTERBLOCKADDITIONS Definitions: 1 References: 2
EBML_ID_CLUSTERBLOCKDURATION Definitions: 1 References: 3
EBML_ID_CLUSTERBLOCKGROUP Definitions: 1 References: 4
EBML_ID_CLUSTERBLOCKMORE Definitions: 1 References: 2
EBML_ID_CLUSTERBLOCKVIRTUAL Definitions: 1 References: 2
EBML_ID_CLUSTERCODECSTATE Definitions: 1 References: 3
EBML_ID_CLUSTERDELAY Definitions: 1 References: 2
EBML_ID_CLUSTERDURATION Definitions: 1 References: 2
EBML_ID_CLUSTERENCRYPTEDBLOCK Definitions: 1 References: 2
EBML_ID_CLUSTERFRAMENUMBER Definitions: 1 References: 2
EBML_ID_CLUSTERLACENUMBER Definitions: 1 References: 2
EBML_ID_CLUSTERPOSITION Definitions: 1 References: 3
EBML_ID_CLUSTERPREVSIZE Definitions: 1 References: 3
EBML_ID_CLUSTERREFERENCEBLOCK Definitions: 1 References: 3
EBML_ID_CLUSTERREFERENCEPRIORITY Definitions: 1 References: 3
EBML_ID_CLUSTERREFERENCEVIRTUAL Definitions: 1 References: 2
EBML_ID_CLUSTERSILENTTRACKNUMBER Definitions: 1 References: 3
EBML_ID_CLUSTERSILENTTRACKS Definitions: 1 References: 4
EBML_ID_CLUSTERSIMPLEBLOCK Definitions: 1 References: 7
EBML_ID_CLUSTERSLICES Definitions: 1 References: 2
EBML_ID_CLUSTERTIMECODE Definitions: 1 References: 3
EBML_ID_CLUSTERTIMESLICE Definitions: 1 References: 2
EBML_ID_CODECDECODEALL Definitions: 1 References: 3
EBML_ID_CODECDOWNLOADURL Definitions: 1 References: 2
EBML_ID_CODECID Definitions: 1 References: 3
EBML_ID_CODECINFOURL Definitions: 1 References: 2
EBML_ID_CODECNAME Definitions: 1 References: 3
EBML_ID_CODECPRIVATE Definitions: 1 References: 4
EBML_ID_CODECSETTINGS Definitions: 1 References: 2
EBML_ID_COLOURSPACE Definitions: 1 References: 3
EBML_ID_CONTENTCOMPALGO Definitions: 1 References: 3
EBML_ID_CONTENTCOMPRESSION Definitions: 1 References: 4
EBML_ID_CONTENTCOMPSETTINGS Definitions: 1 References: 3
EBML_ID_CONTENTENCALGO Definitions: 1 References: 3
EBML_ID_CONTENTENCKEYID Definitions: 1 References: 3
EBML_ID_CONTENTENCODING Definitions: 1 References: 3
EBML_ID_CONTENTENCODINGORDER Definitions: 1 References: 3
EBML_ID_CONTENTENCODINGS Definitions: 1 References: 4
EBML_ID_CONTENTENCODINGSCOPE Definitions: 1 References: 3
EBML_ID_CONTENTENCODINGTYPE Definitions: 1 References: 3
EBML_ID_CONTENTENCRYPTION Definitions: 1 References: 4
EBML_ID_CONTENTSIGALGO Definitions: 1 References: 3
EBML_ID_CONTENTSIGHASHALGO Definitions: 1 References: 3
EBML_ID_CONTENTSIGKEYID Definitions: 1 References: 3
EBML_ID_CONTENTSIGNATURE Definitions: 1 References: 3
EBML_ID_CRC32 Definitions: 1 References: 3
EBML_ID_CUEBLOCKNUMBER Definitions: 1 References: 3
EBML_ID_CUECLUSTERPOSITION Definitions: 1 References: 3
EBML_ID_CUECODECSTATE Definitions: 1 References: 3
EBML_ID_CUEPOINT Definitions: 1 References: 3
EBML_ID_CUEREFCLUSTER Definitions: 1 References: 2
EBML_ID_CUEREFCODECSTATE Definitions: 1 References: 2
EBML_ID_CUEREFERENCE Definitions: 1 References: 2
EBML_ID_CUEREFNUMBER Definitions: 1 References: 2
EBML_ID_CUEREFTIME Definitions: 1 References: 2
EBML_ID_CUES Definitions: 1 References: 3
EBML_ID_CUETIME Definitions: 1 References: 3
EBML_ID_CUETRACK Definitions: 1 References: 3
EBML_ID_CUETRACKPOSITIONS Definitions: 1 References: 4
EBML_ID_DATEUTC Definitions: 1 References: 3
EBML_ID_DEFAULTDURATION Definitions: 1 References: 3
EBML_ID_DISPLAYHEIGHT Definitions: 1 References: 3
EBML_ID_DISPLAYUNIT Definitions: 1 References: 3
EBML_ID_DISPLAYWIDTH Definitions: 1 References: 3
EBML_ID_DOCTYPE Definitions: 1 References: 3
EBML_ID_DOCTYPEREADVERSION Definitions: 1 References: 3
EBML_ID_DOCTYPEVERSION Definitions: 1 References: 3
EBML_ID_DURATION Definitions: 1 References: 3
EBML_ID_EBML Definitions: 1 References: 3
EBML_ID_EBMLMAXIDLENGTH Definitions: 1 References: 3
EBML_ID_EBMLMAXSIZELENGTH Definitions: 1 References: 3
EBML_ID_EBMLREADVERSION Definitions: 1 References: 3
EBML_ID_EBMLVERSION Definitions: 1 References: 3
EBML_ID_EDITIONENTRY Definitions: 1 References: 3
EBML_ID_EDITIONFLAGDEFAULT Definitions: 1 References: 3
EBML_ID_EDITIONFLAGHIDDEN Definitions: 1 References: 3
EBML_ID_EDITIONFLAGORDERED Definitions: 1 References: 3
EBML_ID_EDITIONUID Definitions: 1 References: 3
EBML_ID_FILEDATA Definitions: 1 References: 4
EBML_ID_FILEDESCRIPTION Definitions: 1 References: 3
EBML_ID_FILEMIMETYPE Definitions: 1 References: 3
EBML_ID_FILENAME Definitions: 1 References: 3
EBML_ID_FILEREFERRAL Definitions: 1 References: 2
EBML_ID_FILEUID Definitions: 1 References: 3
EBML_ID_FLAGDEFAULT Definitions: 1 References: 3
EBML_ID_FLAGENABLED Definitions: 1 References: 3
EBML_ID_FLAGFORCED Definitions: 1 References: 3
EBML_ID_FLAGINTERLACED Definitions: 1 References: 3
EBML_ID_FLAGLACING Definitions: 1 References: 3
EBML_ID_GAMMAVALUE Definitions: 1 References: 3
EBML_ID_INFO Definitions: 1 References: 3
EBML_ID_LANGUAGE Definitions: 1 References: 3
EBML_ID_MAXBLOCKADDITIONID Definitions: 1 References: 3
EBML_ID_MAXCACHE Definitions: 1 References: 3
EBML_ID_MINCACHE Definitions: 1 References: 3
EBML_ID_MUXINGAPP Definitions: 1 References: 3
EBML_ID_NAME Definitions: 1 References: 3
EBML_ID_NEXTFILENAME Definitions: 1 References: 3
EBML_ID_NEXTUID Definitions: 1 References: 3
EBML_ID_OLDSTEREOMODE Definitions: 1 References: 3
EBML_ID_OUTPUTSAMPLINGFREQUENCY Definitions: 1 References: 3
EBML_ID_PIXELCROPBOTTOM Definitions: 1 References: 3
EBML_ID_PIXELCROPLEFT Definitions: 1 References: 3
EBML_ID_PIXELCROPRIGHT Definitions: 1 References: 3
EBML_ID_PIXELCROPTOP Definitions: 1 References: 3
EBML_ID_PIXELHEIGHT Definitions: 1 References: 3
EBML_ID_PIXELWIDTH Definitions: 1 References: 3
EBML_ID_PREVFILENAME Definitions: 1 References: 3
EBML_ID_PREVUID Definitions: 1 References: 3
EBML_ID_SAMPLINGFREQUENCY Definitions: 1 References: 3
EBML_ID_SEEK Definitions: 1 References: 3
EBML_ID_SEEKHEAD Definitions: 1 References: 3
EBML_ID_SEEKID Definitions: 1 References: 3
EBML_ID_SEEKPOSITION Definitions: 1 References: 3
EBML_ID_SEGMENT Definitions: 1 References: 3
EBML_ID_SEGMENTFAMILY Definitions: 1 References: 3
EBML_ID_SEGMENTFILENAME Definitions: 1 References: 3
EBML_ID_SEGMENTUID Definitions: 1 References: 3
EBML_ID_SIMPLETAG Definitions: 1 References: 5
EBML_ID_STEREOMODE Definitions: 1 References: 3
EBML_ID_TAG Definitions: 1 References: 3
EBML_ID_TAGATTACHMENTUID Definitions: 1 References: 3
EBML_ID_TAGBINARY Definitions: 1 References: 3
EBML_ID_TAGCHAPTERUID Definitions: 1 References: 3
EBML_ID_TAGDEFAULT Definitions: 1 References: 3
EBML_ID_TAGEDITIONUID Definitions: 1 References: 3
EBML_ID_TAGLANGUAGE Definitions: 1 References: 3
EBML_ID_TAGNAME Definitions: 1 References: 3
EBML_ID_TAGS Definitions: 1 References: 3
EBML_ID_TAGSTRING Definitions: 1 References: 3
EBML_ID_TAGTRACKUID Definitions: 1 References: 3
EBML_ID_TARGETS Definitions: 1 References: 3
EBML_ID_TARGETTYPE Definitions: 1 References: 3
EBML_ID_TARGETTYPEVALUE Definitions: 1 References: 3
EBML_ID_TIMECODESCALE Definitions: 1 References: 3
EBML_ID_TITLE Definitions: 1 References: 3
EBML_ID_TRACKENTRY Definitions: 1 References: 3
EBML_ID_TRACKNUMBER Definitions: 1 References: 3
EBML_ID_TRACKOFFSET Definitions: 1 References: 2
EBML_ID_TRACKOVERLAY Definitions: 1 References: 2
EBML_ID_TRACKS Definitions: 1 References: 3
EBML_ID_TRACKTIMECODESCALE Definitions: 1 References: 3
EBML_ID_TRACKTRANSLATE Definitions: 1 References: 2
EBML_ID_TRACKTRANSLATECODEC Definitions: 1 References: 2
EBML_ID_TRACKTRANSLATEEDITIONUID Definitions: 1 References: 2
EBML_ID_TRACKTRANSLATETRACKID Definitions: 1 References: 2
EBML_ID_TRACKTYPE Definitions: 1 References: 3
EBML_ID_TRACKUID Definitions: 1 References: 3
EBML_ID_VIDEO Definitions: 1 References: 4
EBML_ID_VOID Definitions: 1 References: 3
EBML_ID_WRITINGAPP Definitions: 1 References: 3
EMPTY_TRASH_DAYS Definitions: 1 References: 28
EP_ALL Definitions: 1 References: 1
EP_ALL_ARCHIVES Definitions: 1 References: 2
EP_ATTACHMENT Definitions: 1 References: 3
EP_AUTHORS Definitions: 1 References: 3
EP_CATEGORIES Definitions: 1 References: 3
EP_COMMENTS Definitions: 1 References: 3
EP_DATE Definitions: 1 References: 3
EP_DAY Definitions: 1 References: 3
EP_MONTH Definitions: 1 References: 3
EP_NONE Definitions: 1 References: 6
EP_PAGES Definitions: 1 References: 4
EP_PERMALINK Definitions: 1 References: 5
EP_ROOT Definitions: 1 References: 4
EP_SEARCH Definitions: 1 References: 3
EP_TAGS Definitions: 1 References: 3
EP_YEAR Definitions: 1 References: 3
EZSQL_VERSION Definitions: 1 References: 1
FORCE_SSL_ADMIN Definitions: 1 References: 3
FORCE_SSL_LOGIN Definitions: 1 References: 3
FS_CHMOD_DIR Definitions: 1 References: 17
FS_CHMOD_FILE Definitions: 1 References: 21
FS_CONNECT_TIMEOUT Definitions: 1 References: 5
FS_TIMEOUT Definitions: 2 References: 8
FTP_ASCII Definitions: 1 References: 21
FTP_AUTOASCII Definitions: 1 References: 9
FTP_BINARY Definitions: 1 References: 19
FTP_FORCE Definitions: 1 References: 3
GETID3_FLV_TAG_AUDIO Definitions: 1 References: 2
GETID3_FLV_TAG_META Definitions: 1 References: 2
GETID3_FLV_TAG_VIDEO Definitions: 1 References: 2
GETID3_FLV_VIDEO_H263 Definitions: 1 References: 3
GETID3_FLV_VIDEO_H264 Definitions: 1 References: 3
GETID3_FLV_VIDEO_SCREEN Definitions: 1 References: 2
GETID3_FLV_VIDEO_SCREENV2 Definitions: 1 References: 2
GETID3_FLV_VIDEO_VP6FLV Definitions: 1 References: 2
GETID3_FLV_VIDEO_VP6FLV_ALPHA Definitions: 1 References: 2
GETID3_HELPERAPPSDIR Definitions: 1 References: 11
GETID3_INCLUDEPATH Definitions: 1 References: 24
GETID3_MP3_VALID_CHECK_FRAMES Definitions: 1 References: 4
GETID3_OS_ISWINDOWS Definitions: 1 References: 7
GETID3_TEMP_DIR Definitions: 1 References: 6
H264_AVC_SEQUENCE_HEADER Definitions: 1 References: 2
H264_PROFILE_BASELINE Definitions: 1 References: 1
H264_PROFILE_EXTENDED Definitions: 1 References: 1
H264_PROFILE_HIGH Definitions: 1 References: 2
H264_PROFILE_HIGH10 Definitions: 1 References: 2
H264_PROFILE_HIGH422 Definitions: 1 References: 2
H264_PROFILE_HIGH444 Definitions: 1 References: 2
H264_PROFILE_HIGH444_PREDICTIVE Definitions: 1 References: 2
H264_PROFILE_MAIN Definitions: 1 References: 1
HEADER_IMAGE Definitions: 3 References: 5
HEADER_IMAGE_HEIGHT Definitions: 3 References: 7
HEADER_IMAGE_WIDTH Definitions: 3 References: 10
HEADER_TEXTCOLOR Definitions: 3 References: 7
HOUR_IN_SECONDS Definitions: 1 References: 45
IFRAME_REQUEST Definitions: 8 References: 12
IS_PROFILE_PAGE Definitions: 2 References: 24
LANGDIR Definitions: 2 References: 4
LOGGED_IN_COOKIE Definitions: 1 References: 12
LOGGED_IN_KEY Definitions: 1 References: 3
LOGGED_IN_SALT Definitions: 1 References: 3
MAGPIE_CACHE_AGE Definitions: 1 References: 3
MAGPIE_CACHE_DIR Definitions: 1 References: 3
MAGPIE_CACHE_FRESH_ONLY Definitions: 1 References: 2
MAGPIE_CACHE_ON Definitions: 1 References: 4
MAGPIE_DEBUG Definitions: 1 References: 10
MAGPIE_FETCH_TIME_OUT Definitions: 1 References: 3
MAGPIE_INITALIZED Definitions: 1 References: 2
MAGPIE_USER_AGENT Definitions: 2 References: 3
MAGPIE_USE_GZIP Definitions: 1 References: 2
MEDIA_TRASH Definitions: 1 References: 13
MINUTE_IN_SECONDS Definitions: 1 References: 9
MULTISITE Definitions: 2 References: 12
MUPLUGINDIR Definitions: 1 References: 2
NONCE_KEY Definitions: 1 References: 3
NONCE_SALT Definitions: 1 References: 3
NO_HEADER_TEXT Definitions: 2 References: 4
OBJECT Definitions: 1 References: 44
OBJECT_K Definitions: 1 References: 4
PASS_COOKIE Definitions: 1 References: 4
PATH_CURRENT_SITE Definitions: 1 References: 3
PCLZIP_ATT_FILE_COMMENT Definitions: 1 References: 4
PCLZIP_ATT_FILE_CONTENT Definitions: 1 References: 4
PCLZIP_ATT_FILE_MTIME Definitions: 1 References: 4
PCLZIP_ATT_FILE_NAME Definitions: 1 References: 6
PCLZIP_ATT_FILE_NEW_FULL_NAME Definitions: 1 References: 4
PCLZIP_ATT_FILE_NEW_SHORT_NAME Definitions: 1 References: 4
PCLZIP_CB_POST_ADD Definitions: 1 References: 7
PCLZIP_CB_POST_DELETE Definitions: 1 References: 2
PCLZIP_CB_POST_EXTRACT Definitions: 1 References: 13
PCLZIP_CB_POST_LIST Definitions: 1 References: 2
PCLZIP_CB_PRE_ADD Definitions: 1 References: 7
PCLZIP_CB_PRE_DELETE Definitions: 1 References: 2
PCLZIP_CB_PRE_EXTRACT Definitions: 1 References: 13
PCLZIP_CB_PRE_LIST Definitions: 1 References: 2
PCLZIP_ERROR_EXTERNAL Definitions: 1 References: 6
PCLZIP_ERR_ALREADY_A_DIRECTORY Definitions: 1 References: 2
PCLZIP_ERR_BAD_CHECKSUM Definitions: 1 References: 3
PCLZIP_ERR_BAD_EXTENSION Definitions: 1 References: 3
PCLZIP_ERR_BAD_EXTRACTED_FILE Definitions: 1 References: 3
PCLZIP_ERR_BAD_FORMAT Definitions: 1 References: 14
PCLZIP_ERR_DELETE_FILE_FAIL Definitions: 1 References: 3
PCLZIP_ERR_DIRECTORY_RESTRICTION Definitions: 1 References: 4
PCLZIP_ERR_DIR_CREATE_FAIL Definitions: 1 References: 4
PCLZIP_ERR_FILENAME_TOO_LONG Definitions: 1 References: 3
PCLZIP_ERR_INVALID_ARCHIVE_ZIP Definitions: 1 References: 8
PCLZIP_ERR_INVALID_ATTRIBUTE_VALUE Definitions: 1 References: 11
PCLZIP_ERR_INVALID_OPTION_VALUE Definitions: 1 References: 11
PCLZIP_ERR_INVALID_PARAMETER Definitions: 1 References: 24
PCLZIP_ERR_INVALID_ZIP Definitions: 1 References: 3
PCLZIP_ERR_MISSING_FILE Definitions: 1 References: 8
PCLZIP_ERR_MISSING_OPTION_VALUE Definitions: 1 References: 12
PCLZIP_ERR_NO_ERROR Definitions: 1 References: 6
PCLZIP_ERR_READ_OPEN_FAIL Definitions: 1 References: 16
PCLZIP_ERR_RENAME_FILE_FAIL Definitions: 1 References: 3
PCLZIP_ERR_UNSUPPORTED_COMPRESSION Definitions: 1 References: 4
PCLZIP_ERR_UNSUPPORTED_ENCRYPTION Definitions: 1 References: 5
PCLZIP_ERR_USER_ABORTED Definitions: 1 References: 7
PCLZIP_ERR_WRITE_OPEN_FAIL Definitions: 1 References: 7
PCLZIP_OPT_ADD_COMMENT Definitions: 1 References: 5
PCLZIP_OPT_ADD_PATH Definitions: 1 References: 14
PCLZIP_OPT_ADD_TEMP_FILE_OFF Definitions: 1 References: 1
PCLZIP_OPT_ADD_TEMP_FILE_ON Definitions: 1 References: 1
PCLZIP_OPT_ADD_TEMP_FILE_THRESHOLD Definitions: 1 References: 1
PCLZIP_OPT_BY_EREG Definitions: 1 References: 4
PCLZIP_OPT_BY_INDEX Definitions: 1 References: 23
PCLZIP_OPT_BY_NAME Definitions: 1 References: 21
PCLZIP_OPT_BY_PREG Definitions: 1 References: 11
PCLZIP_OPT_COMMENT Definitions: 1 References: 10
PCLZIP_OPT_EXTRACT_AS_STRING Definitions: 1 References: 10
PCLZIP_OPT_EXTRACT_DIR_RESTRICTION Definitions: 1 References: 7
PCLZIP_OPT_EXTRACT_IN_OUTPUT Definitions: 1 References: 5
PCLZIP_OPT_NO_COMPRESSION Definitions: 1 References: 8
PCLZIP_OPT_PATH Definitions: 1 References: 8
PCLZIP_OPT_PREPEND_COMMENT Definitions: 1 References: 5
PCLZIP_OPT_REMOVE_ALL_PATH Definitions: 1 References: 15
PCLZIP_OPT_REMOVE_PATH Definitions: 1 References: 14
PCLZIP_OPT_REPLACE_NEWER Definitions: 1 References: 7
PCLZIP_OPT_SET_CHMOD Definitions: 1 References: 6
PCLZIP_OPT_STOP_ON_ERROR Definitions: 1 References: 14
PCLZIP_OPT_TEMP_FILE_OFF Definitions: 1 References: 13
PCLZIP_OPT_TEMP_FILE_ON Definitions: 1 References: 10
PCLZIP_OPT_TEMP_FILE_THRESHOLD Definitions: 1 References: 17
PCLZIP_READ_BLOCK_SIZE Definitions: 1 References: 34
PCLZIP_SEPARATOR Definitions: 1 References: 4
PCLZIP_TEMPORARY_DIR Definitions: 1 References: 7
PCLZIP_TEMPORARY_FILE_RATIO Definitions: 1 References: 3
PHP_INT_MIN Definitions: 1 References: 3
PLUGINDIR Definitions: 1 References: 2
PLUGINS_COOKIE_PATH Definitions: 1 References: 5
PO_MAX_LINE_LEN Definitions: 1 References: 2
RSS Definitions: 1 References: 33
SCRIPT_DEBUG Definitions: 2 References: 14
SECURE_AUTH_COOKIE Definitions: 1 References: 12
SECURE_AUTH_KEY Definitions: 1 References: 3
SECURE_AUTH_SALT Definitions: 1 References: 3
SERVICES_JSON_IN_ARR Definitions: 1 References: 10
SERVICES_JSON_IN_CMT Definitions: 1 References: 3
SERVICES_JSON_IN_OBJ Definitions: 1 References: 10
SERVICES_JSON_IN_STR Definitions: 1 References: 4
SERVICES_JSON_LOOSE_TYPE Definitions: 1 References: 4
SERVICES_JSON_SLICE Definitions: 1 References: 7
SERVICES_JSON_SUPPRESS_ERRORS Definitions: 1 References: 3
SERVICES_JSON_USE_TO_JSON Definitions: 1 References: 2
SHORTINIT Definitions: 2 References: 4
SIMPLEPIE_BUILD Definitions: 1 References: 6
SIMPLEPIE_CONSTRUCT_ALL Definitions: 1 References: 1
SIMPLEPIE_CONSTRUCT_BASE64 Definitions: 1 References: 5
SIMPLEPIE_CONSTRUCT_HTML Definitions: 1 References: 18
SIMPLEPIE_CONSTRUCT_IRI Definitions: 1 References: 60
SIMPLEPIE_CONSTRUCT_MAYBE_HTML Definitions: 1 References: 18
SIMPLEPIE_CONSTRUCT_NONE Definitions: 1 References: 5
SIMPLEPIE_CONSTRUCT_TEXT Definitions: 1 References: 258
SIMPLEPIE_CONSTRUCT_XHTML Definitions: 1 References: 8
SIMPLEPIE_FILE_SOURCE_CURL Definitions: 1 References: 2
SIMPLEPIE_FILE_SOURCE_FILE_GET_CONTENTS Definitions: 1 References: 2
SIMPLEPIE_FILE_SOURCE_FSOCKOPEN Definitions: 1 References: 2
SIMPLEPIE_FILE_SOURCE_LOCAL Definitions: 1 References: 3
SIMPLEPIE_FILE_SOURCE_NONE Definitions: 1 References: 2
SIMPLEPIE_FILE_SOURCE_REMOTE Definitions: 1 References: 11
SIMPLEPIE_IANA_LINK_RELATIONS_REGISTRY Definitions: 1 References: 19
SIMPLEPIE_LINKBACK Definitions: 1 References: 1
SIMPLEPIE_LOCATOR_ALL Definitions: 1 References: 4
SIMPLEPIE_LOCATOR_AUTODISCOVERY Definitions: 1 References: 2
SIMPLEPIE_LOCATOR_LOCAL_BODY Definitions: 1 References: 3
SIMPLEPIE_LOCATOR_LOCAL_EXTENSION Definitions: 1 References: 3
SIMPLEPIE_LOCATOR_NONE Definitions: 1 References: 2
SIMPLEPIE_LOCATOR_REMOTE_BODY Definitions: 1 References: 3
SIMPLEPIE_LOCATOR_REMOTE_EXTENSION Definitions: 1 References: 3
SIMPLEPIE_LOWERCASE Definitions: 1 References: 1
SIMPLEPIE_NAME Definitions: 1 References: 5
SIMPLEPIE_NAMESPACE_ATOM_03 Definitions: 1 References: 79
SIMPLEPIE_NAMESPACE_ATOM_10 Definitions: 1 References: 89
SIMPLEPIE_NAMESPACE_DC_10 Definitions: 1 References: 21
SIMPLEPIE_NAMESPACE_DC_11 Definitions: 1 References: 21
SIMPLEPIE_NAMESPACE_GEORSS Definitions: 1 References: 7
SIMPLEPIE_NAMESPACE_ITUNES Definitions: 1 References: 24
SIMPLEPIE_NAMESPACE_MEDIARSS Definitions: 1 References: 116
SIMPLEPIE_NAMESPACE_MEDIARSS_WRONG Definitions: 1 References: 2
SIMPLEPIE_NAMESPACE_MEDIARSS_WRONG2 Definitions: 1 References: 2
SIMPLEPIE_NAMESPACE_MEDIARSS_WRONG3 Definitions: 1 References: 2
SIMPLEPIE_NAMESPACE_MEDIARSS_WRONG4 Definitions: 1 References: 2
SIMPLEPIE_NAMESPACE_MEDIARSS_WRONG5 Definitions: 1 References: 2
SIMPLEPIE_NAMESPACE_RDF Definitions: 1 References: 20
SIMPLEPIE_NAMESPACE_RSS_090 Definitions: 1 References: 23
SIMPLEPIE_NAMESPACE_RSS_10 Definitions: 1 References: 23
SIMPLEPIE_NAMESPACE_RSS_20 Definitions: 1 References: 50
SIMPLEPIE_NAMESPACE_W3C_BASIC_GEO Definitions: 1 References: 10
SIMPLEPIE_NAMESPACE_XHTML Definitions: 1 References: 3
SIMPLEPIE_NAMESPACE_XML Definitions: 1 References: 5
SIMPLEPIE_PCRE_HTML_ATTRIBUTE Definitions: 1 References: 4
SIMPLEPIE_PCRE_XML_ATTRIBUTE Definitions: 1 References: 3
SIMPLEPIE_SAME_CASE Definitions: 1 References: 1
SIMPLEPIE_TYPE_ALL Definitions: 1 References: 2
SIMPLEPIE_TYPE_ATOM_03 Definitions: 1 References: 3
SIMPLEPIE_TYPE_ATOM_10 Definitions: 1 References: 3
SIMPLEPIE_TYPE_ATOM_ALL Definitions: 1 References: 2
SIMPLEPIE_TYPE_NONE Definitions: 1 References: 3
SIMPLEPIE_TYPE_RSS_090 Definitions: 1 References: 4
SIMPLEPIE_TYPE_RSS_091 Definitions: 1 References: 2
SIMPLEPIE_TYPE_RSS_091_NETSCAPE Definitions: 1 References: 2
SIMPLEPIE_TYPE_RSS_091_USERLAND Definitions: 1 References: 2
SIMPLEPIE_TYPE_RSS_092 Definitions: 1 References: 2
SIMPLEPIE_TYPE_RSS_093 Definitions: 1 References: 2
SIMPLEPIE_TYPE_RSS_094 Definitions: 1 References: 2
SIMPLEPIE_TYPE_RSS_10 Definitions: 1 References: 4
SIMPLEPIE_TYPE_RSS_20 Definitions: 1 References: 2
SIMPLEPIE_TYPE_RSS_ALL Definitions: 1 References: 2
SIMPLEPIE_TYPE_RSS_RDF Definitions: 1 References: 2
SIMPLEPIE_TYPE_RSS_SYNDICATION Definitions: 1 References: 7
SIMPLEPIE_UPPERCASE Definitions: 1 References: 1
SIMPLEPIE_URL Definitions: 1 References: 3
SIMPLEPIE_USERAGENT Definitions: 1 References: 4
SIMPLEPIE_VERSION Definitions: 1 References: 4
SITECOOKIEPATH Definitions: 2 References: 20
SITE_ID_CURRENT_SITE Definitions: 1 References: 3
STYLESHEETPATH Definitions: 1 References: 8
SUBDOMAIN_INSTALL Definitions: 3 References: 13
TEMPLATEPATH Definitions: 1 References: 9
TEST_COOKIE Definitions: 1 References: 5
UPLOADBLOGSDIR Definitions: 1 References: 5
UPLOADS Definitions: 1 References: 7
USER_COOKIE Definitions: 1 References: 4
VHOST Definitions: 2 References: 11
WEEK_IN_SECONDS Definitions: 1 References: 6
WPINC Definitions: 5 References: 204
WPLANG Definitions: 1 References: 22
WPMU_ACCEL_REDIRECT Definitions: 1 References: 3
WPMU_PLUGIN_DIR Definitions: 1 References: 20
WPMU_PLUGIN_URL Definitions: 1 References: 3
WPMU_SENDFILE Definitions: 1 References: 3
WP_ADMIN Definitions: 4 References: 10
WP_ALLOW_REPAIR Definitions: 2 References: 3
WP_BLOG_ADMIN Definitions: 1 References: 3
WP_CACHE Definitions: 1 References: 6
WP_CONTENT_DIR Definitions: 3 References: 95
WP_CONTENT_URL Definitions: 1 References: 10
WP_CRON_LOCK_TIMEOUT Definitions: 1 References: 4
WP_DEBUG Definitions: 3 References: 26
WP_DEBUG_DISPLAY Definitions: 1 References: 5
WP_DEBUG_LOG Definitions: 1 References: 5
WP_DEFAULT_THEME Definitions: 1 References: 19
WP_IMPORTING Definitions: 1 References: 7
WP_INSTALLING Definitions: 5 References: 37
WP_INSTALLING_NETWORK Definitions: 2 References: 9
WP_LANG_DIR Definitions: 2 References: 32
WP_LOAD_IMPORTERS Definitions: 2 References: 3
WP_MAIL_INTERVAL Definitions: 1 References: 3
WP_MAX_MEMORY_LIMIT Definitions: 1 References: 8
WP_MEMORY_LIMIT Definitions: 2 References: 7
WP_NETWORK_ADMIN Definitions: 2 References: 9
WP_PLUGIN_DIR Definitions: 1 References: 58
WP_PLUGIN_URL Definitions: 1 References: 4
WP_POST_REVISIONS Definitions: 1 References: 3
WP_REPAIRING Definitions: 1 References: 4
WP_SETUP_CONFIG Definitions: 1 References: 5
WP_UNINSTALL_PLUGIN Definitions: 1 References: 1
WP_USER_ADMIN Definitions: 2 References: 9
WP_USE_THEMES Definitions: 1 References: 6
WXR_VERSION Definitions: 1 References: 1
XMLRPC_REQUEST Definitions: 1 References: 8
YEAR_IN_SECONDS Definitions: 1 References: 21
WP



972
09/09/2023
WP Variables Rerserved Words
reserved constant
WP



2
09/09/2023
WP Plugin Customizing Putting Your Code Into Wordpress Admin
admin embed iframe
Developer Wordpress
Got it — you want to embed an iFrame inside the WordPress admin area (not just in posts or pages). This is a bit different from front-end embedding because it involves customizing the WordPress dashboard or admin pages.

Here’s how you can do it safely and cleanly:

1. Add an iFrame to a Custom Admin Page
You can create a new admin menu item and load your iFrame inside it.

Php
Copy code
// Add this to your theme's functions.php or a custom plugin
function my_custom_admin_page() {
add_menu_page(
'My iFrame Page', // Page title
'iFrame Page', // Menu title
'manage_options', // Capability
'my-iframe-page', // Menu slug
'my_iframe_page_html', // Callback function
'dashicons-admin-site', // Icon
20 // Position
);
}
add_action('admin_menu', 'my_custom_admin_page');

function my_iframe_page_html() {
?>
{div class="wrap">
{h1>Embedded iFrame{/h1>
{iframe src="https://example.com" width="100%" height="600" style="border:0;">{/iframe>
{/div>
{?php
}
2. Embed iFrame in an Existing Admin Page via Hook
If you want to insert it into an existing settings page, you can hook into the page’s output:

Php
Copy code
function my_iframe_in_settings_page() {
echo '{iframe src="https://example.com" width="100%" height="500" style="border:0;">{/iframe>';
}
add_action('admin_notices', 'my_iframe_in_settings_page');
(Note: This will show at the top of all admin pages — you can conditionally check $_GET['page'] to target specific ones.)

3. Use a Dashboard Widget with iFrame
This is great if you want the iFrame right on the WordPress Dashboard.

Php
Copy code
function my_iframe_dashboard_widget() {
wp_add_dashboard_widget(
'my_iframe_widget',
'My iFrame Widget',
function() {
echo '{iframe src="https://example.com" width="100%" height="400" style="border:0;">{/iframe>';
}
);
}
add_action('wp_dashboard_setup', 'my_iframe_dashboard_widget');
???? Tips for Safety & Compatibility

Only embed trusted URLs to avoid security risks.
Some sites block embedding via X-Frame-Options. If your iFrame doesn’t load, that’s likely the reason.
For better styling, you can enqueue custom CSS for admin pages using admin_enqueue_scripts.
If you want, I can make a version where the iFrame is responsive and styled to match the WordPress admin UI so it feels native. Would you like me to prepare that?

Undo



?php
/*
Plugin Name: Custom Admin PHP Script
Description: Adds a custom admin page that runs a PHP script.
Version: 1.0
Author: Your Name
*/

// Hook into admin menu
add_action('admin_menu', 'cap_add_admin_page');

function cap_add_admin_page() {
add_menu_page(
'Custom PHP Script', // Page title
'Custom Script', // Menu title
'manage_options', // Capability
'custom-php-script', // Menu slug
'cap_render_admin_page', // Callback function
'dashicons-editor-code', // Icon
100 // Position
);
}

// Render the admin page
function cap_render_admin_page() {
if (!current_user_can('manage_options')) {
wp_die('Unauthorized user');
}

echo '{div class="wrap">{h1>Custom PHP Script Output{/h1>';

// Your PHP script logic here
try {
$result = date('Y-m-d H:i:s'); // Example: current date/time
echo "{p>Server time is: {strong>{$result}{/strong>{/p>";
} catch (Exception $e) {
echo '{p style="color:red;">Error: ' . esc_html($e->getMessage()) . '{/p>';
}

echo '{/div>';
}
WP Plugin



0
01/19/2026
WP Plugin Formatting Making Your Shortcode Report Look Good In WP
style.css shortcode report plugin
Shortcode

Add this to your WP custom css


body {overflow:visible;}
table{border-color:black;border-collapse:collapse;mso-padding-alt:0in 5.4pt 0in 5.4pt}
textarea{ font-size:8pt; }
hr.cell_split{color:red;}
tr.alt{background-color:#EEEEEE;}
td{font-family:verdana;font-size:8pt;border:1px solid #000000;}
.navletters {margin:0 7px 0 7px; }
td.code_mod {max-width: 600px;}
div.scroll{overflow:auto;text-align:left;min-width:200px;max-width:600px;max-height:200px; }
input[type="button"],input[type="submit"]{
background-color: #64c9ea;
border: none;
border-radius: 2px;
box-shadow: none;
color: #fff;
cursor: pointer;
padding: 5px 5px;
min-width:10px;margin:5px;}
input[type="text"],input[type="select"] {font-family:verdana;font-size:10pt;margin:5px;padding: 2px 2px;width:70%}
WP Plugin



5
09/09/2023
WP Plugin Plug-in Link Your Admin Inside Of Wordpress Admin
plug-in plug in admin panel link admin
Custom
WP Plugin



725
09/09/2023
WP Plugin Plug-in Keep Colorado Free
wordpress admin plugin shortcode membership form
Custom
WP Plugin



3
12/22/2022
WP Plugin Plug-in Scriptures
show table of records
Custom
WP Plugin



1
12/22/2022
WP Themes Archive Software Web Design Home Page Code
page plugin ??
Executive Pro
WP Themes



1
12/22/2022
WP Themes Customizing Executive Pro Theme Html5
article header executive pro
Genesis Framework
WP Themes



1287
09/09/2023
WP Themes Customizing Genesis Loop Hooks Comparison
loop hooks html5 xhtml
Genesis Framework
WP Themes



1644
09/09/2023
WP Themes Formatting How To Create A Custom Landing Page Template Genesis Framework
genesis remove_action template genesis_ remove page content
Genesis Framework
WP Themes



1153
09/09/2023
WP Themes Formatting Register Widget Areas In Your Admin Cpanel Genesis Framework
widget areas register add_theme_support CHILD_THEME_NAME genesis_unregister_layout genesis_register_
Genesis Framework
WP Themes



764
09/09/2023
WP Themes Function List Of Hooks That Have Been Added To The Genesis Framework:
hooks genesis wordpress
Genesis Framework
WP Themes



1333
09/09/2023
WP Themes Function Genesis Hooks
genesis framework hooks
Genesis Framework
WP Themes



601
09/09/2023
WP Themes Function Genesis Functions
genesis functions
Genesis Framework
WP Themes



702
09/09/2023
_Misc Software Archive Backup Google Earth My Places
google earth backup
Google Earth Pro
Move saved locations to a new computer
You can move locations you've saved in Google Earth to a different computer. Saved locations are called placemarks, and they're automatically saved to your computer.

Step 1: Find location file
Windows
Press Ctrl + Esc + r or Windows key + r.
. In the "Open" box, enter "%USERPROFILE%AppDataLocalLowGoogleGoogleEarth".
If you're using Windows XP, enter "%USERPROFILE%Application DataGoogleGoogleEarth" instead.
Select OK.
In the directory, you'll see a file called "myplaces.kml". This file has your saved locations.
Note: If you want to replace a corrupted myplaces.kml file, use "myplaces.backup.kml."
Mac
Open the Finder.
At the top of the screen, click Go. Hold down Option or Alt, then click Library and then Application support and then Google Earth.
You'll see a file called "myplaces.kml". This file has your saved locations.
Note: If you want to replace a corrupted myplaces.kml file, use "myplaces.backup.kml."
Step 2: Move location file
There are a few ways you can transfer the file with your saved locations to another computer:

Save the file in Google Drive
Email the file to yourself
Save the file to a USB drive
Tip: Back up your myplaces.kml file to a removable device, like USB drive.
_Misc Software



0
01/23/2025
_Misc Software Archive Backup Config Files
config
Config Files
code
//require_once($_SERVER['DOCUMENT_ROOT']."/activate75.php");
if($_SERVER['REMOTE_ADDR']=="127.0.0.1"){ $server='localhost';$user='greatone';$password='gr38t0n3';$database='accounting'; $_SESSION['LEVEL']=10;}
else{ $server='localhost';$user='warmhugs_GodMode';$password='G0d.M0d3!';$database='warmhugs_codesaver'; $LEVEL=3;$_SESSION['LEVEL']=3; }
$debug=false;$domain="softwarewebsecure.com|127.0.0.1";$lightbox="../lightbox";
$sessionListSave='';
define('SWD_KEY', 'KingOfKings'); define('SWD_AUTHENTICATE', true);
setcookie("humans_21909", "", time() - 3600, "/");
//Save this session when using ?RESET=1. Use commas if more than one



accounting business
//require_once($_SERVER['DOCUMENT_ROOT']."/activate75.php");
if($_SERVER['REMOTE_ADDR']=="127.0.0.1"){ $server='localhost';$user='greatone';$password='gr38t0n3';$database='accounting'; $_SESSION['LEVEL']=10;}
else{ $server='localhost';$user='warmhugs_GodMode';$password='G0d.M0d3!';$database='warmhugs_accounting';$_SESSION['LEVEL']=2; }
$LEVEL=$_SESSION['LEVEL'];$debug=true;$domain="softwarewebsecure.com|127.0.0.1";$lightbox="https://www.softwarewebsecure.com";
$sessionListSave=''; //Save this session when using ?RESET=1. Use commas if more than one.
define('SWD_KEY', 'KingOfKings'); define('SWD_AUTHENTICATE', true);
setcookie("humans_21909", "", time() - 3600, "/");


Accounting Personal
//$y=date('Y');$m=date('m');$filter="Y".$y."M".$m;
//if($_GET["$filter"]==1){$_SESSION['LEVEL']=1;$LEVE=1;}else{require_once($_SERVER['DOCUMENT_ROOT']."/activate75.php");}
if($_SERVER['REMOTE_ADDR']=="127.0.0.1"){ $server='localhost';$user='greatone';$password='gr38t0n3';$database='accountingp'; $_SESSION['LEVEL']=10;}
else{ $server='localhost';$user='softwax3_Steve99';$password='pay99.bill';$database='softwax3_accountingP'; }
$LEVEL=$_SESSION['LEVEL'];$debug=true;$domain="softwarewebsecure.com|127.0.0.1";$lightbox="https://www.softwarewebsecure.com";
$sessionListSave="date_of1SAVE,date_of2SAVE"; //Save this session when using ?RESET=1. Use commas if more than one.
define('SWD_KEY', 'KingOfKings'); define('SWD_AUTHENTICATE', true);
setcookie("humans_21909", "", time() - 3600, "/");


accounting Sons
//require_once($_SERVER['DOCUMENT_ROOT']."/activate75.php");
if($_SERVER['REMOTE_ADDR']=="127.0.0.1"){ $server='localhost';$user='greatone';$password='gr38t0n3';$database='accounting'; $_SESSION['LEVEL']=10;}
else{ $server='localhost';$user='warmhugs_GodMode';$password='G0d.M0d3!';$database='warmhugs_winterbros';$_SESSION['LEVEL']=2; }
$LEVEL=$_SESSION['LEVEL'];$debug=true;$domain="softwarewebsecure.com|127.0.0.1";$lightbox="https://www.softwarewebsecure.com";
$sessionListSave=''; //Save this session when using ?RESET=1. Use commas if more than one.
define('SWD_KEY', 'KingOfKings'); define('SWD_AUTHENTICATE', true);
setcookie("humans_21909", "", time() - 3600, "/");

Email Accounts
//require_once($_SERVER['DOCUMENT_ROOT']."/activate75.php");
if($_SERVER['REMOTE_ADDR']=="127.0.0.1"){ $server='localhost';$user='greatone';$password='gr38t0n3';$database='accounting'; $_SESSION['LEVEL']=10;}
else{ $server='localhost';$user='warmhugs_GodMode';$password='G0d.M0d3!';$database='warmhugs_emailAccts';$_SESSION['LEVEL']=3; }
$LEVEL=$_SESSION['LEVEL'];$debug=true;$domain="softwarewebsecure.com|127.0.0.1";$lightbox="https://www.softwarewebdesign.com";
$sessionListSave=''; //Save this session when using ?RESET=1. Use commas if more than one.
define('SWD_KEY', 'JesusIsLord'); define('SWD_AUTHENTICATE', true);
setcookie("humans_21909", "", time() - 3600, "/");


Windsor hair Shoppe
//require_once($_SERVER['DOCUMENT_ROOT']."/activate75.php");
if($_SERVER['REMOTE_ADDR']=="127.0.0.1"){ $server='localhost';$user='greatone';$password='gr38t0n3';$database='accounting'; $_SESSION['LEVEL']=10;}
else{ $server='localhost';$user='warmhugs_GodMode';$password='G0d.M0d3!';$database='warmhugs_hairShoppe';$_SESSION['LEVEL']=3; }
$LEVEL=$_SESSION['LEVEL'];$debug=true;$domain="softwarewebsecure.com|127.0.0.1";$lightbox="https://www.softwarewebsecure.com";
$sessionListSave=''; //Save this session when using ?RESET=1. Use commas if more than one.
define('SWD_KEY', 'KingOfKings'); define('SWD_AUTHENTICATE', true);
setcookie("humans_21909", "", time() - 3600, "/");



Invoices
//require_once($_SERVER['DOCUMENT_ROOT']."/activate75.php");
if($_SERVER['REMOTE_ADDR']=="127.0.0.1"){ $server='localhost';$user='greatone';$password='gr38t0n3';$database='accounting'; $_SESSION['LEVEL']=10;}
else{ $server='localhost';$user='warmhugs_GodMode';$password='G0d.M0d3!';$database='warmhugs_invoices';$_SESSION['LEVEL']=3; }
$LEVEL=$_SESSION['LEVEL'];$debug=true;$domain="softwarewebsecure.com|127.0.0.1";$lightbox="https://www.softwarewebsecure.com";
$sessionListSave=''; //Save this session when using ?RESET=1. Use commas if more than one.
define('SWD_KEY', 'KingOfKings'); define('SWD_AUTHENTICATE', true);
setcookie("humans_21909", "", time() - 3600, "/");



Iq of Post
include("settings.php");
$appid="mysqli";
//require_once($_SERVER['DOCUMENT_ROOT']."/activate75.php");
if($_SERVER['REMOTE_ADDR']=="127.0.0.1"){ $server='localhost';$user='greatone';$password='gr38t0n3';$database='accounting'; $_SESSION['LEVEL']=10;}
else{ $server='localhost';$user='warmhugs_GodMode';$password='G0d.M0d3!';$database='warmhugs_Tips';$_SESSION['LEVEL']=3; }
$LEVEL=$_SESSION['LEVEL'];$debug=true;$domain="softwarewebsecure.com|127.0.0.1";$lightbox="https://www.softwarewebsecure.com";
$sessionListSave=''; //Save this session when using ?RESET=1. Use commas if more than one.
define('SWD_KEY', 'KingOfKings'); define('SWD_AUTHENTICATE', true);
setcookie("humans_21909", "", time() - 3600, "/");



Crop Map
//require_once($_SERVER['DOCUMENT_ROOT']."/activate75.php");
if($_SERVER['REMOTE_ADDR']=="127.0.0.1"){ $server='localhost';$user='greatone';$password='gr38t0n3';$database='accounting'; $_SESSION['LEVEL']=10;}
else{ $server='localhost';$user='warmhugs_GodMode';$password='G0d.M0d3!';$database='warmhugs_cropMap';$_SESSION['LEVEL']=3; }
$LEVEL=$_SESSION['LEVEL'];$debug=true;$domain="softwarewebsecure.com|127.0.0.1";$lightbox="https://www.softwarewebsecure.com";
$sessionListSave=''; //Save this session when using ?RESET=1. Use commas if more than one.
define('SWD_KEY', 'KingOfKings'); define('SWD_AUTHENTICATE', true);
setcookie("humans_21909", "", time() - 3600, "/");
_Misc Software



0
12/14/2025
_Misc Software Controls Dropbox Checkmarks Meaning
checkmark
Dropbox 163.4.5456
A solid green circle with a white checkmark means your file or folder is fully synced and local. “Synced” means that any changes you made to this file or folder are reflected everywhere you access your files in Dropbox. “Local” means that your file or folder is available when you’re not connected to internet."

Sync in progress
A solid blue circle with two white arrows going in a circle means that your file or folder is in the process of updating. If you chose to add it to your hard drive with the selective sync feature, this icon could mean that it’s still in the process of syncing to your hard drive. If you have set it to online-only, this icon could mean that your file is in the process of changing its sync status between online-only and available offline.

Mixed state folder icon
Available
A white circle with a green border and a green checkmark means that a file or folder was opened (directly or with a third-party application) and synced. It also represents files uploaded from the computer you are using.

“Synced” means that any changes you made to this file or folder are reflected everywhere you access your files in Dropbox. While this file or folder is stored on your device, it can be made online-only by right-clicking and selecting Make online-only.

For folders, this icon means there is at least one available file in the folder, but no online-only files. There can also be files that are available offline in the folder.

Note: If your computer is low on hard drive space, these files can automatically change to online-only to free up space.

Red icon with an x
Sync error
A red circle with a white “X” means that your file or folder can’t update or sync. If you just attempted to add this file or folder to your Dropbox account, it may mean that it can’t be added.

Learn about the different types of sync errors and how to solve them.

Gray icon with a minus sign
Ignored file
A gray circle with a white minus sign means that your file is ignored. That means it’s stored in the Dropbox folder on your computer, but not on dropbox.com or on the Dropbox server.

Learn more about ignored files.
_Misc Software



2
09/09/2023
_Misc Software Convert Export Audio
DaVinci resolve audio
Sound Editor
How to Export Audio ONLY in Davinci Resolve (+ Best Format)

By
Jens Trimmer
May 3, 2022
UPDATED
January 14, 2023
Export
In this article, you will learn how to export audio ONLY from Davinci Resolve.

This is actually quite simple so let’s get to it:

Open the “Deliver” page inside Davinci Resolve.
In the “Render Settings” window, open the “Video” tab and uncheck “Export Video“.
Click on “Audio” to open the tab, and change “Format” to “MP3” or “Wave“.
Click on “Add to Render Queue“.
Click on “Render All” on the right-hand side of the screen.
That’s the straightforward answer on how to do it!

For a more detailed explanation of this, and whether “MP3” or “Wave” is best, read on!

(You’ll also learn how to render only one audio track).

How to Export Audio Only From Davinci Resolve! (Detailed Guide)
So let’s explain what was discussed above with a bit more details (and pictures!).

It does not matter if it’s a video or simply a song you have added to the timeline.

Your final product will end up how you set the export settings anyways.

Below, you can see that I’ve added a normal MP4 file to the timeline, which I’m going to export as an MP3 file:

Normal click in timeline
The next step is to go to the “Deliver” page in Davinci Resolve:

deliever page
Inside the “Deliver” page you should be able to see the “Render Setting” in the top corner on the left-hand side. Watch the picture below if you can’t see it.

Inside the “Render Setting“, the first thing you see is some pre-made render settings. Which is awesome, and something we are going to use!

By default this one is set to “Custom Export“, we want to change this one to “Audio Only“.

To find this option you have to scroll sideways:
_Misc Software



0
01/07/2026
_Misc Software Customizing Modify Output In Davinci Resolve 18
audio render mp4 shortcut
DAVINCI RESOLVE
[Audio]
To change the volume of your audio in DaVinci Resolve, go to the “Edit” page (bottom) and select the clip you want to adjust in the timeline. Open the “Inspector” tab (top right-hand corner), click on the “Audio” sub-tab, and adjust the value next to “Volume“.

[image]
How to Change the Duration of a Still Image in DaVinci Resolve?
Go to the menu “DaVinci Resolve” > “Preferences”.
Click on the “User” tab.
Click on the “Editing” option.
Under “General Settings”, change the “Standard Still Duration” value to your desired one, say, 3 seconds.
Click on “Save“.

[Render]
Select deliver bottom screen. I use mp4 - H.264 , 720 x 480 NTSC, 30 frames per second with a medium quality for uploading

[How to Move Multiple Clips at Once in DaVinci Resolve]
To move multiple clips in DaVinci Resolve, simply press “Ctrl” or “Command” on your keyboard while selecting the clips you want to move. Then drag the selected clips to move them. You can also select all the clips on the right-hand side of the playhead by pressing shortcut “Alt + Y” or “Option + Y”.

[SPLIT CLIP]
To split a clip in DaVinci Resolve, place the timeline playhead where you want to split it. Then, simply press the shortcut “Ctrl or Command + B” or “Ctrl or Command + “. Alternatively, you can click on “Timeline > Split Clip” located in the upper left-hand corner of Resolve.

[Shortcuts]
J - Play in reverse
K - Pause play
L - Play Forward
Alt + left click ->Select either audio or video based on click
Alt + y ->Selects everything right of the marker.

ctrl + A ->Selects everything
Ctrl + B ->Split clip
Ctrl + G ->close clip gaps. I created this
_Misc Software



2
09/09/2023
_Misc Software Customizing How To Change The Frame Rate Of Your Footage In DaVinci Resolve
Frame rate
MUO logo
Newsletter
Trending

PC & Mobile
Internet
Productivity
Lifestyle
Tech Explained
More

Join Our Team
Newsletter
Advertise with us

Write For Us
Home
Contact Us
Terms
Privacy
Copyright
About Us
Fact Checking Policy
Corrections Policy
Ethics Policy
Ownership Policy
Partnership Disclaimer
Official Giveaway Rules

Copyright © 2023
www.makeuseof.com

Home
Creative

How to Change the Frame Rate of Your Footage in DaVinci Resolve
By
Bill Gonzaler
Published May 18, 2023

Changing the frame rate of your footage in DaVinci Resolve is easy. And we'll also show you a workaround for when you're stuck with the wrong FPS.
Video Editing Software On Laptop
Readers like you help support MUO. When you make a purchase using links on our site, we may earn an affiliate commission. Read More.

Both the free and paid versions of DaVinci Resolve provide you with all the tools you could need to produce high-quality videos. To do so, you want to have the best frame rate possible for your videos so that they run smoothly and reflect a professional standard.
WATCH
NEXT
Current Time 0:12
/
Duration 10:00


While it is easy to change your frame rate setting in DaVinci Resolve, you may run into problems if you don't alter the settings soon enough. We'll show you the best way to change your frame rate settings and how to fix it if you get stuck on a frame rate you don't want.
Change the Frame Rate Before You Start Working

To make sure your projects are always operating at the FPS (frames per second) you want, get into the habit of setting the frame rate before you upload anything to your timeline. The reason for this is that as soon as you upload media to your timeline, your timeline frame rate setting gets locked in.
Timeline frame rate in project settings window in DaVinci Resolve 18

To change the frame rate, go to File > Project Settings. Alternatively, you can click the cog wheel at the bottom-right of your screen in the Edit window or press Shift + 9.

Select the Master Settings tab within the Project Settings window. Next, go down to the Timeline Frame Rate option and click on the number to bring out the drop-down menu. Now you can select the number of frames per second you want for your project.

If you're just starting out, see the common mistakes beginners make in DaVinci Resolve so that you can avoid them.
What to Do if Your Project Is Stuck at the Wrong Frame Rate Setting
Unchangeable timeline frame rate setting in DaVinci Resolve 18

As we mentioned earlier, as soon as you upload something to your timeline, your timeline frame rate gets locked in. This can cause you a lot of frustration if you've just spent hours editing, only to realize that you can't make your video 60FPS, for example.

The best way to fix this is to make a new timeline with the timeline frame rate settings you want. To do this, select File > New Timeline. Alternatively, use the keyboard shortcut Cmd/Ctrl + N.

You can also Ctrl-click (Mac) or right-click (Windows) on empty space within the Media Pool. Then, go to Timeline > Create New Timeline ,or press Cmd/Ctrl + A to select all your clips and choose Create New Timeline Using Selected Clips and Bins.

The benefit of this last option is that your clips are transferred over to the new timeline. Any of these methods will bring up a pop-up window of the Timeline settings.
Create New Timeline pop-up in DaVinci Resolve 18

Make sure to uncheck the Use Project Settings box in the bottom left; this lets you change the settings in multiple tabs. Go to the Format tab and there you can change the Timeline Frame Rate.

You can also save yourself time by unchecking the Empty Timeline box in the General tab. This will transfer over the clips from your original timeline when you finish the process by clicking Create.

If, for whatever reason, your new timelines aren't performing at the frame rate you want, then there is one final foolproof method. Select File > New Project and immediately change the timeline frame rate settings within the Project Settings window. Then, copy and paste your original work over to this new project.

For those of you considering the paid version of DaVinci Resolve, look into the differences between DaVinci Resolve Studio and the free version to help you decide.
Choose the Best FPS for Your Footage

You will save time and avoid frustration when you decide early on what frame rate is best for your video projects. Before you begin your edits, change your project settings and timeline frame rate to the outcome you want.

If you do forget to do this, create a new timeline with different project settings or copy and paste your work into a new project. This way, you can always have the best frame rate settings for all of your DaVinci Resolve projects.
Subscribe to our newsletter
Comments
Link copied to clipboard
Related Topics

Creative
DaVinci Resolve
Video Editor
Video Editing

About The Author
Bill Gonzaler • Contributing Writer
(47 Articles Published)

Bill has 14 years or so of experience as a professional musician playing a few stringed instruments. He has since branched into music production and composition for the last 6 years to play not only a few, but all the instruments. When he's not musicking or writing, you'll find Bill farming.
_Misc Software



2
09/09/2023
_Misc Software Customizing Setting NMEA Settings 1200 Monitor
1200 20/20 NMEA
Linking 20/20
1200 MONITOR NMEAS SETTINGS
1. press the 3 square-4 square button top
2. Click on GNS position output settings
3.click on configuration. you can add a new profile here we called our 2025
4. Our guy had us turn port 2 on set baud rate 38400
5. Next turn the CGA->on, RMC->on, VTG->on
6. Click on each of the + signs and set each value to 5hz
_Misc Software



0
04/09/2025
_Misc Software Customizing Outlook Data Files
Outlook Data Files
Archive Pst
When you add an email account to Outlook, a local copy of your information is stored on your computer. This feature allows you to access your previously downloaded or synchronized email messages, calendar information, contacts, and tasks without an internet connection.

Certain types of accounts, such as POP accounts, store their information in Outlook Data Files (.pst files). Outlook 365 accounts, Exchange accounts, IMAP accounts, and Outlook.com accounts store their information in Offline Outlook Data Files (.ost files).

From the Inbox, select New Items > More Items > Outlook Data File.

Enter a File name.

To add a password, check the Add Optional Password box.

Select OK. Type a password in both the Password and Verify Password text boxes and select OK again.

If you set a password, you must enter it every time that the data file is opened—for example, when Outlook starts or when you open the data file in Outlook.

Create a new Outlook data file

About Outlook Data Files (.pst and .ost)
When you run Outlook for the first time, the necessary data files are created automatically.

Sometimes additional data files are needed. Outlook Data Files (.pst) are saved on your computer in the DocumentsOutlook Files folder.

Older messages and items that you don't use regularly can be archived to an Outlook Data File (.pst). To learn how, see Archive older items automatically.

If your online mailbox is nearly full, you can export some items to an Outlook Data File (.pst). You can also use these files to create archives, project files, or backups from any Outlook account. To learn how, see Export or backup email, contacts, and calendar to an Outlook .pst file.

Outlook Data Files (.pst) are used for POP3 email accounts
_Misc Software



1
07/21/2025
_Misc Software Customizing Windows
windows turn off disable speed up
Windows 11







00:00:00 Win11 - 10 things to turn off disable startup apps
00:50:03 ctrl + shift + ESC for task manager
01:18:04 2. Kill notification & tips
01:51:18 3. Shut down back ground apps
03:00:10 4. Stop online search in the start menu.
04:35:13 5. Kill widgets.
05:03:17 6. Reduce telemetry and diagnostics.
05:41:02 7. Disable ads in Explorer and the lock screen
06:08:24 kill the "fun facts and tips".
07:18:20 8. Kill Cortana and co-pilot.
07:44:19 9. Kill activity history and timeline.
08:51:17 10. stop auto reboots after updates
09:55:00 11. TURN OFF REMOTE ASSISTANCE.
10:23:15 12. Optional windows features you do not need
11:44:11 13. Kill the hibernation file if you don't hibernate.
13:03:26 another Microsoft update.
14:08:00 2. Searching index.
14:39:01 turn off search history.
15:12:26 turn off search highlights.
15:59:19 set my files to classic.
16:27:00 add excluded files folders you do not want searched.
16:41:12 3. Delivery optimization.
17:11:14 turn off delivery optimization.
17:33:13 turn off downloads from other devices.
17:50:19 5. Suggested apps in start menu ads.
18:31:27 turn off shell recommendations for tips.
23:00:27 god mode
23:23:13 made fixing windows simple.
27:27:27 stop windows from spying.
31:54:18 five PC tricks you should do
32:09:06 god mode code
32:58:26 windows 10 end-of-life.
40:43:16 are you still running Windows 10?
46:41:08 password locked out of windows.
53:45:10 END
[video width="720" height="486" mp4="https://softwarewebdesign.com/SWDHome/wp-content/uploads/2025/11/Win11Howto20251129.mp4"][/video]
Windows 10 tips near the at 32 min mark
_Misc Software



0
11/29/2025
_Misc Software Files Reduce File Save Size
File size smaller
Powerpoint
Delete image editing data and lower default resolution

By default, when you edit an image, the data from the original is retained (to ensure the image can be restored). Discarding it means that you can't restore the changes you make, but it will reduce your file size. Lowering the default resolution for images also reduces your overall file size.

Go to File > Options > Advanced.

Under Image Size and Quality, do the following:

Select Discard editing data. This option removes stored data that's used to restore the image to its original state after it's been edited. Note that if you discard editing data, you won't be able to restore the image after you edit it.

Make sure that Do not compress images in file is not selected.

In the Default resolution list, select a resolution that is 150ppi or lower.

Set the image size and quality
_Misc Software



1
01/03/2024
_Misc Software Files Fixing Email Hotmail
outlook email regedit
File Management
_Misc Software



0
03/07/2024
_Misc Software Files Locating Storage Folders
Folder telegram
Locate Me
Telegram

depends on your device: on Android, it's typically Internal Storage/Telegram/Telegram Video or Android/data/org.telegram.messenger/files/Telegram/Telegram Video;
_Misc Software



0
10/25/2025
_Misc Software Formatting Set Automatic Spacing Between Lines Of Text
line spacing
Publisher
Select the text you want to change.

On the Home tab, click the Paragraph launcher to show the Paragraph dialog box.

Click the Indents and Spacing tab.

Under Line spacing, in the Between lines box, type or select the amount of spacing you want between lines of text. For example, to double space type or select 2sp. To change from double space to single space type or select 1sp.

Tip: The default value for space between lines is displayed in spaces (sp). If you type a whole number, Publisher interprets it as a number of spaces. You can specify other measurement units by typing the abbreviation for them after the numerical value: inches (in), centimeters (cm), picas (pi), points (pt), or pixels (px). When you specify a unit other than spaces, Publisher converts the measurement to points
_Misc Software



2
09/09/2023
_Misc Software Formatting Auto Number In Excel
auto number
Excel Column
You can automatically number a column in Excel using the Fill Handle, Fill Series, or the ROW function to create a sequential numbering system easily.
Method 1: Using the Fill Handle
Enter Initial Numbers: In the first two cells of the column where you want to start numbering, enter the numbers 1 and 2 (or any starting numbers you prefer).
Select Cells: Highlight both cells containing the numbers.
Use the Fill Handle: Move your cursor to the bottom-right corner of the selection until you see a small plus sign (the Fill Handle).
Drag or Double-Click: Click and drag the Fill Handle down to fill the column with sequential numbers, or double-click it to auto-fill the column based on adjacent data.
2


2 Sources
Method 2: Using the Fill Series Option
Enter Starting Value: Type 1 in the first cell of the column.
Access Fill Options: Go to the Home tab, click on Fill, and select Series from the dropdown menu.
Configure Series: In the Series dialog box, choose Columns for Series in, set the Step Value to 1, and specify the Stop Value based on how many rows you want to number.
Click OK: This will fill the column with a sequential series of numbers.
2


2 Sources
Method 3: Using the ROW Function
Enter the Formula: In the first cell of the column, type the formula =ROW(A1) (adjust the cell reference based on your starting position). This will return the row number of the cell.
Drag the Fill Handle: Use the Fill Handle to drag the formula down the column. Each cell will display its corresponding row number, which updates automatically if rows are added or deleted.
2


2 Sources
Tips
Adjust Starting Point: If you want to start numbering from a different number, you can modify the formula accordingly (e.g., =ROW(A1)-4 to start from 1 in row 5).
Manual Updates: If you use the Fill Handle or Fill Series, remember that these numbers won't automatically update if you add or remove rows; you may need to redo the process to maintain accuracy.
1

By following these methods, you can efficiently auto-number columns in Excel to keep your data organized and easily readable.
_Misc Software



0
07/21/2025
_Misc Software Hardware Printer Tips
2600 laser paper
Print Pages
hp2600n printer

[front load]
place the side to be printed on down (labels down) or already printed out

[bottom load]
place the already printed side down with the bottom of the page furthest in or top of page closest to the front but always print facing down
_Misc Software



0
04/19/2025
_Misc Software Ini Creating A .user.ini File For Linux
user ini
Developer
_Misc Software



0
05/04/2025
_Misc Software Object How To Save A Microsoft Publisher File As An Image File
jpg png
Publisher 365
1.
Launch Publisher. Click the “File” tab and click “Open.”


2.
Browse to the location on your computer where your Microsoft Publisher file is currently saved. Double-click the file to open it.

3.
Click the “File” tab and click “Export” from the menu that appears.

4.
Select “Change File Type” under the heading “File Types.”

5.
Click an image file format from the list displayed under the heading “Image File Types.” Available formats include PNG, JPEG, GIF, TIFF and BMP.

6.
Click the “Save” button. Publisher saves a copy of your file in your chosen image format.
_Misc Software



2
09/09/2023

Software Web Design