Write 100 Articles
write 120 articles that have to do with insurance. Each article is 250 words. Each article is fairly simple to do as each one focuses on a different city. So you talk about the city, then talk about insurance. Simple. Need this done fast.
Drupal6 Developer Required
Drupal6 Developer Required
Hello,
I’ve had a website built on Drupal 6 and would be looking for a developer to modify a few minor details on the website (e.g. viewing permissions of the pages -separate public from private content on each page).
This would be as a one-off assignment and shouldnt require too much time.
Please get in touch asap for further information.
Regards
Small Php Ipn Script
Small Php Ipn Script
Details:
I would like a first script to receive the IPN info. Based on the product, I would like it to be directed to a second script, so this can be used for membership subscriptions of 1 site or trigger a purchase from another site.
Then the second part would take the script and assign access to a site for a period of time, rebill automatically and add / delete access.
For the second part of the order process. I would like the following information saved in MySQL and displayed for my viewing in a secured area.
They use a shopping cart system, which I don’t know if we can tap in to this but I’m hoping that if I can project the product number, based on the wording of the product/title on IPN it can auto fill this information and use a “form” or “send” command with the details from the IPN to fulfil the order.
Attached are 2 source codes copied from the page prior to sending the order to dhgate and the page before that. You can probably use the form/fields from this to achieve the goal.
I would like all the items stored in MySQL for viewing quantity sold based on product and seller as some sellers may be used for the same product although they will have diffferent product and seller numbers.
Then every 3rd product sold, should trigger an email to me to state something like, time to relist this item with the information from the item.
This is basically the script.
Tracking, ordering and stats.
If you have any other questions, please let me know.
12 Steps to MooTools Mastery
12 Steps to MooTools Mastery
This tutorial is about understanding and mastering the MooTools library. It does so by offering a high level introduction to the history and foundations of the Core library: where to start, where to explore, what to master, and more.
Tutorial Details
- Program: MooTools
- Version: 1.2.*
- Difficulty: Intermediate
- Estimated Completion Time: 1 hour
1: Prototypal Inheritance
The foundation of the MooTools framework is really in the prototypal inheritance model of JavaScript. In classical languages, like C++ or Java, a class represents something like a data type or what Jeff Mott called a “blueprint.” These blueprints are then used in the creation of objects. In fact, in these languages nothing is actually created until the “new” operator explicitly invokes them.
With JavaScript however, everything is created immediately, even before you instantiate the objects with the “new” operator. As a prototypal language, this effectively means no blueprints, no “classes”. Instead, we go about using some objects as fully operational bases for other objects. As Douglas Crawford said, in precisely this way JavaScript becomes “more capable and offers more expressive power.” Let’s take a look:
function Nerd(iq) {
this.iq = iq;
this.glasses = true;
this.pants = 'high';
}
function SuperPowers() {
this.strongerThanLocomotive = true;
this.fasterThanBullet = true;
this.canLeapBuildings = true;
}
Nerd.prototype = new SuperPowers();
Nerd.prototype.willWinGirl = function (hotness) {
if(this.iq > (hotness * 20) || this.strongerThanLocomotive){
console.log('maybe');
}
else {
console.log('nope');
}
}
new Nerd(140).willWinGirl(10); // logs "maybe"
The example above is actually a rather popular means of introducing the concept of prototyping. However, if you’re finding this a little too abstract, perhaps a better way to approach this would be to look at prototyping a native JavaScript constructor like String, Array, etc. For example:
Array.prototype.eachhhh = function (fn) {
for (var i = 0, l = this.length; i < l; i++) fn(this[i]);
}
[0,1,2,3].eachhhh(function(item){
console.log(item); // logs: 0,1,2,3
});
Prototyping simple code patterns like the for loop above can save tons of time when working on larger projects. When using the MooTools framework, it’s important to begin thinking of every constructor as being extendable; this is going to save you time down the line and make your code much more flexible. Furthermore, it’s precisely this method of inheritance that is at the core of MooTools, and harnessing this frameworks power means making use of prototyping. Of course, what MooTools does is make this process a whole lot easier for you to access and take advantage of, but we will get into exactly how it does this later on in the article.
2: Object Literal Notation
Wayyyy back in 2006, Chris Heilman was already getting fanatical about the object literal syntax… talking about sliced bread and other craziness. At any rate, for that very reason I’m not going to dwell on this subject too much, instead I’ll assume that you’ve come across this syntax at some point or atleast can grasp it by the simple example below.
//this is not object literal notation
var variable1 = null;
var variable2 = false;
function1(){
// some code
}
function2(){
// some code
}
// the above becomes object literal notation below...
var SomeVariableName = {
variable1: null,
variable2: false,
init:function(){
},
function1:function(){
// some code
},
function2:function(){
// some code
}
}
Like most programming languages, in JavaScript there exist a large number of stylistic preferences and “best practices.” When working with MooTools you’ll find there to be no shortage of these, including: not chaining excessively, capitalizing your class names, comma separating variable declarations, etc…. However, among these, object literal notation is perhaps most fundamental to understanding not only the way in which the MooTools framework itself is structured, but actually how to take advantage of this framework in developing your own code. We’ll develop this idea further throughout the rest of this article and as you’ll see, all the examples from this point forward will be taking advantage of this syntax.
3: The Class Constructor
If JavaScript doesn’t have “classes,” then why is there all this hype around Motools and classes? In May of last year, Aaron Newton published an excellent comparative piece on jQuery and MooTools. Among other things, he addressed precisely this question of classes in a very succinct way: “Despite its name, the MooTools Class function is not really a class nor does it create them. It has design patterns that might remind you of classes in a more traditional programming language, but really Class is all about objects and prototypal inheritance.”
As Aaron goes on to detail, the MooTools framework is pushing for powerful and ultimately simple ways to organize and structure your code, ways which are elegant but also familiar, and not just semantically, but in their capacity to behave in classical design patterns. In fact, you’ll find utilizing “classes” in your code base opens up your code to many powerful programming patterns: the mediator, the mixin, etc…
A simple MooTools class will look something like this (notice the syntax):
var YourClass = new Class({
variable1: false,
initialize: function(){
this.toggleVariable();
},
toggleVariable: function(){
this.variable1 = !variable1;
}
});
var yourClassInstance = new YourClass();
yourClassInstance.toggleVariable(); // this.variable1 == false
Not too complicated, right? Once you begin structuring your code in classes like these, you’ll find that your code repository will become not only a lot more organized and manageable, but actually smaller!
4: Class.Mutators
So how exactly does it become smaller? Returning to JavaScript’s prototypal inheritance model and how it relates to the Class constructor, MooTools provides us with Extends and Implements. As properties, both are fundamental to the production of your MooTools subclasses and make this whole protyping mess a bit more intuitive. At a high level, Extends gives your subclass access to all the methods of it’s base class, where methods and properties of the same name are overwritten (not to worry, they’re still accessible through the parent() method). Similar to Extends, Implements adopts properties from one or more other classes, but without the inheritance model.
Consider briefly Digitarald’s fancy upload plugin for Mootools. In this program Harald defines several classes, one of which is called the ‘File’ class. File houses the core functionality that a file object needs to interface with his uploading program and for this very reason is perfect for being extended; one might create an “Image File” subclass, a “Text File” subclass, etc. By modeling your code in this way, you are able to build your code up, rather than out. Consider the example below for how to use Extends:
var YourSubClass = new Class({
Extends: YourClass, //here we are extending "YourClass" from our previous example
variable2: false,
initialize: function(){
this.parent(); // this will call the initialize function from the bass Class "YourClass"
},
//here we are overwriting the toggle Variable function of "YourClass" with a new function
toggleVariable: function(){
this.variable1 = !variable1; // notice variable1 from "YourClass" is still accessible in YourSubClass
this.variable2 = !this.variable1;
}
});
5: Custom Events and Options
The most common usecase I find with Implements is including either the Events constructor or the Options constructor in my classes. As the name suggests, implementing Events allows for both the attachment and firing of custom events on your object, like onComplete, onFailure, onSuccess, onAnything. This level of abstraction becomes particularly useful when you begin sharing your code across several projects, where events behave as mediators between your current project and your plugins. In this way you can finally get away from those nasty one-to-one, bound relationships in your plugins. For example:
var YourSubClass = new Class({
Implements: Events, //here we tell MooTools to implement Events in our sub class (this wont effect the bass "YourClass")
Extends: YourClass,
variable2: false,
initialize: function(){
this.parent();
},
toggleVariable: function(){
this.variable1 = !variable1;
this.variable2 = !this.variable1;
//afterToggle() -- calling "afterToggle" would have made this function a necessary include of YourSubClass
this.fireEvent('toggled'); //instead a custom event is fired called "toggled"
}
});
var yourSubClassInstance = new YourSubClass();
var afterToggle = function(){
alert('i\'ve just been toggled!');
};
//here we add a listener for the custom event, just like we would any other event
yourSubClassInstance.addEvent('toggled', afterToggle);
Besides Events, often you will want to Implement MooTools’ Options. This utility class allows you to automate the setting of a list of optional properties to be set on an instance of your class. Again, this can be very helpful when writing plugins for various projects, allowing for the circumstantial customization of certain properties of your object. Consider the example below:
var YourSubClass = new Class({
//One of the many cool things about the implements property is that it excepts an array.
Implements: [Events,Options], //Here we include Options
Extends: YourClass,
//options are set if the invoker does not explicitly specify a value.
options: {
variable2: false
},
initialize: function(options){
this.setOptions(options); //sets the options
this.parent();
},
toggleVariable: function(){
this.variable1 = !variable1;
this.options.variable2 = !this.variable1;
this.fireEvent('toggled');
}
});
// this will start the class with variable2 = true.
var yourSubClassInstance = new YourSubClass({
variable2: true
});
6: Binding
As your programs become more complex, a proper understanding of scope becomes invaluable. Scope is the way variables in JavaScript relate to any single point of execution — there are global variables, which are variables that can be referenced from anywhere in the document and occupy the lowest executing level, local variables, which are variables limited to their immediate containing functions or closures, and finally, self references, the “this” keyword, which are JavaScript’s way of referencing the context of the current point of execution.
var global = true; //global variable;
var aFunction = function(){
var local = true; //local variable
}
$('button').addEvent('click', function(){
this.addClass('clicked'); // self reference
});
When referencing a variable in your code, JavaScript bubbles from it’s current executing position through all accessible levels of variables until it locates the first and nearest occurrence of a positive match. This behavior is often less than desirable, particularly when dealing with events inside of object literals as they house their own self references. Often developers rely on what are called “lexical closures” to circumvent problems like these, storing the self reference in a variable of a different name. However, MooTools provides an alternative means of achieving this through their bind() method, which is not only cleaner, but a lot more elegant. Consider the example below:
...
addEvents: function(){
$('button').addEvent('click', function(){
//binding substitutes the current self reference for that of the object passed in
this.toggleVariable();
}.bind(this)); // here we bind this to the click event handler
},
toggleVariable: function(){
//code
},
...
7: The Element Constructor
In the example above we targeted an already existing element in the DOM and added an event listener to it. However, it’s not uncommon today that you will see entire web apps load their content dynamically using JavaScript. With the evolution of JSON, being able to generate markup on the fly has become increasing necessary. Enter the MooTools Element constructor. The novel thing about this constructor is that it maintains it’s readability despite it’s large capacity for optional properties (Again, thanks to the object literal notation!). Element accepts an events object, a styles object, plus any individual properties like class, id, src, href, title, etc. That said, it’s also loaded with a ton of methods, the complete list of which is available from the MooTools docs here. Below is a simple example of how to get started:
var el = new Element('div', {
id: 'button',
'html': 'hellloooo',
styles: {
display: 'block',
position: 'relative',
float: 'left
},
events: {
click: function(){
//your code
}
}
});
8: DOM Manipulation
Now that you have your dynamic element, wouldn’t it be great to insert it into the DOM? MooTools provides a really handy list of methods for just that, including:
- inject – places one element relative to the calling element : ‘before’, ‘after’, ‘top’, ‘bottom’
- grab – like inject but in reverse
- adopt – works like grab accept it can accept an array of elements and you can’t specify an exact relation
- wraps – Works like grab, but instead of moving the grabbed element from its place, this method moves this Element around its target
Of these methods, I’ve found adopt’s ability to accept an array of elements absolutely indispensable, especially when structuring larger quantities of dynamic markup. Consider the example below:
var el = new Element('div', {
id: 'button',
styles: {
display: 'block',
position: 'relative',
float: 'left
},
events: {
click: function(){
//your code
}
}
}).adopt(
this.createSpan(), // returns an element which can later be overwritten by a subclass
new Element('a', {
href: 'http://somewebsite.com'
}).adopt(
new Element('strong', {
'html': 'world'
})
)
).inject($(document.body),'top');
The example above makes for a truly object oriented approach to DOM manipulation. When you become a super MooTools ninja, jedi, junky, nerd, you can use the method above to begin abstracting out functions which return elements or arrays of elements, making it possible for your subclasses to target specific methods in modifying your display. Awesome.
9: Request.JSON & Request.JSONP
JavaScript Object Notation or JSON is the lightweight data-interchange format that everyone loves (especially after working with XML). The great thing about JSON of course is that it’s structure is recognized natively by JavaScript, and with many large sites opening up their data to the public via APIs, there’s really no reason why you shouldn’t invest the time to get familiar with it. No longer a cross browser nightmare, whether you’re pushing data to a back-end service or requesting another batch of tweets from twitter, the MooTools Request constructor makes JSON and JSONP incredibly simple. It works with several event listeners and recently a timeout, which is completely neccessary once you start getting into JSONP. (Which you should! It’s so fun.) Here’s a simple example:
var JSONRequest = new Request.JSON({
url: "http://yoursite.com/tellMeSomething.php",
onFailure: function(){
alert('oh nooo!');
},
onSuccess: function(response){
alert('hooray!: ' + response.result);
}
});
10: Fx
At a high level, the Fx constructor allows you to modify any CSS property of an HTML element, which itself accepts a single element and a series of optional properties (duration, transition type, etc.) to create smooth animation effects of colors, slides, scrolls, etc. What’s more, the Fx constructor is fully compatible with Robert Penner’s Easing equations, which are a great way to add a touch of uniqueness to your transitions like bounce, elastic, sin, etc.
If you’re “hardcore” you can actually achieve all of the animation effects using either Fx.Tween(single css style animation) or Fx.Morph (multiple simultaneous style animations). Of course, beyond these there’s Fx.Slide, Fx.Scroll, Fx.Accordian, etc. Here’s a simple example using Fx.Tween:
var myFx = new Fx.Tween($('button'));
myFx.start('background-color', '#000', '#f00'); //this tweens the background color of the button element.
If you’re dying to get deeper into this topic, check out Consider Open’s fx tutorial for a fairly comprehensive introduction to the constructor.
11: Swiff
Originally appearing in Digitarald’s fancy upload, the Swiff object allows your page’s JavaScript to communicate with Flash. This makes it substantially easier to interact with Flash’s unique functionality like video, sound, file streaming, and clipboard accessing features. More over, Swiff allows you to pass values and manipulate the Flash movie using conventions you’re familiar with from JavaScript and Mootools. Integrating flash in this way is particularly useful as we begin taking steps towards offering HTML5 as a progressive enhancement, where, barring user’s have the flash plugin, Swiff can be used to control audio or video on older browsers. Meanwhile, check out the simple example below:
var flashObject = new Swiff('sounds.swf', {
id: 'mySoundManager',
width: 1,
height: 1,
vars: {
myVariable: true, //pass variables into flash on load
},
callBacks: {
//call custom events from your flash object
someEvent: function(){
//code
}
}
});
Swiff.remote(flashObject, 'playMySound') //calls the function "playMySound" from within flash
12: Mootools More & Forge
Now with over fifteen members contributing to the official more plugin repository and over one hundred unofficial plugins already on Forge, it’s no surprise that “Community” is what the MooTools team wanted us as developers to take away from 2009. Indeed people have truly embraced this framework, and now with Forge, we have a great place to meet each other and begin sharing ideas. You’ll find David Walsh, Aaron Newton, 3n, and many others actively contributing amazing code and facilitating an environment capable of both inspiration and utility. In the end, the most helpful way to pick up the MooTools framework is by engaging with the developers around you and ultimately understanding what they are working on and how they’re going about it.
Write a Plus Tutorial
Did you know that you can earn up to $600 for writing a PLUS tutorial and/or screencast for us? We’re looking for in depth and well-written tutorials on HTML, CSS, PHP, and JavaScript. If you’re of the ability, please contact Jeffrey at [email protected].
Please note that actual compensation will be dependent upon the quality of the final tutorial and screencast.
- Follow us on Twitter, or subscribe to the Nettuts+ RSS Feed for the best web development tutorials on the web.
Finish Moving Site To Joomla
Finish Moving Site To Joomla
I have an existing site that I am rebuilding in Joomla. Used a programmer who moved it, but didn’t finish it. Need a Joomla expert to finish per my instructions. Must be proficient in English language.
Creating Blog Articles
Creating Blog Articles
I have a year’s worth of articles in an ezine I do each week. They are currently available on the web but weren’t published in my blog.
I need someone to extract the feature article from each ezine and edit each one to be used on my blog (and ultimately published in an ebook). There are somewhere between short 60-75 articles of about 400-1000 words.
You’ll need great writing skils (English). Subject is financial education for kids and adults. (p.s. financial education for you free for you:-).
There is no rush for this project. I’d love for it to be completed within 60 days. You can feed me the articles are you get them done.
Simple Html Site 2
Simple Html Site 2
I’m willing to pay $75-100 for this work. It must be done in 5-7 days. You’ll need to make it on my server or put the files after you make them on my server, because I can’t show a link to someone else’s site to the client.
I need someone to take a illustrartor document and chop it up and make it into a simple html site. Don’t use css for the site. As the client knows html, but nothing about using css.
For the initial roll-out version, I need 6 pages: I’ll pay $15 for each addional page added. Since it’s html each new page is not more then an hour of work. All the page will be based off the the design I give you.
1. Main Page (also know as the Sales Letter)
Use content from their site. The homepage will have a series of videos on the homepage. For now just use youtube vidoes. Since it will be easier for the client to add it to the site. They will just add the video to youtube then paste the code in their site.
This video type may change though. For now use youtube videos.
2. Product Order Page
Use content and text from their site for this. It connects to paypal and the merchant service ClickBank. It’s not like a ecommerce site really. They only offer like 1 product.
3. About Us
This will be provided.
4. FAQ
You can take all the text from their old site
5. Contact Page
Needs a contact form.
6. there is either a 6th page or some design that is going to be made that will be put on the homepage. I’m not 100% sure on this. Either way I’ll have the design for you in a few days.
Here is the most important part: You must make everything symertrical and balanced. If text starts 1 inch from the top of the page. It must be like that on every page. Everything has to be the same and symertical on the page.
Web Developer/programmer
Web Developer/programmer
I am currently looking for someone experienced in being a Web Developer to join our company full-time.
Some Background Information
We are a UK based training organisation called Noble Manhattan Coaching www.noble-manhattan.com
We specialise in training men and women to be great life coaches and executive coaches.
We have many different websites and the company currently has students in approximately 20 countries.
We are looking to invite someone to join our existing team on a long-term full time basis.
the skills and knowledge that we are looking for are.
Essential skills
It is absolutely essential that the successful applicant have the following skills and knowledge
Webmaster
PHP
HTML
Java
MySQL/SQL
Sage pay
Experience in online media
Jumla
Wordpress
Managing Servers
Autoresponders
Online Recording software
Desirable skills
It would be very helpful if the successful applicant at the following skills and experience
C
C++
Perl
Design and graphic knowledge and experience
Internet marketing
SEO
Experience with online radio stations
Red Hat
Drupal
Google analytics
Webpage Design
Please do not apply if you do not have all of the essential skills listed above.
The starting salary would be negotiated with you
f you have read this e-mail thoroughly and you feel that you have the skills and the ability to carry out the jobs that I require then I would like to take it to the next stage.
If you do not have the skills please do not ask for an interview.
The next stage is where we would have a proper voice to voice interview on Skype.
I never hire anyone if I haven’t had the opportunity to speak to them properly and it is important that I reassure myself about the quality of English and the level of understanding and comprehension.
Step 1
Send in a copy of your most recent resume/CV to my PA Stacey Melvin at
[email protected]
Step 2
Contact my PA Stacey Melvin and arrange a time to have an interview with me on Skype.
Make sure you have your microphone or a headset ready when we do this
[email protected]
And she will set up a time that suits us both.
Please ensure that prior to our interview you have sent through your up-to-date CV and photograph
And any other supporting material that you feel would assist in the interview process
Looking forward to speaking to you
Warmest
Gerard
Move Asp System To New Server
Move Asp System To New Server
Have an existing ASP solution that I need to move to a new server.
You need to move the system and make sure that it works on the new server.
The current system uses a MySQL database. The new server is running MS SQL Server but I could provide a MySQL database for you running on a separate Linux server. It is up to you to decide if you want to move the database to a new MS SQL server on Windows, or to a MySQL server running on Linux.
Php Mysql Developer 2000 Usd
Php Mysql Developer 2000 Usd
We are a small company based in Europe
We are looking for small team of 30 webdeveloper and Designers
You need to specify
A) Your Skillsets
B) Your Work Experience and Demo projects
C) Other Achievements
People without Experience will be put on Probation if their logics and maths skills are excellent.
You will be needed to work with Skype and Yahoo on live Projects with clients on US Time Zone or Euro Time Zone.
You will be required to work with team scattered across globe and deliver Projects on timely basis exceeding client expectations.
You will be given a test.
People above 80 percentile will be selected
50-80 on waitlist.
and below 50, we wont be able to accommodate you.
Thanks
Display Info On/off With Php
Display Info On/off With Php
EASY PROJECT: i have a job listing page at my website and i want to have option to make job listing visible or not. all the files for this project are in attachment (Archive.zip)
the data is saved, edited or updated from a page named edit.php (see attached) onto a DB table (see attached image Picture 3 for layout) and then displayed on php page named employment.php (see attached).
i added a checkbox to edit.php and the field “display” onto the database. I need someone to take my files and update them and then provide working sample of these files from your server before i select you as winning bid.
budget is $10 max
Php Developer For Updates
Php Developer For Updates
I need a good PHP developer to help me make some updates and changes to an existing PHP based web system.
You need to know PHP, Linux, MySQL etc.
Tgiboobs.com Website Work
Tgiboobs.com Website Work
#1
I’d like to have a database of past winners of the week. I’d like to have the winner and losers of the week’s ranking, wins, losses, draws and whatever else saved for that week.
So if in week 1, Red had 100 matches, 20 draws, 50 wins, and 30 losses as the champion of that week it’ll be saved for that week in some archive and further votes will be added but not effect the placement of it for that winning week.
The statistics should be saved in a snapshot for archive and the weekly winner, but still be eligible to score in live and statistics adjusted as such in the Winningest of all time page.
And so in all of week 2 it’ll display Red as the champion at the same statistics. Even if the rankings change in that week. When the end of week 2 comes around I’d like the winner of that week displayed, and the cycle keeps going.
The only page difference I would like for the weekly winner page is at the bottom you have an archive link to different date’s weekly champions.
Friday at noon the winner and losers of the week should be posted for the entire week until the next friday. On the bottom of each page there should be a dynamic list of past winners/list of losers.
#2
Minor detail, on the winner of the week and all time winners/losers of the week I’d like each image to be 125 x 125, simple.
#3
In the backoffice I’d like to be able to edit the database statistics (votes/wins/losses/draws)
#4
Last one I don’t know if it’s so simple. Facebook has a similar application. When someone submits an image I need an even squared image. The image they submit should be able to be cropped to a square size of their choice and submitted. The user should be able to resize and crop.
Update Clipshare To 1.3 Last
Update Clipshare To 1.3 Last
Hello,
I need to upgrade a ClipShare adult site from 1.3 to last version of ClipShare.
The Upgrade consist to have the last version of clipshare with the same frontend of the current site.
all videos, themes, settings, gategories, tags… and URL do the same as before after upgrade. That is the most important.
Also the Grab Video need to be upgrade(of course) and it do work correctly for all sites of my list.
I need a good work, think before bid.
Entertainment Site
Entertainment Site
Hi guys…We want to launch an entertainment site. The site should be mainly designed and developed for the young people. Our site’s main targeted audience would be young guys and gals. We are looking for something like http://www.esterisk.com. If you have the ability and potential to fulfill are requirements revert back soon with your contact details at.
