Interactive Web Page

Interactive Web Page

Looking for an interactive web page that fits into our website which currently is Joomla 1.5. The new web page would be interactive with some graphic components to a car. We basically want to be able to have users able to mouse over and click on different vehicle parts that will come apart. So Say they select suspension the vehicles suspension will come out or separate from the vehicle with a description next to or whatever text is chosen.

Captcha Img Download

Captcha Img Download

I just need a php script snippet that will effectively download a captcha image from a particular site for use with decaptcher.

If you can do this, you likely already have this script snippet ready made. It is intended to be a snippet that will work with another program that another programmer is working on.

The budget for this $20 or less.

Admin Gallery Folders

Admin Gallery Folders

I have an admin area on a website but It only allows the uploading of one image at a time, I would like to be able to make album folders and upload multiple images into the folders its currently in php and I have full details for ftp so bid away, its probably a fairly simple task, thanks

Summary

Mulitple image uploading
Ability to organise images into folders

Press Release Needed Asap

Press Release Needed Asap

I have a Press Release that I need completed asap I have all of the required text and company information. The ideal candidate would be someone that is familiar with creating Press Releases and writing exciting copy. Since I need this asap please do not bid on this project if you can not complete it in a few hours. I am ready to select the first qualified candidate today.

Want A Writer For Work

Want A Writer For Work

Hello,

I want a writer for a medium sized project of 150 articles.
I’m looking for someone who writes copy frequently, and who checks their email regularly. Anyone who isn’t online daily will not be hired for this project.

These articles will need to be about 300-500 words long.
I’ll need 2500 daily words delivering.
The articles will have to pass copyscape.
I pay $3.50 per article, no matter what length. But the articles must be free from error and original.

There are a number of different topics that you’ll be working on.
I pay once a week through paypal or moneybookers.
Bids that want escrow will be ignored.
Immediate start needed.
$10 bonus paid monthly for consistent work.

Top WordPress hacks of early 2010

Top WordPress hacks of early 2010

Display an incrementing number on each post

I always loved how A List Apart numbers its posts. The following hack will let you do the same with your own blog, using a custom field.

Implementing this hack is quite simple. First, paste the following function into your functions.php file:

function updateNumbers() {
  global $wpdb;
  $querystr = "SELECT $wpdb->posts.* FROM $wpdb->posts WHERE $wpdb->posts.post_status = 'publish' AND $wpdb->posts.post_type = 'post' ";
$pageposts = $wpdb->get_results($querystr, OBJECT);
  $counts = 0 ;
  if ($pageposts):
    foreach ($pageposts as $post):
      setup_postdata($post);
      $counts++;
      add_post_meta($post->ID, 'incr_number', $counts, true);
      update_post_meta($post->ID, 'incr_number', $counts);
    endforeach;
  endif;
}  

add_action ( 'publish_post', 'updateNumbers' );
add_action ( 'deleted_post', 'updateNumbers' );
add_action ( 'edit_post', 'updateNumbers' );

Once done, you can display the post number with the following code. Note that it have to be used within the loop.

<?php echo get_post_meta($post->ID,'incr_number',true); ?>

Source: http://www.wprecipes.com/how-to-display-an-incrementing-number-next-to-each-published-post

Allow your contributors to upload files

If you’re like me, you have guest contributing articles on your blog and you might be annoyed that the contributor role doesn’t allow file uploads. Most blog posts need images to stand out of the crowd so
this hack is extremely handy: Just paste it on your function.php file and your contributors will be allowed to upload files in the WordPress dashboard. How cool is that?

if ( current_user_can('contributor') && !current_user_can('upload_files') )
    add_action('admin_init', 'allow_contributor_uploads');

function allow_contributor_uploads() {
    $contributor = get_role('contributor');
    $contributor->add_cap('upload_files');
}

Source: http://www.wprecipes.com/wordpress-tip-allow-contributors-to-upload-files

Display “time ago” dates

Twitter has a very cool function which displays the elapsed time since a tweet has been published. What about doing the same with WordPress? Of course it’s possible!
This code just needs to be pasted in your functions.php file. Once you saved the file, posts that were published less than 24 hours ago will display “Published XX ago” instead of regular dates.

add_filter('the_time', 'timeago');

function timeago() {
    global $post;
    $date = $post->post_date;
    $time = get_post_time('G', true, $post);
    $time_diff = time() - $time;
    if ( $time_diff > 0 && $time_diff < 24*60*60 )
        $display = sprintf( __('%s ago'), human_time_diff( $time ) );
    else
        $display = date(get_option('date_format'), strtotime($date) );

    return $display;
}

By the way, if you’re on Twitter do not hesitate to follow me!
Source: http://aext.net/2010/04/display-timeago-for-wordpress-if-less-than-24-hours/

WordPress navigation outside the loop

WordPress provides some functions which allow you to link to the next and previous posts. However, those functions have to be used within the loop. Jeff Starr, who wrote the Digging into WordPress book, has the solution to this problem.
Simply paste the code below on your single.php file, where you’d like to link to the next and previous posts. Or even better, put the code in a php file and then include it in your theme file.

<?php if(is_single()) { // single-view navigation ?>
	<?php $posts = query_posts($query_string); if (have_posts()) : while (have_posts()) : the_post(); ?>
		<?php previous_post_link(); ?> | <?php next_post_link(); ?>
	<?php endwhile; endif; ?>
<?php } else { // archive view navigation ?>
		<?php posts_nav_link(); ?>
<?php } ?>

Source: http://digwp.com/2010/04/post-navigation-outside-loop/

Disallow theme switching

If you’re like me, you’ve created WordPress themes for your clients and already face a problem: The client “explored” the WordPress dashboard and “accidentally” switched the theme.
Using WordPress actions, we can easily remove the “themes” menu and consequently prevent the risk of having a client switching the theme. The code below just has to be pasted in your functions.php. The “themes” menu will be removed once the file is saved.

add_action('admin_init', 'remove_theme_menus');
function remove_theme_menus() {
	global $submenu;	

	unset($submenu['themes.php'][5]);
	unset($submenu['themes.php'][15]);
}

Source: http://soulsizzle.com/quick-tips/stopping-clients-from-switching-their-wordpress-theme/

Get rid of unused shortcodes in your posts

WordPress shortcodes are extremely useful, but they have a weak point: If you use a shortcode in your posts and then stop to use it for some reason, the shortcode code (Like [shortcode] for example) will stay in your posts.

To get rid of unused shortcodes, you just have to execute this line of SQL code. This can be done using PhpMyAdmin or the SQL command line interpreter. Don’t forget to replace [tweet] by the unused shortcode you’d like to delete from your posts.

UPDATE wp_post SET post_content = replace(post_content, '[tweet]', '' );

Source: http://www.wprecipes.com/wordpress-tip-get-rid-of-unused-shortcodes

Switch WordPress theme programmatically

Recently, I worked on an interesting project where I had to switch the blog theme automatically. As the current WordPress theme name is saved in the wp_options table of your WordPress database, we can easily change it.
The cleanest way to do it is definitely to use the update_option() function, as shown in the function below. Paste it in your functions.php file.

function updateTheme($theme){
    update_option('template', $theme);
    update_option('stylesheet', $theme);
    update_option('current_theme', $theme);
}

Once you’ve added the function to your functions.php file, you can call it wherever you need it:

<php updateTheme('default'); ?>

Modify WordPress dashboard footer text

Another good tip for those who create WordPress themes for clients is to modify the WordPress dashboard footer text, and add (for example) a link to your support forum. The only thing you have to do is to copy this code and paste it in functions.php:

function remove_footer_admin () {
    echo "Your own text";
} 

add_filter('admin_footer_text', 'remove_footer_admin');

Source: http://www.wprecipes.com/wordpress-tip-how-to-change-the-dashboard-footer-text

Programmatically Creating Posts in WordPress

If for some reason you need to programmatically insert posts in WordPress database, you’ll be amazed to see how easy is it. The wp_insert_post() takes an array of data as a parameter, and then return the post ID.

global $user_ID;
$new_post = array(
'post_title' => 'My New Post',
'post_content' => 'Lorem ipsum dolor sit amet...',
'post_status' => 'publish',
'post_date' => date('Y-m-d H:i:s'),
'post_author' => $user_ID,
'post_type' => 'post',
'post_category' => array(0)
);
$post_id = wp_insert_post($new_post);

Source: http://www.webmaster-source.com/2010/02/09/programmatically-creating-posts-in-wordpress

WordPress 3.0: Query custom post types

WordPress 3.0 should be released soon. And I don’t know about you, but personally, I can’t wait. Lots of exiting features are scheduled. One of them is particularly interesting in my opinion: the custom post types, which allow you to define a custom type for a post.
In order to be able to retrieve posts of a specific type from a WordPress database, you can use the following loop, which will get the albums post type:

<ul>
<?php global $wp_query;
$wp_query = new WP_Query("post_type=albums&post_status=publish");

while ($wp_query->have_posts()) : $wp_query->the_post(); ?>
    <li><a href="<?php the_permalink() ?>" rel="bookmark"><?php the_title(); ?></a></li>
<?php endwhile; ?>

</ul>

Source: http://www.catswhocode.com/blog/8-useful-code-snippets-to-get-started-with-wordpress-3-0

Please note that I’m currently accepting freelance work; so if you need any kind of WordPress help, I’ll be happy to help you. Simply send me an email and I’ll get back to you.

Like CatsWhoCode? If yes, don’t hesitate to check my other blog CatsWhoBlog: It’s all about blogging!

Top WordPress hacks of early 2010

Looking

Looking

im looking for someone to teach me howto design a banner useing flash and install vbulletin phpbook and banner rotaion script and mysql codeing metatags and submitting site to search egines and show me the most effective way to get paid sponsors and embeding java applets etc theres lot more ill show you the rest to the winner there kinda hard to explain must be willing to start right to work and speak perfect english and giveing me the training over yahoo or msn you can use progs that you can use to see my desktop to help you check what im doing my budget is 75.00 to100.00 ill pay you 50/50 asoon as were done with everything if thats okthanks for your time looking foward to working with you

WordPress Payment Page(s)

WordPress Payment Page(s)

I need an information Collection Screen for WordPress (See Attached). This is simply to collect secure information; I already have an SSL. It is not a complex check out, but Page two will require collection of credit card info. I imagine this is a simple Word Press csforms?? I have all the neccissary information in the Attachment, so I imagine this should be failry simple and fast. I’ve included my website header and footer to give you an idea of the colors/layout.

Latest Joomla Version Upgrade

Latest Joomla Version Upgrade

Super simple, my hosting company just told me one of my clients websites at www.laserelect.com got what is called “Shell hacked”. I’d like to hang all hackers by there balls and put on national TV! 😀

I need the latest security measures and Joomla version upgrade (1.6 or higher) done to her website TODAY without touching anything else at all. This site has been one of the 350K most visited websites in the world according to Alexa so I need a REAL Joomla programming expert.

Pay is $10 and will pay you this amount PER Joomla website I have and for every upgrade we do in the future. I build all my own website an clients on Joomla. So this could be a nice little hit every 3-4 months for the right person.

Thanks

Copy Joomla Template To Cre

Copy Joomla Template To Cre

We have a Joomla website that is adding a CRE Loaded store. We need the template copied to the store.

If you prefer we have the original HTML template, or you can use the code as dropped into Joomla.

This project is ready to start Tuesday at 9 AM US Central Time (GMT-5) and needs to be completed right away.

Please see our 100% excellent reviews for great communication and FAST PAYMENT.

NOTE: see attachment for URL of Joomla site and CRE store.

Wanted-expert Php Developper

Wanted-expert Php Developper

IMPORTANT: Clear English is a MUST!!!!

Demonstrate an understanding of object-oriented development tools and techniques, has worked on multiple platforms and/or with multiple methodologies.

Design, develop, Test and launch system enhancements.

LAMP platform

• Extensive experience in PHP 4+ yrs Object-oriented programming
• MySQL (both database management and scripting/development),
• Apache, and Linux (Red Hat)
• Working knowledge of any Javascript framework (YUI, jQuery, Prototype, or others)
• Knowledge of security issues and best practices for building web applications
• Strong HTML and CSS in multi-browser environments
• Standards-compliant web authoring techniques
• Source control with SVN or CVS, GIT
• Good problem solving and organizational skills
• Good interpersonal skills and ability to work in a team environment
• Ability to manage software project and programs, meet deadlines and work within project timeframes
• Good verbal and written communication skills

Finish Web Site

Finish Web Site

Need to finish a website that I had someone start but were unable to complete. He was using, FTP, MySQL, Joomla, and OSCommerce. This site will sell intimate clothing, jewelry, etc. through a dropshipper. Products have already been downloaded onto the site. Need a method for customers to purchase items. I have a business account with Paypal. Also need a simple yet professional looking home page and help in getting the website at the top of the search engines. For those interested I will provide the web address so you can browse the site for a better understanding of what needs to be done.