joi, 6 august 2015

Backup Database and Website in PHP without MYSQLDUMP

On some configurations, mysqldump is not available.
So how does one backup his database without mysqldump, but only PHP at hand?

 Here is a workaround in pure PHP (just a little additional help from tar and zip - can be completely skipped). This piece of script will create its own backup directories if they don't exist (yes it needs write rights to the destination directory), get a backup of the database (in chunks, not to break or stall the database), tar-zips the backups, and the cherry on top: it will delete old files - so they don't build up to use your whole disk space.

To run it, of course you need to configure it correctly with your database name, username, password, hostname, authorization password, and perhaps the paths to the directories to the backup output files.

If you're gonna use this piece of script, please drop me a line, i'll be happy to hear about it!
 

<?php

// set up a password access - so to prevent abuses
if ( $_GET['p']=='SOMe_Str0ng_Pa55word')
{
    set_time_limit(60*6); // 6 minutes
    $dbname = 'PuT_Your_DB_Name_Here'; // like wordpress
    $user = 'PuT_Your_Username_Here'; // like root
    $pass = 'PuT_Your_Password_Here'; // like 12345
    $host = 'PuT_Your_DB_HOST_Here'; // like localhost or db.mysql.server.org
   
    // check or create directory for DB backup
    if ( !is_dir('/backup/DB') ) {
        mkdir('/backup/DB');
        chmod('/backup/DB', 0755);
    }

    // check or create directory for site backup
    if ( !is_dir('/backup/html') ) {
        mkdir('/backup/html');
        chmod('/backup/html', 0755);
    }



    /************************************
    CREATE A BACKUP OF THE DATABASE
    ************************************/
    // check if a recent backup exists and clean up old files
    $haveRecent = false;
    $dp = opendir('/backup/DB');
    while ( $fname = readdir($dp) )
    {
        if ( $fname && $fname!='.' && $fname!='..' )
        {
            if ( substr($fname, -11)=='.sql.tar.gz' && preg_match('/^[0-9]{14}_/i', $fname) && !preg_match('/[^a-z0-9\_\.]/i', $fname) )
            {
                $dt = substr($fname, 0, 8);
                if ( $dt<=date("Ymd", time()-(86400*30*2) ) )
                {
                    // delete all older than 90 days
                    @unlink('/backup/DB/'.$fname);
                }
                elseif ( (int)$dt>date("Ymd", time()-86400*15) )
                {
                    // we have a recent backup (last 15 days)
                    $haveRecent = true;
                }
               
            }
        }
    }


    //if ( !$haveRecent )
    {
        // dump the DB in the appropriate DB backup directory
        $fn = '/backup/DB/'.date("YmdHis") . '_' . $dbname . '.sql';
        $tfn = $fn . '.tar.gz';
        if ( !is_file($fn) && !is_file($tfn) )
        {
            $MB = new mysqlBackup();
            $MB->backup_tables($host, $user, $pass, $dbname, '*', $fn);
            exec('tar -czf  ' . $tfn . ' -C ' . dirname($tfn) . ' ' . basename($fn));
            @unlink($fn);
        }
    }
    /************************************
    END CREATE A BACKUP OF THE DATABASE
    ************************************/




    /************************************
    CREATE A BACKUP OF THE WEBSITE FILES
    ************************************/
    // check if a recent backup exists and clean up old files
    $haveRecent = false;
    $dp = opendir('/backup/html/');
    while ( $fname = readdir($dp) )
    {
        if ( $fname && $fname!='.' && $fname!='..' )
        {
            if ( preg_match('/^[0-9]{14}\.tar\.gz$/', $fname) )
            {
                $dt = substr($fname, 0, 8);
                if ( (int)$dt<=(int)date("Ymd", time()-(86400*30*2) ) )
                {
                    // delete all older than 90 days
                    @unlink('/backup/html/'.$fname);
                }
                elseif ( (int)$dt>(int)date("Ymd", time()-86400*15) )
                {
                    // we have a recent backup (last 15 days)
                    $haveRecent = true;
                }
            }
        }
    }



    //if ( !$haveRecent )
    {
        // dump the DB in the appropriate DB backup directory
        $fn = '/backup/html/' . date("YmdHis") . '.tar.gz';
        if ( !is_file($fn) )
        {
            exec('tar -czf ' . $fn . ' -C / html');
        }
    }
    /************************************
    END CREATE A BACKUP OF THE WEBSITE FILES
    ************************************/


}


class mysqlBackup
{
    //backup_tables('localhost','username','password','blog');

    /* backup the db OR just a table */
    function backup_tables($host, $user, $pass, $name, $tables = '*', $ofile ='')
    {
        $link = mysql_connect($host, $user, $pass) or die("could not connect");
        mysql_select_db($name, $link);
       
        //save file
        $handle = fopen($ofile, 'w');


        //get all of the tables
        if($tables == '*')
        {
            $tables = array();
            $result = mysql_query('SHOW TABLES');
            while($row = mysql_fetch_row($result))
            {
                $tables[] = $row[0];
            }
        }
        else
        {
            $tables = is_array($tables) ? $tables : explode(',',$tables);
        }


        //cycle through
        foreach($tables as $table)
        {
            $exhaustedTable = false; $iteration = 0; $pageSize = 1000; // to dump the tables in batches of 1000 lines
       
            $colsRes = mysql_query('SHOW COLUMNS FROM `'.$table.'`');
            $cols = array(); $colsStr = '';
            while ( $colRow = mysql_fetch_row($colsRes) )
            {
                $cols[] = $colRow[0];
                $colsStr.= ($colsStr!=''?',':'') . '`' . $colRow[0] . '`';
            }
            $num_fields = count($cols);
            $n1 = ($num_fields-1);


            fwrite($handle, 'DROP TABLE IF EXISTS `'.$table.'`;'. "\n");

            $row2 = mysql_fetch_row(mysql_query('SHOW CREATE TABLE `'.$table.'`'));
            fwrite($handle, $row2[1].";\n");


            while (!$exhaustedTable)
            {
                $result = mysql_query('SELECT * FROM `'.$table. '` LIMIT '.($iteration*$pageSize).','.$pageSize);

                if ( mysql_num_rows($result) )
                {
                    fwrite($handle, 'INSERT INTO `'.$table.'` (' . $colsStr . ') VALUES');
                    $nc = false;

                    while($row = mysql_fetch_row($result))
                    {
                        if ( $nc )
                        {
                            fwrite($handle, ', ');
                        }

                        fwrite($handle, '(');
                        for($j=0; $j<$num_fields; $j++)
                        {
                            if ( $row[$j] === NULL )
                            {
                                fwrite($handle, 'NULL');
                            }
                            elseif ( $row[$j]==='' )
                            {
                                fwrite($handle, '""');
                            }
                            else
                            {
                                $row[$j] = mysql_real_escape_string(stripslashes($row[$j]));
                                $row[$j] = preg_replace("/\n/m","\\n",$row[$j]);
                                fwrite($handle, '"'.$row[$j].'"');
                            }
                            if ($j<$n1)
                            {
                                fwrite($handle, ',');
                            }
                        }
                        fwrite($handle, ')');
                        $nc = true;
                    }
                    fwrite($handle, ";\n");
                }
                else
                {
                    $exhaustedTable = true;
                }

                $iteration++;

            }

        }
       
        fclose($handle);
    }
}

?>

marți, 21 aprilie 2015

How to add a toolbar to your Windows 8.1 taskbar (for example, QuickLaunch)

I personally was missing in my rather new Windows 8.1, the Quick Launch Toolbar - that used to exist in older Windows versions. So i created my own, new, custom QuickLaunch toolbar. Here's how:

Basically any valid Windows folder can become a new toolbar. So all you need to do is create a folder, wherever you wish on your hard-disk, with any name of your choice. I personally went to the Documents folder (start screen, type Documents, press enter), right-clicked and created a New -> Folder, which i have named 'QuickLaunch'.

Right-Click on an empty area of your Win 8.1 taskbar. From the menu, choose Toolbars -> New Toolbar and just select the folder of your choice - in my case it was C:\Users\luciancostin\Documents\QuickLaunchToolbar

There it goes - the toolbar already appears on our taskbar. Whatever shortcuts or programs we put in there, they will be automatically displayed (here's how to create for example, a 'show desktop' icon).
For adding my Firefox icon, i've browsed to C:\Program Files (x86)\Mozilla Firefox , right-clicked on the 'firefox' program, chose 'Create shortcut' from the context-menu, cut (ctrl+x) this shortcut, and pasted it in my newly created folder.

For further customization of the toolbar (because by default, it has a rather strange appearance, showing the title, and the names of the links in here), one must:
1. unlock the taskbar: right-click your taskbar ,make sure the 'Lock the taskbar' menu item is not checked.
2. feel free to drag the margins and the whole toolbar wherever you like it, and to your preferred size.
3. right-click the toolbar for options, uncheck the 'show title' and 'show text' menu items - to get to the original 'quicklaunch' toolbar look & feel.
4. lock back the taskbar: preferably you'd want it to stay in place, so better to lock it back. Just right-click your taskbar and check the menu item 'Lock the taskbar'

That's it! :-) our new toolbar:


Re-create "Show Desktop" Icon in Windows 8.1


I'm a rather new user of Windows 8.1, and this operating system is cracking me day by day. One of the functions i miss most of older Windows versions is the "Show Desktop" icon.
Of course it exists in the lower-right corner of the taskbar, but i miss it in my 'QuickLaunch' toolbar - just as actually i missed my QuickLaunch toolbar altogether (its default appearance is quite obscure anyway). The Quick Launch toolbar doesn't exist by default in Windows 8.1 (i believe also Win 8 and Win 7).
Luckily, Win 8.1 provides a way to create custom toolbars, and i named mine exactly 'Quick Launch' (here's how to create your personal, customized win 8 "quick launch" toolbar).
And creating a "show desktop" icon is also fairly easy.

  1. Find out the path of your toolbar folder (i've mine under C:\Users\luciancostin\Documents\QuickLaunchToolbar). If you don't know where it is - just right-click your taskbar, make sure the 'Lock the taskbar' menu item is not checked. Then right-click on an empty-area of your toolbar and select "Open Folder".
  2. Open Notepad. Go to your Start screen and type "Notepad" to find and open it. Or go to Start ->Programs->Accessories->Notepad, if you have a start menu installed.
  3. Paste these contents in your new file:
    [Shell]
    Command=2
    IconFile=explorer.exe,3
    [Taskbar]
    Command=ToggleDesktop
  4.   Save your new file in the toolbar folder (found at point 1. above), with the following name: "Show desktop.scf" - use the doublequotes too - so that Notepad does not append a default .txt extension to your file and render it useless
  5. Have fun! :) Windows (at least mine) also adds the old, nice 'Show Desktop' icon to this new button :)


* The content of the file comes directly from Microsoft - more info at this link: https://support.microsoft.com/en-us/kb/190355

miercuri, 8 aprilie 2015

Git trouble on Windows with tilde filenames

I've had apparently unresolvable problems with tilde filenames .
On windows 8.1, immediately as i clone a repository to my hard drive, some filenames containing tilde (interestingly enough, not all of them) - instantly throw out an error. They immediately appear as deleted, and i cannot do anything to add them to the git index, ignore, delete from cache or whatever.

Apparently this is a fairly recent change in Git, dating since December 2014, and yes, the solution is as stated on the given link,  to configure git with the following:
 
git config core.protectNTFS false
 
As the author says, i also recommend putting it back once the files are added to the index, with: 
 
git config core.protectNTFS true
 

Here's the link to the author's reply: 
http://stackoverflow.com/questions/29294910/unable-to-add-files-with-name-containing-tilde-followed-by-a-number

sâmbătă, 14 martie 2015

Wordpress excerpt (fragment)- extragem X cuvinte din text (taiem textul la lungimea fixata)

Cateodata, in lucrul cu textul wordpress, avem nevoie sa afisam doar o parte, un fragment/excerpt - din comentariile deja selectate, sau din textul paginii (post-ului), etc. Functia potrivita pentru a taia textul la o lungime fixata (in cuvinte) este:

WP_trim_words
Ex: wp_trim_words( $comment_text, 20 /* cuvinte */, '...' )

Mai multe informatii la: http://codex.wordpress.org/Function_Reference/wp_trim_words

vineri, 13 martie 2015

ASP VBSCRIPT Regex / regexp (regular Expressions)

The RexExp Object

The RegExp object has three properties and three methods. The properties are:
  • Pattern property - holds the regular expression pattern
  • Global property - True or False (default False). If False, matching stops at first match.
  • IgnoreCase property - True or False (default True). If True, allows case-insensitive matching
The methods are:
  • Execute method - executes a match against the specified string. Returns a Matches collection, which contains a Match object for each match. The Match object can also contain a SubMatches collection
  • Replace method - replaces the part of the string found in a match with another string
  • Test method - executes an attempted match and returns True or False
To set up a RegExp object:
Dim re
Set re = New RegExp
With re
    .Pattern = "some_pattern"
    .Global = True
    .IgnoreCase = True
End With
A Pattern can be any string value. For example, if the pattern is "Hello World", the RegExp object will match that in the target string. If IgnoreCase is True, it will match any case, so "hellO wORld" would be matched. If Global is set to True, it will contine to search the string for all instances of "Hello World". If False, it will stop searching after the first instance is found.

Execute method, returning Matches collection

Dim re, targetString, colMatch, objMatch
Set re = New RegExp
With re
  .Pattern = "a"
  .Global = True
  .IgnoreCase = True
End With 
targetString = "The rain in Spain falls mainly in the plain"

Set colMatch = re.Execute(targetString)
For each objMatch  in colMatch
  Response.Write objMatch.Value & "<br />"
Next 
The above will produce a list of 5 letter a's.

Test method, returning True or False

Dim re, targetString
Set re = New RegExp
With re
  .Pattern = "a"
  .Global = False
  .IgnoreCase = False
End With
targetString = "The rain in Spain falls mainly in the plain"

re.Test(targetString)
The above will return True as soon as it hits the first instance of "a"

Metacharacters

Metacharacters are special characters that can be combined with literal characters (which is all that have been used so far) to extend the power of Regular Expressions way beyond the simple examples already seen, and are what set Regular Expressions apart from simple string functions.
Character Description
\ Marks the next character as either a special character or a literal. For example, "n" matches the character "n". "\n" matches a newline character. The sequence "\\" matches "\" and "\(" matches "(".
^ Matches the beginning of input.
$ Matches the end of input.
* Matches the preceding character zero or more times. For example, "zo*" matches either "z" or "zoo".
+ Matches the preceding character one or more times. For example, "zo+" matches "zoo" but not "z".
? Matches the preceding character zero or one time. For example, "a?ve?" matches the "ve" in "never".
. Matches any single character except a newline character.
(pattern) Matches pattern and remembers the match. The matched substring can be retrieved from the resulting Matches collection, using Item [0]...[n]. To match parentheses characters ( ), use "\(" or "\)".
x|y Matches either x or y. For example, "z|wood" matches "z" or "wood". "(z|w)oo" matches "zoo" or "wood".
{n} n is a nonnegative integer. Matches exactly n times. For example, "o{2}" does not match the "o" in "Bob," but matches the first two o's in "foooood".
{n,} n is a nonnegative integer. Matches at least n times. For example, "o{2,}" does not match the "o" in "Bob" and matches all the o's in "foooood." "o{1,}" is equivalent to "o+". "o{0,}" is equivalent to "o*".
{n,m} m and n are nonnegative integers. Matches at least n and at most m times. For example, "o{1,3}" matches the first three o's in "fooooood." "o{0,1}" is equivalent to "o?".
[xyz] A character set. Matches any one of the enclosed characters. For example, "[abc]" matches the "a" in "plain".
[^xyz] A negative character set. Matches any character not enclosed. For example, "[^abc]" matches the "p" in "plain".
[a-z] A range of characters. Matches any character in the specified range. For example, "[a-z]" matches any lowercase alphabetic character in the range "a" through "z".
[^m-z] A negative range characters. Matches any character not in the specified range. For example, "[m-z]" matches any character not in the range "m" through "z".
\b Matches a word boundary, that is, the position between a word and a space. For example, "er\b" matches the "er" in "never" but not the "er" in "verb".
\B Matches a non-word boundary. "ea*r\B" matches the "ear" in "never early".
\d Matches a digit character. Equivalent to [0-9].
\D Matches a non-digit character. Equivalent to [^0-9].
\f Matches a form-feed character.
\n Matches a newline character.
\r Matches a carriage return character.
\s Matches any white space including space, tab, form-feed, etc. Equivalent to "[ \f\n\r\t\v]".
\S Matches any nonwhite space character. Equivalent to "[^ \f\n\r\t\v]".
\t Matches a tab character.
\v Matches a vertical tab character.
\w Matches any word character including underscore. Equivalent to "[A-Za-z0-9_]".
\W Matches any non-word character. Equivalent to "[^A-Za-z0-9_]".
\num Matches num, where num is a positive integer. A reference back to remembered matches. For example, "(.)\1" matches two consecutive identical characters.
\n Matches n, where n is an octal escape value. Octal escape values must be 1, 2, or 3 digits long. For example, "\11" and "\011" both match a tab character. "\0011" is the equivalent of "\001" & "1". Octal escape values must not exceed 256. If they do, only the first two digits comprise the expression. Allows ASCII codes to be used in regular expressions.
\xn Matches n, where n is a hexadecimal escape value. Hexadecimal escape values must be exactly two digits long. For example, "\x41" matches "A". "\x041" is equivalent to "\x04" & "1". Allows ASCII codes to be used in regular expressions.
Examples
\d+ will match any digit one or more times, and is the equivalent to [0-9]+
<[^>]*> will match any html tag, and looks for an opening "<", followed by anything that isn't a closing block ">", followed finally by a closing block ">". It uses a "negative character set" [^>]

Constructing a RegExp pattern

Form input validation is a key area in which regular expressions can be used, and a common task is to validate the structure of an email address. Initially, the task needs to be broken down into its constituent rules:
  • Must have 1 or more letters or numbers
  • Can have underscores, hyphens, dots, apostrophes
  • Must have an "@" sign following this
  • First part of domain name must follow the "@", and must contain at least 3 letters or numbers
  • May contain underscore, dots or hyphen
  • Must be at least one dot, which must be followed by the TLD.
"[\w\-\'\.]+@{1}[\w\.?\-?]{3,}\.[\a-z]+" will do it, but can be improved upon depending on how specific you want to be.

SubMatches collection

There will be instances where, once a match is found, you want to extract parts of that match for later use. As an example, suppose you have an html page which contains a list of links:
<a href="somepage.asp?id=12345">Company A</a><br />
<a href="somepage.asp?id=45678">Company B</a><br /> 
<a href="somepage.asp?id=66745">Company C</a><br />
<a href="somepage.asp?id=33471">Company D</a><br /> 
<a href="somepage.asp?id=90765">Company E</a><br /> 
...
The required parts are the Company name and the id in the querystring. These need to be collected and inserted into a database, for example. The html is fed in as the strSearchOn, and the pattern uses parenthesis to search for each item - The id ([0-9]{5}), which is a 5 digit number, and ([\w\s]+) which collects a series of letters and spaces, and will stop collecting them when the opening angle bracket is reached (</a>).
Set objRegExpr = New regexp
objRegExpr.Pattern = "somepage.asp\?id=([0-9]{5})" & chr(34) & ">([\w\s]+)"
objRegExpr.Global = True 
objRegExpr.IgnoreCase = True
set colmatches = objRegExpr.Execute(strSearchOn)
For Each objMatch in colMatches
id = objMatch.SubMatches(0)
company = objMatch.SubMatches(1)
sql = "Insert Into table (idfield, company) Values (" & id & ",'" & company & "')"
conn.execute(sql)
Next 




This is just a copy from another Author's page with just so very good and easy to understand info: http://www.mikesdotnetting.com/article/24/regular-expressions-and-vbscript 
Thanks Mike

vineri, 6 februarie 2015

Google star rating microformats

Yes, it's an old situation. In the google search results, one can display rating stars below the page title.
How to do it? What does one add to the HTML code so google displays those stars?
Something like the stars rating found in this image:
   


Here is the current version, in microformat (there are also other options). Note that this code is valid for the current time-being (e.g. 2015), this has been subject of change over the years.
So here's the snippet i'm using:
<div class="hreview-aggregate">
    <span class="item">
        <span class="fn">Restaurant Italia</span>
    </span>
    <span class="rating">
        <span class="average">4,5</span> din
        <span class="best">5</span>
    </span>
    Din <span class="votes">25</span> de voturi
</div>


The code is taken from https://support.google.com/webmasters/answer/146645?hl=en


Good luck!