Simple Php Changes

Simple Php Changes
JOB 1
When a new user joins my traffic exchange they are forced to surf 1000 sites before they are given there joining bonus

I need you to add a feature to my admin area where i can change the amount of sites they are forced to surf before they are given there bonus

this will be the same idea that is in place with a simple box where i can edit the numer in the system properties page

======================================================================

JOB 2
the stats page shows Credits Deficiency: -99983300
i need a feature to clear this number back to 0

======================================================================

JOB 3
i have a link in my admin area for txt ads and banner ads but this no longer works as i will be using a differnt script to manage my ads

I require you to add some boxes to this page where i can place my ad code and save

I require you set these so that if i place ad code in box 1 it will be shown in a particular place.

you must place a code under the box so i can add the code to other pages on this site if needed to show or change the ad types in an instant

You must how ever place the first code to my site in 4 places
2 must be placed in the surf bar on the left and the right

1 on the main page

1 in the members area

This is simple work if you know php so please bid accordingly as i am on a low budget and will be seeking completion on other sites as this is a simple job for a php programmer

the old code used to call the ads file had to have code added to each file to show the ads such as
tads();
also a html version was added to html pages to call the ads

i require the ame kind of thing such as tads1(); and similar for html pages to show the ad code placed in ad box 1 etc

I may have described this more complicated than it is because i dont understand it correctly but i have been advised itis simple for some one who understands php

Whmcs Module 4psa Dns Manager

Whmcs Module 4psa Dns Manager
We are looking for a API script to create DNS zones in 4PSA DNS manager trigerred by WHMCS.

– As soon as a domain name is ordered in WHMCS we need the script to create a zone in DNS Manager.
– We want define the DNS package setting such as client Zone SOA Settings and default IPadresses in WHMCS.
– We want to define the client permissions in DNS manager in WHMCS.
– We want to define the number of zone a client is allowed in WHMCS.

Tubex Php Guru Needed

Tubex Php Guru Needed
NO ESCROW FOR THIS PROJECT – PAYMENT VIA SCRIPTLANCE OR PAYPAL ONCE PROJECT IS COMPLETED TO MY SATISFACTION ( By Bidding You Agree To This Stipulation)

TubeX PHP Guru Needed

http://www.jmbsoft.com/software/tubex/

Script has a bug that needs correcting.

Only experienced coders need apply. All else will be ignored.

Don’t waste your time and mine.

PMB for more information on what needs correcting.

Top 10 Most Relaxed Prisons

Top 10 Most Relaxed Prisons
Top 10 most relaxed prisons in the world

The article must not be outsourced it must be written by you (the bidder). You must do a lot of research to make this article stand out. It must be accompanied with images and photos. I am looking for a perfect article and I can’t settle for anything less then perfect. Requirements:

-Native united states english
-Can be personalized
-2000 word minimum
-Must be SEO optimized
-I prefer someone that already has experience with the topic
-Can write in native united stated english

here is an example of the quality I need.
listverse DOT COM

Writer Needed For 100 Article

Writer Needed For 100 Article
Hello,

I am in need of a writer who can submit up to 50 articles per week.

All articles must be at least 500 words.
Must pass copyscape and other plagiarism checkers.
Payments are weekly through Paypal.

My Budget is only $2.50 per article so please do not bid if you do not agree to the rate.

I prefer Native English writers but if you are from another country and can meet US English standards then please apply.

Please provide a short one paragraph sample you have completed in the past.

Good Luck.

I hope to work with you soon

Quick Tip: My Favorite New IDE: WebStorm

Quick Tip: My Favorite New IDE: WebStorm

Over the weekend, Elijah Manor tweeted about a new IDE, called WebStorm, that is currently being offered as a public preview, from JetBrains. After spending a few hours with it, I’m extremely impressed! In this video quick tip, I thought I’d show you some of my favorite features that you, frankly, just don’t see much in other code editors.

Notable Features

  • Not as bloated as other IDEs, like Aptana
  • Git integration
  • Fast intellisense
  • Vertical Selecting (Option + select)
  • CSS lookup on markup (Shift + Command + I)
  • Definition lookup (Control J)
  • Immediately finds formatting errors in your code
  • Advanced debugging
  • Plenty of skins
  • Zen coding implementation! (Such as, ul#nav>li*4>a)
  • Quickly and easily export inline CSS and JS to external files.

What Do You Think?

So, if you’re curious, take some time to look over WebStorm and let me know what you think! I’m still learning it too, so let me know if you found any cool features that I didn’t mention.



Uncovering jQuery’s Hidden Features

Uncovering jQuery’s Hidden Features :Learn Jquery

jQuery is not always as it appears. There’s a lot of cool stuff going on under the surface, and there are many methods just waiting to be discovered, and many potential usages of jQuery’s API that you may not have considered before. In this article I’ll be taking you through a few of the not-so-obvious things I’ve discovered about jQuery.

1. Understanding jQuery!

When you call ‘jQuery’ what happens?

The jQuery function itself is very simple:

jQuery = function (selector, context) {
    // The jQuery object is actually just the init constructor 'enhanced'
    return new jQuery.fn.init(selector, context);
};

Under its skin, the jQuery function (commonly referred to as the “wrapper” function) simply returns an instantiated jQuery object — i.e. an instance of the ‘jQuery.fn.init’ constructor.

This is useful to know; with this information we know that each time we call ‘jQuery’ we’re actually creating a totally unique object with a set of properties. jQuery is clever in that it gives you an object that can be treated as an array. Each of your elements (all together, commonly known as the “collection”) is referenced within the object under a numerical index, just like within an array. And jQuery also gives this object a ‘length’ property, just as you would expect from an array. This opens up a world of possibilities. For one, it means that we can borrow some functionality from ‘Array.prototype’. jQuery’s ‘slice’ method is a good example of this — modified from the source:

/* ... jQuery.fn.extend({ ... */
slice: function() {
    return this.pushStack(
        Array.prototype.slice.apply( this, arguments ),
        "slice",
        Array.prototype.slice.call(arguments).join(",")
    );
},
/* ... */

The native ‘slice’ method doesn’t care that ‘this’ is not a real array– it’ll be fine with anything that’s got a ‘length’ property and [0], [1], [2] etc.

There are some other interesting properties within this jQuery object — ‘.selector’ and ‘.context’ will, most of the time, reflect the arguments that you pass into ‘jQuery(…)’.

var jqObject = jQuery('a');
jqObject.selector; // => "a"

One thing that’s important to note is that jQuery will sometimes give you new jQuery objects to work with. If you run a method that changes the collection in some way, such as ‘.parents()’, then jQuery won’t modify the current object; it’ll simply pass you a brand new one:

var originalObject = jQuery('a');
var anotherObject = originalObject.parents();

originalObject === anotherObject; // => false

All methods that appear to mutate the collection in some way return a brand new jQuery object — you can still access the old object though, via ‘.end()’, or more verbosely, via ‘.prevObject’.

2. Bread-and-butter Element Creation

Central to jQuery’s DOM capabilities, is its element creation syntax. 1.4 brought with it an entirely new way to create your elements quickly and succinctly. E.g.

var myDiv = jQuery('<div/>', {
    id: 'my-new-element',
    class: 'foo',
    css: {
        color: 'red',
        backgrondColor: '#FFF',
        border: '1px solid #CCC'
    },
    click: function() {
        alert('Clicked!');
    },
    html: jQuery('<a/>', {
        href: '#',
        click: function() {
            // do something
            return false;
        }
    })
});

As of 1.4 you can pass a second argument to the jQuery function when you’re creating an element — the object you pass will, for the most part, act as if you were passing it to ‘.attr(…)’. However, jQuery will map some of the properties to its own methods, for example, the ‘click’ property maps to jQuery’s ‘click’ method (which binds an event handler for the ‘click’ event) and ‘css’ maps to jQuery’s ‘css’ method etc.

To check out what properties map to jQuery’s methods, open your console and type ‘jQuery.attrFn’.

3. Serializing your Inputs

jQuery provides a method that you can use to serialize all of the inputs within one or more forms. This is useful when submitting data via XHR (“Ajax”). It’s been in jQuery for a long time but it’s not often talked about and so many developers don’t realise it’s there. Submitting an entire form via Ajax, using jQuery, couldn’t be simpler:

var myForm = $('#my-form');
jQuery.post('submit.php', myForm.serialize(), function(){
    alert('Data has been sent!');
});

jQuery also provides the ‘serializeArray’ method, which is designed to be used with multiple forms, and the ‘param’ helper function (under the jQuery namespace) which takes a regular object and returns a query string, e.g.

var data = {
    name: 'Joe',
    age: 44,
    profession: 'Web Developer'
};

jQuery.param(data); // => "name=Joe&age=44&profession=Web+Developer"

4. Animating Anything

jQuery’s ‘animate’ method is probably the most flexible of jQuery’s methods. It can be used to animate pretty much anything, not just CSS properties, and not just DOM elements. This is how you would normally use ‘animate’:

jQuery('#box').animate({
    left: 300,
    top: 300
});

When you specify a property to animate (e.g. ‘top’) jQuery checks to see if you’re animating something with a style property (‘element.style’), and it checks if the specified property (‘top’) is defined under ‘style’ — if it’s not then jQuery simply updates ‘top’ on the element itself. Here’s an example:

jQuery('#box').animate({
    top: 123,
    foo: 456
});

‘top’ is a valid CSS property, so jQuery will update ‘element.style.top’, but ‘foo’ is not a valid CSS property, so jQuery will simply update ‘element.foo’.

We can use this to our advantage. Let’s say, for example, that you want to animate a square on a canvas. First let’s define a simple constructor and a ‘draw’ method that’ll be called on every step of the animation:

function Square(cnvs, width, height, color) {

    this.x = 0;
    this.y = 0;
    this.width = width;
    this.height = height;
    this.color = color;

    this.cHeight = cnvs.height;
    this.cWidth = cnvs.width;
    this.cntxt = cnvs.getContext('2d');

}

Square.prototype.draw = function() {

    this.cntxt.clearRect(0, 0, this.cWidth, this.cHeight);
    this.cntxt.fillStyle = this.color;
    this.cntxt.fillRect(this.x, this.y, this.width, this.height);

};

We’ve created our ‘Square’ constructor, and one of its methods. Creating a canvas and then animating it couldn’t be simpler:

// Create a <canvas/> element
var canvas = $('<canvas/>').appendTo('body')[0];
canvas.height = 400;
canvas.width = 600;

// Instantiate Square
var square = new Square(canvas, 70, 70, 'rgb(255,0,0)');

jQuery(square).animate({
    x: 300,
    y: 200
}, {
    // 'draw' should be called on every step
    // of the animation:
    step: jQuery.proxy(square, 'draw'),
    duration: 1000
});

This is a very simple effect, but it does clearly demonstrate the possibilities. You can see it in action here: http://jsbin.com/ocida (this will only work in browsers that support the HTML5 canvas)

5. jQuery.ajax Returns the XHR Object

jQuery’s Ajax utility functions (‘jQuery.ajax’, ‘jQuery.get’, ‘jQuery.post’) all return an ‘XMLHttpRequest’ object which you can use to perform subsequent operations on any request. For example:

var curRequest;

jQuery('button.makeRequest').click(function(){
    curRequest = jQuery.get('foo.php', function(response){
        alert('Data: ' + response.responseText);
    });
});

jQuery('button.cancelRequest').click(function(){
    if (curRequest) {
        curRequest.abort(); // abort() is a method of XMLHttpRequest
    }
});

Here we’re making a request whenever the ‘makeRequest’ button is clicked — and we’re cancelling the active request if the user clicks the ‘cancelRequest’ button.

Another potential usage is for synchronous requests:

var myRequest = jQuery.ajax({
    url: 'foo.txt',
    async: false
});

console.log(myRequest.responseText);

Read more about the ‘XMLHttpRequest’ object and also be sure to check out jQuery’s Ajax utilities.

6. Custom Queues

jQuery has a built-in queuing mechanism that’s used by all of its animation methods (all of which use ‘animate()’ really). This queuing can be illustrated easily with a simple animation:

jQuery('a').hover(function(){
    jQuery(this).animate({paddingLeft:'+=15px'});
}, function(){
    jQuery(this).animate({paddingLeft:'-=15px'});
});

Quickly hovering over a bunch of anchors and then hovering over them again will cause the animations to queue up and occur one at a time — I’m sure many of you have witnessed this queuing effect before. If not, check it out here: http://jsbin.com/aqaku

The ‘queue’ method is similar to the well-known ‘each’ method in how it’s called. You pass a function, which will eventually be called for each of the elements in the collection:

jQuery('a').queue(function(){
    jQuery(this).addClass('all-done').dequeue();
});

Passing just a function to ‘queue’ will cause that function to be added to the default ‘fx’ queue, i.e. the queue used by all animations done by jQuery. Therefore, this function will not be called until all current animations occurring on each element in the collection (in this case, all anchors) have completed.

Notice that we’re adding a class of ‘all-done’ in the function above. As outlined, this class will only be added when all current animations are complete. We’re also calling the ‘dequeue’ method. This is very important, as it will allow jQuery to continue with the queue (i.e. it lets jQuery know that you’re finished with whatever you’re doing). jQuery 1.4 provides another way of continuing the queue; instead of calling ‘dequeue’, simply call the first argument passed to your function:

jQuery('a').queue(function(nextItemInQueue){
    // Continue queue:
    nextItemInQueue();
});

This does exactly the same, although it’s slightly more useful in that it can be called anywhere within your function, even within a mess of closures (that typically destroy the ‘this’ keyword). Of course, pre-jQuery-1.4 you could just save a reference to ‘this’, but that would get a bit tiresome.

To add a function to a custom queue, simply pass your custom queue’s name as the first argument and the function as the second:

jQuery('a').queue('customQueueName', function(){
    // Do stuff
    jQuery(this).dequeue('customQueueName');
});

Notice that, since we’re not using the default ‘fx’ queue, we also have to pass our queue’s name to the ‘dequeue’ method, in order to allow jQuery to continue with our custom queue.

Read more about ‘queue’, ‘dequeue’ and ‘jQuery.queue’.

7. Event Name-spacing

jQuery provides a way for you to namespace events, which can be very useful when authoring plugins and third-party components. If needed, the user of your plugin can effectively disable your plugin by unbinding all event handlers that it’s registered.

To add a namespace when registering an event handler, simply suffix the event name with a period and then your unique namespace (e.g. .fooPlugin):

jQuery.fn.foo = function() {

    this.bind('click.fooPlugin', function() {
        // do stuff
    });

    this.bind('mouseover.fooPlugin', function() {
        // do stuff
    });

    return this;
};

// Use the plugin:
jQuery('a').foo();

// Destroy its event handlers:
jQuery('a').unbind('.fooPlugin');

Passing just the namespace to ‘unbind’ will unbind all event handlers with that namespace.

Final Conclusion

So which ones did I miss? Any helpful features that you feel jQuery doesn’t document well enough?

Gaf Clone Needed

Gaf Clone Needed
Hi All,

We need someone who can provide me a ready made clone of current or little old version of getafreelancer I need this to be developed in PHP and MYSQL. Framework like codeigniter is fine but i want to check few code files before i accept the code because i want to make sure code is properly written and it is checked for every security. Do not bid if you have done the code in PHP and used javascript validations.

I myself run a company and i am as good as in programming as you think you are so we shall test the code properly before accepting bid.

Also demo for both admin and front end is must therefore do not bid without the demos URLS

Also No escrows until i see demo once i somehow impressed with your demo and code i will make escrow and then i will test the code fully on my server and once we are satisfied we shall pay for it.

No encrypted codes. I want current version of the getafreelancer but old one is fine but that will be not paid as good as the new version

Start bidding now a successful projects guaranteed if you be honest with me throughout the project

Many more projects will be given to the person if this project is success

Thanks
Gammalogics

Set Up Emailing For My Website

Set Up Emailing For My Website
I need you to write a new script that will be integrated with my current site that will automatically bulk email 10,000’s of targeted emails from my opt-in member database.

Your script will send emails daily to my members. The content of the mail will depend on 3 specific characteristics of my members.

My site is a press release distribution site PHP and SQL. Each day, customers post press releases and choose interest categories for their press release (example Sports, Technology, Entertainment, Health, etc….) and target locations (USA, California, Los Angeles, USA, New York, All Cities in New York, etc….) and language of press release (English, Spanish, French….).

Your script will send daily emails at 06:00 EST(New York time) to my 100,000 media members based on the press releases published within the preceding 24 hours. The content of each email depends on 1. the interest category and 2. location and 3. language of the media member.

The website is press **** release **** group **** dot **** com. ((((remove the ****))))).

I have a virtual private server with 1and1.com. I was told that it has access to a separate SMTP server (but I don’t know for sure. I don’t too much about that stuff).

I will provide more detail for you after I pick you.

The original programmer wrote a script to do the above. But, it does not seem to work right.

My script is suppose to send 20,000 – 150,000 emails per day to my opt in members.
I want you to totally rewrite it so that it works. Assume that you will need to write a totally new script for sending mass emails.

The content of each of these mass emails will need to be dependent on the variables associated with each media contact (Category, Location, Language). I will email you a sample email of what the mass email is supposed to look like.

Assume that I have no technical background. I know very very little about the code and this script.

The script is supposed to be totally automated, with no needed intervention from me. All emails will be sent from my server, or preferably from the 1and1 SMTP server.

You will need to do anything and everything that is necessary to make this script work according to my description (uploading, debugging, server modifications, etc…)

_______________

I will pay by Scriptlance escrow once you have totally completed the job AND after the script is working perfectly and totally automated for 3 consecutive days with no problems, and no daily intervention from you.

If you do not complete the project within your bidded time frame, or if job is not complete, I reserve the right to null contract and receive escrow funds back.

By working on this project, you agree to not use any part of your work or any part of my project for your future projects or for personal or business use.

I REPEAT, I WILL PAY BY SCRIPTLANCE ESCROW. ALL FUNDS WILL BE RELEASED AFTER THE SCRIPT IS WORKING PERFECTLY FOR 3 CONSECUTIVE DAYS and no intervention from you.

Upload Large Files

Upload Large Files
I’d like to use the thin slice component ( http://upload.thinfile.com/resume/ ) instead of the one we’re currently using now. Documentation on it is at http://upload.thinfile.com/docs/

Basically, once logging in, users type in who they’d like to email the file to, perhaps a ‘message’ go go along with it, and select a file. Once they hit submit and upload, I want thin upload to upload the file. Once it’s completed, the script will email the user that it’s been completed.

All of the functionality has been completed except I want to change the current upload method for Slice Upload, as that will allow me to get past my servers php.ini max file upload limits. all the page design and html has been done also. Just have to make it work with thin upload.

Thanks! Looking forward to working with you.

Website That Connects Social

Website That Connects Social
I would like a site built that will connect social media sites with in one site.

I would like a website with similar features to www.yoono.com (connects a number of social media sites together)

I would like to be able to have a website were people can login and have all their social media in one place.

1. create a blog
2. read blogs, add all the blogs you read and view them in the browser. (so you don’t have to go site to site, add the blogs you read and read them in one place.)
3. update your status to twitter, facebook, linkedin, ect.
also be able to pick all or just some of the account you have.
4. read the updates of other people (your fiends from the other networks and comment on them.

Header Image Creation

Header Image Creation
I need a nice header image for my wordpress site: www.kidssoccerindoorshoes.com

Site: The site sells Indoor Soccer Shoes FOR KIDS. So the header should be kid/child oriented. I’ve attached images of the shoes that will be sold on the site. You can use them as you wish.

I’ve also attached an image of the site as it stands today. Currently it’s locked down for development. If you absolutely need access I can arrange it.

I’m not set on color scheme yet. Having said that I want the PSD/Illustrator files sent to me. So I can:
1. Easily change background colors
2. Easily resize the image without losing image integrity

Sumamry
1. One Header Image
2. Theme: Indoor soccer shoes for kids
3. Images attached
4. Current website image attached
5. Easy to modify background color
6. Easy to resize without losing image integrity