Wednesday 20 August 2014

Creating a simple PHP forum tutorial

15 comments :

http://www.phpeasystep.com/phptu/12.html 

 

 

 http://www.phpeasystep.com/phptu/24.html

STEP1: Create table "temp_members_db" and table "registered_members"


Table "temp_members_db"
CREATE TABLE `temp_members_db` (
`confirm_code` varchar(65) NOT NULL default '',
`name` varchar(65) NOT NULL default '',
`email` varchar(65) NOT NULL default '',
`password` varchar(15) NOT NULL default '',
`country` varchar(65) NOT NULL default ''
) ENGINE=MyISAM DEFAULT CHARSET=latin1;


Table "registered_members"

CREATE TABLE `registered_members` (
`id` int(4) NOT NULL auto_increment,
`name` varchar(65) NOT NULL default '',
`email` varchar(65) NOT NULL default '',
`password` varchar(65) NOT NULL default '',
`country` varchar(65) NOT NULL default '',
PRIMARY KEY (`id`)
) ENGINE=MyISAM DEFAULT CHARSET=latin1 AUTO_INCREMENT=1 ;

STEP2: signup.php - Create sign up form

############### Code

<table width="350" border="0" align="center" cellpadding="0" cellspacing="0">
<tr>
<td><form name="form1" method="post" action="signup_ac.php">
<table width="100%" border="0" cellspacing="4" cellpadding="0">
<tr>
<td colspan="3"><strong>Sign up</strong></td>
</tr>
<tr>
<td width="76">Name</td>
<td width="3">:</td>
<td width="305"><input name="name" type="text" id="name" size="30"></td>
</tr>
<tr>
<td>E-mail</td>
<td>:</td>
<td><input name="email" type="text" id="email" size="30"></td>
</tr>
<tr>
<td>password</td>
<td>:</td>
<td><input name="password" type="password" id="password" size="30"></td>
</tr>
<tr>
<td>Country</td>
<td>:</td>
<td><input name="country" type="text" id="country" size="30"></td>
</tr>
<tr>
<td>&nbsp;</td>
<td>&nbsp;</td>
<td><input type="submit" name="Submit" value="Submit"> &nbsp;
<input type="reset" name="Reset" value="Reset"></td>
</tr>
</table>
</form></td>
</tr>
</table>

STEP3: signup_ac.php - Insert data into database

In this step
1. Random confirmation code.
2. Insert data and confirmation code into database.
3. Send email to user with confirmation link. ############### Code


<?php

include('config.php');

// table name
$tbl_name=temp_members_db;

// Random confirmation code
$confirm_code=md5(uniqid(rand()));

// values sent from form
$name=$_POST['name'];
$email=$_POST['email'];
$country=$_POST['country'];

// Insert data into database
$sql="INSERT INTO $tbl_name(confirm_code, name, email, password, country)VALUES('$confirm_code', '$name', '$email', '$password', '$country')";
$result=mysql_query($sql);

// if suceesfully inserted data into database, send confirmation link to email
if($result){
// ---------------- SEND MAIL FORM ----------------

// send e-mail to ...

$to=$email;

// Your subject
$subject="Your confirmation link here";

// From
$header="from: your name <your email>";

// Your message
$message="Your Comfirmation link \r\n";
$message.="Click on this link to activate your account \r\n";
$message.="http://www.yourweb.com/confirmation.php?passkey=$confirm_code";

// send email

$sentmail = mail($to,$subject,$message,$header);
}

// if not found

else {
echo "Not found your email in our database";
}

// if your email succesfully sent

if($sentmail){
echo "Your Confirmation link Has Been Sent To Your Email Address.";
}
else {
echo "Cannot send Confirmation link to your e-mail address";
}
?>

STEP4: confirmation.php

When jack open his email he'll see this message and link to file "confirmation.php" including passkey in url.

In this step
1. Check passkey
2. If found passkey in database, move all data in that row from table "temp_members_db" to table "registered_members"
3. Delete passkey from table "temp_members_db"
############### Code

<?php

include('config.php');

// Passkey that got from link
$passkey=$_GET['passkey'];
$tbl_name1="temp_members_db";

// Retrieve data from table where row that match this passkey
$sql1="SELECT * FROM $tbl_name1 WHERE confirm_code ='$passkey'";
$result1=mysql_query($sql1);

// If successfully queried
if($result1){

// Count how many row has this passkey
$count=mysql_num_rows($result1);

// if found this passkey in our database, retrieve data from table "temp_members_db"
if($count==1){

$rows=mysql_fetch_array($result1);
$name=$rows['name'];
$email=$rows['email'];
$password=$rows['password'];
$country=$rows['country'];
$tbl_name2="registered_members";

// Insert data that retrieves from "temp_members_db" into table "registered_members"
$sql2="INSERT INTO $tbl_name2(name, email, password, country)VALUES('$name', '$email', '$password', '$country')";
$result2=mysql_query($sql2);
}

// if not found passkey, display message "Wrong Confirmation code"
else {
echo "Wrong Confirmation code";
}

// if successfully moved data from table"temp_members_db" to table "registered_members" displays message "Your account has been activated" and don't forget to delete confirmation code from table "temp_members_db"
if($result2){

echo "Your account has been activated";

// Delete information of this user from table "temp_members_db" that has this passkey
$sql3="DELETE FROM $tbl_name1 WHERE confirm_code = '$passkey'";
$result3=mysql_query($sql3);

}

}
?>

STEP5: config.php - config your database

<?php

$host="localhost"; // Host name
$username=""; // Mysql username
$password=""; // Mysql password
$db_name=""; // Database name


//Connect to server and select database.
mysql_connect("$host", "$username", "$password")or die("cannot connect to server");
mysql_select_db("$db_name")or die("cannot select DB");

?>

 

  ------------------------------------------------------------------------------

Overview

In this tutorial, create 5 files
1. create_topic.php
2. add_topic.php
3. main_forum.php
4. view_topic.php
5. add_answer.php

Steps
1. Create table name "forum_question" and "forum_answer" in database "test".
2. Create file create_topic.php.
3. Create file add_topic. php.
4. Create file main_forum.php
5. Create file view_topic.php
6. Create file add_answer.php


If you don't know how to create database and table read this tutorial

STEP1: Set up database

Create database "test" and create 2 tables "forum_question" and table "forum_answer"

Table forum_question
CREATE TABLE `forum_question` (
`id` int(4) NOT NULL auto_increment,
`topic` varchar(255) NOT NULL default '',
`detail` longtext NOT NULL,
`name` varchar(65) NOT NULL default '',
`email` varchar(65) NOT NULL default '',
`datetime` varchar(25) NOT NULL default '',
`view` int(4) NOT NULL default '0',
`reply` int(4) NOT NULL default '0',
PRIMARY KEY (`id`)
) TYPE=MyISAM AUTO_INCREMENT=1 ;

Table forum_answer
CREATE TABLE `forum_answer` (
`question_id` int(4) NOT NULL default '0',
`a_id` int(4) NOT NULL default '0',
`a_name` varchar(65) NOT NULL default '',
`a_email` varchar(65) NOT NULL default '',
`a_answer` longtext NOT NULL,
`a_datetime` varchar(25) NOT NULL default '',
KEY `a_id` (`a_id`)
) TYPE=MyISAM;

STEP2: Create file create_topic.php

create php forum topic ############### Code


<table width="400" border="0" align="center" cellpadding="0" cellspacing="1" bgcolor="#CCCCCC">
<tr>
<form id="form1" name="form1" method="post" action="add_topic.php">
<td>
<table width="100%" border="0" cellpadding="3" cellspacing="1" bgcolor="#FFFFFF">
<tr>
<td colspan="3" bgcolor="#E6E6E6"><strong>Create New Topic</strong> </td>
</tr>
<tr>
<td width="14%"><strong>Topic</strong></td>
<td width="2%">:</td>
<td width="84%"><input name="topic" type="text" id="topic" size="50" /></td>
</tr>
<tr>
<td valign="top"><strong>Detail</strong></td>
<td valign="top">:</td>
<td><textarea name="detail" cols="50" rows="3" id="detail"></textarea></td>
</tr>
<tr>
<td><strong>Name</strong></td>
<td>:</td>
<td><input name="name" type="text" id="name" size="50" /></td>
</tr>
<tr>
<td><strong>Email</strong></td>
<td>:</td>
<td><input name="email" type="text" id="email" size="50" /></td>
</tr>
<tr>
<td>&nbsp;</td>
<td>&nbsp;</td>
<td><input type="submit" name="Submit" value="Submit" /> <input type="reset" name="Submit2" value="Reset" /></td>
</tr>
</table>
</td>
</form>
</tr>
</table>

STEP3: Create file add_topic.php

############### Code


<?php

$host="localhost";
// Host name
$username=""; // Mysql username
$password=""; // Mysql password
$db_name="test"; // Database name
$tbl_name="forum_question"; // Table name

// Connect to server and select database.
mysql_connect("$host", "$username", "$password")or die("cannot connect");
mysql_select_db("$db_name")or die("cannot select DB");

// get data that sent from form
$topic=$_POST['topic'];
$detail=$_POST['detail'];
$name=$_POST['name'];
$email=$_POST['email'];

$datetime=date("d/m/y h:i:s"); //create date time

$sql="INSERT INTO $tbl_name(topic, detail, name, email, datetime)VALUES('$topic', '$detail', '$name', '$email', '$datetime')";
$result=mysql_query($sql);

if($result){
echo "Successful<BR>";
echo "<a href=main_forum.php>View your topic</a>";
}
else {
echo "ERROR";
}
mysql_close();
?>

STEP4: Create file main_forum.php

create php forum topic ############### Code


<?php

$host="localhost";
// Host name
$username=""; // Mysql username
$password=""; // Mysql password
$db_name="test"; // Database name
$tbl_name="forum_question"; // Table name

// Connect to server and select databse.
mysql_connect("$host", "$username", "$password")or die("cannot connect");
mysql_select_db("$db_name")or die("cannot select DB");
$sql="SELECT * FROM $tbl_name ORDER BY id DESC";
// OREDER BY id DESC is order result by descending

$result=mysql_query($sql);
?>


<table width="90%" border="0" align="center" cellpadding="3" cellspacing="1" bgcolor="#CCCCCC">
<tr>
<td width="6%" align="center" bgcolor="#E6E6E6"><strong>#</strong></td>
<td width="53%" align="center" bgcolor="#E6E6E6"><strong>Topic</strong></td>
<td width="15%" align="center" bgcolor="#E6E6E6"><strong>Views</strong></td>
<td width="13%" align="center" bgcolor="#E6E6E6"><strong>Replies</strong></td>
<td width="13%" align="center" bgcolor="#E6E6E6"><strong>Date/Time</strong></td>
</tr>


<?php

// Start looping table row
while($rows=mysql_fetch_array($result)){
?>

<tr>
<td bgcolor="#FFFFFF">
<? echo $rows['id']; ?></td>
<td bgcolor="#FFFFFF"><a href="view_topic.php?id=<? echo $rows['id']; ?>"><? echo $rows['topic']; ?></a><BR></td>
<td align="center" bgcolor="#FFFFFF">
<? echo $rows['view']; ?></td>
<td align="center" bgcolor="#FFFFFF"><? echo $rows['reply']; ?></td>
<td align="center" bgcolor="#FFFFFF"><? echo $rows['datetime']; ?></td>
</tr>


<?php
// Exit looping and close connection
}
mysql_close();
?>


<tr>
<td colspan="5" align="right" bgcolor="#E6E6E6"><a href="create_topic.php"><strong>Create New Topic</strong> </a></td>
</tr>
</table>
Read More

Monday 23 June 2014

Do follo link

15 comments :
http://igiri.org/high-pr-commentluv-blogs-for-getting-dofollow-backlinks/

a quality Backlink from some high PR site will boost your rank, Today also the same line is that much useful and valuable.
Read More

Wednesday 30 April 2014

tips to increase twitter and facebook popularity

2 comments :

 

Tips to Increase Your Twitter Followers

 

Put Thought into Your Avatar

Tweet during Peak Hours If you are sending Tweets during the evening or overnight hours, they will be seen by fewer people. Even if individuals are following you, the latest posts show up on their feed when they log in. Most users will log in during the day, often during regular business hours. Therefore, it is best to send your Tweets during these hours for the best results. The morning hours and later in the afternoon are your ideal options.

Spend Time on Your Bio

Filling out your bio may seem like a waste of time, but many people will read it when making the choice to follow you. Fill out all aspects of your profile so potential followers can determine if you are the right choice. Use links back to your website and your blog to give your readers something else to follow. With the help of effective content writing, your social media will be more successful.

 Respond to Users

Consumers who use social media love to interact with the businesses they follow. They may ask you a question or regularly respond to you or retweet what you send. Monitor those who interact with you most and make an effort to mention them in some of your posts. This will show potential followers that you interact with users. Even if you must use content writing services to create your Tweets, this is important to your success.

Engage Your Users

Don’t simply use your web content writer to give your followers information. Engaging your users will make your Twitter account more effective and increase the number of followers. Ask questions and encourage them to tag you in their answers. This can increase your reach and bring more individuals to your Twitter page.

Use Links

Most businesses link to their most effective content writing to bring more users to their website or blog. While this is a great way to offer information to your users, providing them with links to outside sources can also be effective. Choose links to industry-related sites that aren’t in direct competition. This gives your readers other sources of facts and figures related to your business.

Focus on Your Business

It may seem useful to throw in some Tweets that are for fun, but it is important to create a niche and remain within that category. In the world of business, your customers don’t want to hear about your personal life or other things that aren’t related to your company. While not all posts should be focused on sales, make sure they all relate to your business in some way.

Post Repeatedly

When you post to Twitter, don’t be afraid to make the same point more than once. While you don’t want to send the same Tweet multiple times in the same day or even the next day, using the same message several times a week or once a week can help more people see it without annoying your readers.

Images Are Useful

Even though Twitter isn’t focused on images, they can still be useful in reaching your target audience and generating more followers. When your content writing services provide you with Tweets, ask them to also provide images.

Link Your Accounts Together

If you use Twitter, chances are you also use other social media accounts, along with a blog and your website. Linking all these sites together can help you more effectively reach your target audience. Repeat your Twitter posts on Facebook and mention your account on your blog.





Facebook Strategies to Increase Your Popularity Online for Business

Ask Questions

The best way for your website content writer to generate responses through your social media sites is to ask a question. Posts that ask readers something typically generate twice as many responses as those that make a simple statement. Questions that ask “who,” “should,” “would” and “which” attract more responses than any other type of question. Asking something that requires a fast answer are better at engaging your audience than those that require longer, more thought out answers.

Run a Contest

Running contests is a great way to engage your audience. Everyone likes the opportunity to win something without having to do anything extra. However, when you create Facebook posts that encourage customers to like your page for a chance to win, you will see your number of followers quickly rise. This is the fastest way to attract more followers for your page, along with quality web content writing.

Offer Coupons or Discounts

In addition to getting something for free, many Internet users are on the lookout for ways to save money on the products or services they need to buy. Your Facebook page is the ideal location for providing customers with coupons and special discounts. When customers like your Facebook, they will receive access to a special deal. Offering savings on a regular basis creates a further incentive to keep customers interested in your Facebook page.
Social media has changed the landscape of Internet marketing. Today’s consumers want to interact with their favorite companies on a personal level through Facebook and other social media sites. When your website content writer creates new blog posts or site content, using social media to promote your web content writing ensures you effectively reach your customers. To increase the number of individuals you can reach, it is important to follow these tips to obtain more followers and engage those customers with your posts.

http://www.iwebcontent.com/ 
Read More

Saturday 26 April 2014

seo tips and tricks 2014

3 comments :

EDU & GOV BACKLINK LIST:

you are somehow able to get backlinks from this site then it is worth the effort because it wills surely going to be a high quality link. Although dofollow link is rare to get but no follow might be quite helpful as well. Moreover, you would not be able to directly get links from main website unless you personally know the admin, you can get link from their blogs, registrations for various programs, discussion forum and community etc to get backlink.

https://web.archive.org/web/20140629131134/http://igiri.org/top-high-pr-forum-for-getting-dofollow-backlinks/

PR6 Blogs
http://comluv.com/  Multi niche
http://w3blog.dk/  Themes and SEO

Edu Backlinks


  • http://libfe.cshl.edu/wp/vb/register.php?s=50cb1704a7da9ad5b9431254d0a94b53
  • http://oregonstate.edu/groups/osugaming/forumshttp://honors.arizona.edu/forum
  • http://www.uta.edu/studentorgs/cgsa/forum/register.php
  • http://ksdt.ucsd.edu/forum
  • http://djclub.ucsd.edu/forum
  • http://forum.portal.edu.ro
  • http://www-rohan.sdsu.edu/acm/forum
  • http://swin.edu.au/hosting/hairhousewarehouse/forum
  • http://lincolnchristian.edu/forum/index.php?PHPSESSID=4gggv8ilg4k3o2a29kmar5i5s7&action=register
  • http://access4all.ewu.edu/forum/index.php?PHPSESSID=sokicp0e4m9l26abc74fava8l1&action=register
  • http://www.dent.ohio-state.edu/ce/boards/efda/index.php?action=register
  • http://anserver1.eprsl.wustl.edu/forum/register.aspx
  • http://clubs.db.erau.edu/dbslavic/forumphpbb2/profile.phpmode=register&sid=dad0f304df1b2a94f20321fc0bb0e7ea
  • http://www.qub.buffalo.edu/forum/profile.phpmode=register&sid=4a54d8ebd3677d31c24854ee9897dcce
  • http://hknpos.ecn.purdue.edu/hkn/myBB/member.php?action=register
  • http://passport.missouri.edu/index.php?option=com_user&task=register&Itemid=169

GOV Backlink

  • https://forums.uspsoig.gov/ucp.phpmode=register&sid=e25f36f15bcbbd109387c5f04055a9b
  • http://www.aikencountysc.gov/forum/index.php?PHPSESSID=2f0fdf4776640d182a50d7747de7f207&action=register
  • http://community.nicic.gov/user/CreateUser.aspxhttp://library.blogs.delaware.gov/2011/01/11/jacksonandsharp/
  • http://www.calepa.ca.gov/Forums/registration_rules.asp?FID=0
  • http://community.sba.gov/user/register?destination=community
  • http://homelessness.samhsa.gov/default.aspx
  • http://www.tn.primrose.wi.gov/townsquare/member.phpaction=registerhttp://flyp.library.florida.gov/user/register
  • http://gio.wi.gov/Home/tabid/94/ctl/Register/Default.aspx
  • http://www.rib.uscourts.gov/externalkb20/Register.aspx
  • http://community.portal.ca.gov/blog/join.aspx
  • http://nnlm.gov/moodle/login/signup.php


 

 

High PR Do-Follow Forum List 2014


  •  Mysql.com
  •  Sba.Gov/Community
  •  http://www.awasu.com
  •   http://www.bbpress.org
  •   http://www.chronicle.com
  •   http://www.careerbuilder.com
  •   http://www.ckeditor.com
  •   http://www.claroline.net
  •   http://flagcounter.boardhost.com
  •  http://www.gardenweb.com
  •   https://www.myspace.com
  •  http://pkp.sfu.ca/support/forum
  •  http://answers.microsoft.com
  •   http://kinder.univie.ac.at/forum
  •   http://forums.cnet.com
  •   http://forums.cpanel.net
  •  http://forum.claroline.net
  •  https://forum.filezilla-project.org
  •  http://forums.hostgator.com
  •  http://forums.phpbb-fr.com
  •  http://forum.parallels.comhttp://online.wsj.com
  •  http://forum.joomla.org
  •  http://forum.siteground.com
  •  http://www.accessifyforum.com
  •  http://www.bookforum.com
  • http://www.chronicle.com
  • http://www.freewebsitetemplates.com
  • http://www.mathforum.org
  • http://www.000webhost.com
  •  http://forum.statcounter.com
  •  http://forum.videolan.org
  •   http://forum.audacityteam.org
  •  http://forums.businessweek.com/discussions
  • http://forums.gentoo.org
  • http://forum.maxthon.com
  • http://forums.mozilla.or.kr
  • http://forums.mozillazine.org
  • http://forums.omnigroup.com
  • http://forums.searchenginewatch.com
  • http://forums.spry.com
  •  http://www.alice.org/community
  •   http://www.businessmodelhub.com/forum
  •   http://www.city-data.com/forum
  •   http://www.chinalanguage.com/forums
  •   http://www.eubusiness.com/discussion
  •   http://www.flashpanoramas.com/forum
  •   http://www.gardenweb.com
  •   http://www.ozzu.com
  •  http://ecommerce.shopify.com
  • http://www.textkit.com/greek-latin-forum
  •  http://www.wrensoft.com/forum
  •  http://www.webhostingtalk.com
  •  http://www.webmasterworld.com
  •  http://boards.core77.com
  •  http://message.snopes.com
  • http://www.softcatala.org/forum
  •  http://www.smallbusinessbrief.com/forum
  • http://www.forum.uni-hannover.de
  • http://forum.wordreference.com
  • http://forum.wpde.org
  • http://forums.yourkit.com

How to Bookmark your site manually to Dofollow Social Bookmark Sites



1: Go to Socialmarker.com website.
2: You can see there is a section under "Bookmark Details" in the right side of web page.Fill necessary details of your site.

  • Title           :- Title of web page or site that you're going for bookmarking.
  • Link(URL) :- Web address of site you want to bookmark.
  • Text           :- A short explanation or some piece of texts from web page to know users to understand what this site is about.
  • Tags           :- Keywords to show site's link and description in search results in bookmarking site whenever anyone search that keywords.
3: Before you click on "Submit" button,check out where are you going to bookmarking. Below of "Bookmark details" field box,you can see some bookmarking sites( See image below ).Here i want to bookmark my blog to social bookmarking sites which provide a Dofollow link.So i should click on "Dofollow" link to know what are the dofollow social bookmarking sites.If you want to bookmark your site on all websites,just click on "All" link.Then all websites will be selected.
Dofollow-Social-bookmarking-sites
4: Click on Submit button.

Blogs Accepting Guest Posts


http://www.bloggingtips.com/          Page Rank-2           SubMitt Guest Post

http://bloggerspassion.com/             Page Rank-3           SubMitt Guest Po
st
http://www.bloggodown.com/          Page Rank-4          SubMitt Guest Post

http://www.blogsolute.com/              Page Rank-3           SubMitt Guest Post

http://www.betterbloggingforbloggers.com/ Page Rank-3 SubMitt Guest Post

http://www.technogati.com/             Page Rank-3             SubMitt Guest Post

http://www.johnchow.com/              Page Rank-5             SubMitt Guest Post

http://www.quickonlinetips.com/        Page Rank-5           SubMitt Guest Post

http://www.smartbloggerz.com/          Page Rank-3           SubMitt Guest Post

http://dailyseotip.com/                       Page Rank-4             SubMitt Guest Post

http://www.problogger.net/                Page Rank- 6           SubMitt Guest Post




http://mashable.com/                          Page Rank-8             SubMitt Guest Post

http://www.howtomakemyblog.com/   Page Rank-4             SubMitt Guest Post

http://www.searchenginepeople.com/  Page Rank-5             SubMitt Guest Post

http://www.revenews.com/                  Page Rank-5            SubMitt Guest Post

http://www.earnersblog.com/                Page Rank-4            SubMitt Guest Post

http://www.searchenginejournal.com/   Page Rank-6             SubMitt Guest Post

http://www.famousbloggers.net/           Page Rank-4             SubMitt Guest Post

http://www.tipsblogger.com/               Page Rank-2              SubMitt Guest Post

http://www.copyblogger.com/             Page Rank-7              SubMitt Guest Post

http://www.youngprepro.com/            Page Rank-3               SubMitt Guest Post

http://www.dailyblogtips.com/            Page Rank-5               SubMitt Guest Post

http://www.weblogbetter.com/           Page Rank-3               SubMitt Guest Post

http://www.hellobloggerz.com/           Page Rank-3               SubMitt Guest Post

http://basicblogtips.com/                     Page Rank-4                SubMitt Guest Post

http://www.probloggingsuccess.com/  Page Rank-3                 SubMitt Guest Post

http://azblogtips.com/                          Page Rank-2                SubMitt Guest Post
http://hotblogtips.com/                         Page Rank-  3              SubMitt Guest Post
http://www.dragonblogger.com/          Page Rank-  4              SubMitt Guest Post
http://www.iblogzone.com/                  Page Rank-  3              SubMitt Guest Post
http://blogsuccess.com/                        Page Rank-  2              SubMitt Guest Post
http://www.successful-blog.com/          Page Rank-  5              SubMitt Guest Post 
http://www.blogengage.com/                Page Rank-4                SubMitt Guest Post
http://smallbiztrends.com/                      Page Rank-  6             SubMitt Guest Post
http://www.shoutmeloud.com/              Page Rank-3                SubMitt Guest Post
http://www.bloggingjunction.com/          Page Rank-  3              SubMitt Guest Post
http://www.bloggingpro.com/                 Page Rank-6               SubMitt Guest Post
http://www.extremejohn.com/                Page Rank-  3              SubMitt Guest Post
http://www.stayonsearch.com/               Page Rank-  3              SubMitt Guest Post

http://www.blogussion.com/                    Page Rank-  5             SubMitt Guest Post
http://allbloggingtips.com/                       Page Rank-  4              SubMitt Guest Post
http://www.magnet4marketing.net/           Page Rank-  2             SubMitt Guest Post
http://www.socialh.com/                           Page Rank-  4            SubMitt Guest Post
Read More

Top 7 Different ways to make money from your blog

No comments :

1. Cost-Per-Click (CPC):


CPC means cost per click, as its name suggests you will be paid for every click the users made on your advertisements. With the descent amount of traffic on your blog you can earn much more amount of money. Some features of the Cost per click program.

  • It is the simplest and best program to monetize your content.

  • You make money when a user clicks on the ads which are displaying on your blog

  • There are sticks policies that you can’t click on your own ads and can’t ask for the known to do so.

  • The price ranges for 0.01$ to 25$ even more  for every click on the add

Few best programs for cpc:



  • http://www.google.com/adsense

  • http://chitika.com/

  • http://www.clicksor.com/

  • http://www.bidvertiser.com/

Mentioned above the best program is Google Adsense and they are well known for rejecting and banning the accounts. As Google is involved it is far better program having millions of advertisers and publisher and the best compatibility for the users and advertisers both and pays very well.

  • They have the restrict policies; hence not even try to look at Google adsence if you are a newbie. I will share the methods and policies in order to approve adsense application

  • You can go for the other advertise program even if you are a newbie, but it is bit hard to make money in these program as compared to the adsense.



2.  Cost-Per-Action (CPA) Advertising Programs:


This program is similar to the cpc but the defense is that they pays you when a users take an actions on your blog, like sign up or register, take a survey or buy something

This program can be very useful if you apply a good technique and have a great relationship with your loyal readers.

These are the some the best program to join in CPA

  • http://www.azoogleads.com/corp/index.php

  • http://www.cj.com/

  • http://www.advertising.com/






3. Selling Ad Space on Your Blog:


This is the best program even better then the cpc as it involves the fixed price and has direct contact with the advertiser. It pays you fixed amount on the basis of your popularity.

  • You will be paid for fixed amount on the basis of a month, or for a week or a year.

  • No clicks or no action is required in this type of advertising program.

  • You can decide the amount of an ad space and you have full control over what you want display or not.

Few best programs:

  • Buysellads(BSA)

BSA is similar as adsence in terms of rejecting the publishers. So you should read the policies and term and condition in order to get accessed in buysellads.The descent amount of traffic is must in order to approve.



You can also start it on your own. Just publish a advertise here page on your blog and select your pricing but it is bit difficult to get advertiser by this way if you have not so much traffic, hence Bsa is best for providing the publisher and advertisers platform.




4. Text Link ads:


These are also the best monetenising method in order to get extra revenue fro your blog.

The ads are of text and you will get paid on the basis of cpc or CPA.

The sites for which are:

  • http://www.text-link-ads.com/

  • http://www.tnx.net/

  • http://www.linkworth.com/

 

 

5. Affiliate Marketing:


 

Affiliate marketing is on of the top method which can give you even 2000$ and more in a single day.Affliate means that you are selling the product of some company and you will get a descent amount of commission from them.

There are number of platforms which provide the best product. Just you have to start displaying them on your blog and telling your visitors and readers about that product and ask them to buy. If they do so you will be paid according to the commission. Simple, but it is bit difficult method as you should have trusted readers in order to sell the products, but don’t worry everything is possible.



  • Amazon.com

  • clickbank.com

  • hosting affliate by different hosting provider.



 

 

6. Sponsored Reviews:


This is the simple one, just you have to write about the product of your sponsor and they pay you well. No need you buy the product or anything. Reviewing the product on your blog with descent amount of traffic can be the simplest one just you have to approve yourself for review of the product from an advertiser



  • http://payperpost.com/

  • http://www.sponsoredreviews.com/

  • http://www.reviewme.com/

  • http://www.blogsvertise.com/

  • http://www.smorty.com/

 

7. In-text Advertising


You might have seen some blogs where there is the blue text with the double underline between the content. These are called as in text advertising.

When abuser click on that link you get paid, simple. For some kind of niche this method is far better and paid well. Some of the best programs which are best and simple one.

  • http://www.kontera.com/

  • http://www.vibrantmedia.com/webpublishers/index.asp

  • Infolinks
Read More

top 10 companies in india with career link

13 comments :

Top 10 Software Companies in India

 

1 | Tata Consultancy Services Limited Corporate Office – Mumbai, Maharashtra | Turnover – 11.66 Billion Dollar | Employees – 275000+ | Business – IT,Business Consulting and Outsourcing | Sector – Private Sector | Career Websitewww.careers.tcs.com
Tata Consultancy Services Ltd. (TCS) is a premier IT and Software Company in India engaged in Information Technology services, consulting and outsourcing. It has been a prominent IT industry player with over 200 branch offices spreading all over the world. It is a part of giant Tata group and is headquartered in Mumbai, India.


2 | Wipro Limited
Corporate Office – Bangalore, Karnataka | Turnover – 6.88 Billion Dollar |
Employees – 140000+ | Business – IT, Business Consulting and Outsourcing |
Sector – Private Sector | Career Websitecareers.wipro.com
Wipro is a Bangalore based Information technology and outsourcing giant chaired by Azim Premji. The organization was formerly known as Western India Product Ltd. and it was established in year 1945. It has existence in more than 57 countries and has been ranked among the best IT companies in India.

3 | Infosys Limited
Corporate Office – Bangalore, Karnataka | Turnover – 7.4 Billion Dollar |
Employees – 155000+ | Business – IT, Business Consulting and Outsourcing |
Sector – Private Sector | Career Websitewww.infosys.com/careers
Infosys is a prestigious Information technology, outsourcing, software and engineering technology organization incorporated in year 1981. Infosys Ltd. is operating in more than 30 countries with over 75 offices and 94 research and development centers and it earns maximum revenue from America and Europe.

4 |Cognizant Technology Solutions Corporation
Corporate Office – New Jersey, United States | Turnover – 7.35 Billion Dollar |
Employees – 16200+ | Business – IT, business consulting and outsourcing |
Sector – Private Sector | Career Websitewww.cognizant.com/careers
Cognizant Technology solution corp. is an Information Technology MNC involved in outsourcing and consulting business. The organization was setup in year 1994 by Kumar Mahadeva in Chennai, Tamil Nadu and later it shifted the corporate office to Teaneck in USA. Cognizant is ranked the most admirable IT companies by various magazines with an annual turnover of 8 billion dollars.

5 | HCL Technologies Limited
Corporate Office – Noida , Uttar Pradesh| Turnover – 4.54 Billion Dollar |
Employees – 84000+ | Business – IT, Business Consulting and Outsourcing |
Sector – Private Sector | Career Websitewww.hcl.in/careers.asp
HCL Technologies Ltd. is a global player with over 84000 employees in 26 countries and a turnover of 4 billion dollar. HCL Technologies, based in Noida, Uttar Pradesh is Specialized in Information technology, software, outsourcing as well as consulting. It was incorporated in year 1991 and ranked among the top 10 software companies in India.

6 | Tech Mahindra Limited
Corporate Office – Pune , Maharashtra | Turnover – 1.15 Billion Dollar |
Employees – 50000+ | Business – IT, Business Consulting and Outsourcing |
Sector – Private Sector | Career Websitecareers.techmahindra.com
Tech Mahindra is an information technology player which is also involved in business of BPO, Consulting and Software service for telecommunication sector. The organization incorporated in year 1986 is a BSE and NSE listed IT Industry Company having over 83 K employees worldwide. It is headquartered in Mumbai, Maharashtra and chaired by Mr. Anand Mahindra.

7 | Mphasis
Corporate Office – Bangalore, Karnataka | Turnover – 1.0 Billion Dollar |
Employees – 40000+ | Business – IT, Business Consulting and Outsourcing |
Sector – Private Sector | Career Websitewww.mphasis.com/careers
Among the top rated IT companies in India, Mphasis is a multinational Information Technology, Software and IT consulting business enterprise. The company is a part of Hewlett Packard and has an expertise in Architecture, application development, outsourcing and infrastructure technology.

8 | iGate Patni
Corporate Office – Bangalore, Karnataka |  Turnover – 400 Million Dollar |
Employees – 18000+ | Business – IT and Outsourcing |
Sector – Private Sector | Career Websitecareers.igate.com/Careers/Default.aspx
iGate Patni formerly known as Patni computer systems is among the leading software companies in India. It is an IT and outsourcing service provider having global presence with over 18000 employees worldwide. The company was founded in 1978 and has total 8 offices in the country.

9 | Larsen & Toubro Infotech
Corporate Office – Mumbai, Maharashtra | Turnover – 650 Million Dollar |
Employees – 15000+ | Business – IT Services, IT Consulting, BPO and Solutions |
Sector – Private Sector | Career Websitewww.lntinfotech.com/careers
Larsen & Toubro Infotech is a flagship company of L&T Ltd.; the company is operating in more than 40 countries and has total 39 offices worldwide. Their key areas of business are – IT consulting, BPO engineering, research & development, Information technology management and services. It is headquartered in Mumbai, Maharashtra.

10 | Oracle Financial Services Software Limited
Corporate Office – Mumbai, Maharashtra | Turnover – 650 Million Dollar |
Employees – 9500+ | Business – IT, Business Consulting and Outsourcing |
Sector – Private Sector | Career Websitewww.oracle.com/us/corporate/careers
Oracle financial services software Ltd. is a group company of Oracle Corporation headed by Mr.Chaitanya Kamat. The company is engaged in Information Technology, software and outsourcing business with over 10000 employees. It is ranked among the top 10 software companies in India in terms of annual turnover.

 

Mobile application development companies in India

1| Infosys Corporate office – Bangalore, Karnataka | Establishment – 1981 | Business – IT and outsourcing | Website – infosys.com/mobility/offerings|
India’s one of the top software powerhouse Infosys is also a leading player in mobile application development. It has been ranked among the best web application development companies which offer a wide range of mobility solution for multiple Operating systems and technologies.


2| Wipro
Corporate office – Bangalore, Karnataka | Establishment – 1945 |
Business – IT and outsourcing | Websitewipro.com/services/mobility |
Wipro has been a leader in Information technology for past couple of years and started mobility business to pace up with the modern technology. The service offers from Wipro includes mobile technology, mobile testing and mobility solutions for healthcare, energy, telecom, transportation industries.
3 | Capegemini
Corporate office – Paris, France | Establishment – 1967|
Business – IT and outsourcing | Website in.capgemini.com/mobile-solutions |
Global leader in Information technology, outsourcing and software development, Capegemini is also in business of mobile application development. The company has recently built the SAP business mobile object reporting solution and has been ranked among the top mobile app developer in the world.
4| Mind fire solution
Corporate office – Noida, India | Establishment – 0000 |
Business – Software development | Website mindfiresolutions.com|
Mindfire solution has been ranked among the top mobile application development companies in India having workforce of more than 600 techies. The company is mainly focused in software development and testing; and offers solution for commercial web operations.
5 | Contus
Corporate office – Chennai, Tamilnadu | Establishment – 2008 |
Business – Mobile and web application | Website www.contus.com |
It is a well known web solution provider company established in year 2008. The company is ranked one of the top mobile application development companies in India which offers a wide range of products and service including mobile application, web application, mobile testing and cloud based technology.
6 | Soft web solutions
Corporate office – Chicago, USA | Establishment – 0000 |
Business – Mobile and web application | Websitesoftwebsolutions.com |
Softweb solutions is a software development and consulting agency having expertise in web development and mobile application development. It offers e-commercial industry specific solution to media, communication and hospitality industries.
7 | Arth I-Soft
Corporate office – Ahmadabad, Gujarat | Establishment – 2010 |
Business – Web and Mobile application | Websitewww.arthisoft.com ‎ |
Arth I soft is a leading mobile application development company based in India. It offers complete web development solution such as web application and mobile application for all the latest technology based mobile operating systems.
8 |open X Cell
Corporate office – Ahmadabad, Gujarat | Establishment – 2008|
Business – Web and Mobile application | Website www.openxcell.com |
An ISO 9001:2008 certified company which was established in year 2008, is a leading web solution provider in the country. It offers various website related solution including designing, software and e-commerce solution.
9 | Source bits
Corporate office – Bangalore, Karnataka | Establishment – 2006 |
Business – Web and Mobile application | Website www.sourcebits.com |
One among the top 10 mobile application development companies in India, Source bits offers solution for mobile, web application and cloud. Company’s headquarter is located in Bangalore and also has offices in San Francisco, Niigata and Mexico City.
10 | Hidden Brains
Corporate office – Ahmadabad, Gujarat | Establishment – 2003 |
Business – Web and Mobile application | Website www.hiddenbrains.com |
Hidden brains is a leading web and mobile developer based in Ahmadabad, Gujarat. It offers diversified products across mobile app development, game app development, web development, php and Microsoft solutions.

 

Top SEO Companies in India

1 | Profit By Search Corporate Office – Noida, Uttar Pradesh | Establishment – 2000 | Business – SEO services & Internet marketing | Website – www.seoindiacompany.com |
India’s first SEO Company qualified by Google Adwords and among the top seo companies in India. Profit by Search is a Internet marketing agency having a ROI driven approach for all its clients. Company provides various SEO related services including website designing, Social media optimization, Google adwords, google adsense, google webmasters and many more.


2 | Techmagnate
Corporate Office – New Delhi | Establishment – 2006 |
Business – SEO services | Websitewww.techmagnate.com |
One of the leading seo company in India, Techmagnate is a SEO and internet marketing service provider. They have a team of experienced professionals who will help you with all the SEO related tasks includes everything from social media optimization to re-designing of website to make them visible.
3 | Webinova Inc
Corporate Office – Bangalore, Karnataka | Establishment – 2008 |
Business – SEO services, Software Development & Designing | Websitewww.webinovatechs.com |
It is a leading company in the sector of SEO services, Internet, web development and software solution. Webinova Inc have expertise in search engine friendly web designing which appeals users. Their SEO related services includes Search Engine Marketing, Google AdSense, Google Webmaster Tools and many more.
4 | PageTraffic
Corporate Office – New Delhi | Establishment – 2002 |
Business – SEO services, Internet Marketing & Web Designing | Websitewww.pagetraffic.in |
Page Traffic is an online and Internet marketing company and ranked among the top 10 SEO companies in India. They have a potential team of SEO professionals who will help grow your online business. Other services include Social Media Marketing and Web Designing.
5 | Samyak Online Services
Corporate Office – New Delhi | Establishment – 2004 |
Business – SEO services & Software Solutions | Website -www.samyakonline.co.in |
Samyak online is a outsourcing company providing various Internet and web services like Website designing, development, Internet Marketing, Search engine optimization services and social media Optimization.
6 | SEO.in
Corporate Office – Bangalore, Karnataka | Establishment – –|
Business – Online Marketing | Websitewww.seo.in |
An online marketing agency has an expertise in SEO related services. It is a well known SEO service provider, a leading SEO companies in India and competing at global level. The company has offices in India, United Kingdom, United States, Australia and Canada.
7 | Geek SEO Services
Corporate Office – New Delhi | Establishment – — |
Business – SEO & IT Solutions | Websitewww.geekseoservices.com |
Geek SEO services is a New Delhi based SEO Company providing various website boosting services such as Search Engine optimization, Link Building, Complete Website development, Pay per Click Services, Social Media Optimization and Web designing.
8 | Indazo solution
Corporate Office – Mumbai, Maharashtra | Establishment – 2007 |
Business – Construction | Websitewww.indazo.com |
Indazo Solutions is among the top SEO Companies in India working with leading brands in country and abroad. They are Web Designing and SEO service provider which has a significant impact on Indian and overseas online market.
9 | SEOValley Solutions
Corporate Office – Bangalore, Karnataka | Establishment – 2001 |
Business – Online Marketing | Websitewww.seovalley.com |
SEOValley has development centers in Bangalore and Bhopal. They focus on Online Marketing services which comprises of SEO, Link Building, Content Writing, web designing and Internet marketing.
10 | SocioSquare
Corporate Office – Mumbai, Maharashtra | Establishment – 2009 |
Business – Digital Marketing | Websitewww.sociosquare.com |
A digital marketing agency and reliable name in SEO companies in India, Socio Square is a best fit for all types of Internet and website designing related solution. It is headquartered in Mumbai and its service offering includes Search Engine optimization which maximizes traffic, Social Media Optimization, Website Development, Twitter Advertising, Email Marketing and more.

 

Top Web Development Companies in India

 

1 | SEOValley Solutions Private Limited
Corporate office – Bangalore, Karnataka | Establishment – 2001 |
Business – Web Development & Online Marketing | Website www.seovalley.com |
SEOValley is one of the top web development company in India, a globally recognized Marketing Services & Solutions provider. The company was established in the year 2001 and has successfully completed more than 4000 assignments delivering variety of solution to a large number of clients.


2 | Page Traffic
Corporate office – New Delhi | Establishment – 2002 |
Business – Web Development & Internet Marketing | Website www.pagetraffic.in |
Page Traffic is an Indian web development company which has a great market reputation for providing e-business solutions. It is an ISO 9001:2008 certified company and its clientele includes olx, naukri.com, policybazar.com, HCL and other reputed brands national and International brands.
3 | Web Development Company Pvt. Ltd.
Corporate office – Kolkata, West Bengal | Establishment – 1998 |
Business – IT & Workforce Solutions | Website www.wdc.in |
Web Development Company is rated one of the leading web development companies in India and it is the first in ASIA to achieve BEACON award for best partner and outstanding performance for Supporting IBM Global Services. It has more than 11 years of experience in this sector and has completed many prestigious projects with top companies such as Nestle, Nokia and AT&T.
4 | AES Technologies (India) Pvt. Ltd.
Corporate office – Coimbatore, Tamilnadu | Establishment – 1999 |
Business – Web & Software Development | Websitewww.advanceecomsolutions.com|
AES Technologies is among the top web Development Companies in India, it is an offshore company which has been operating in India and abroad since 1999. It is an ISO certified company with expertise in Mobile and Handheld Application development, SEO services, Customized Web Application Development and XHTML and CSS Based Web Designing.
5 | TatvaSoft
Corporate office – Ahmedabad, Gujarat | Establishment – 2001 |
Business – IT, Business Consulting and Outsourcing | Websitewww.tatvasoft.com |
TatvaSoft is an outsourcing company based in India and having clients in Europe, Australia, U.S. and Canada. It was established in the year 2001. It is well known name in IT industry which is having outsourcing business with an expertise on various technologies and domains.
6 | Viteb
Corporate office – Ahmadabad, Gujarat | Establishment – 2002 |
Business – Web Development & IT Outsourcing business | Websitewww.viteb.com|
Viteb is a B2B offshore company which offers Web Development, Website Design, Mobile Apps Development, Open Source Development, Internet Marketing and Software Development services. The organisation was started functioning in year 2002 with the sole motive to cater the Internet and web industry.
2002.
7 | IT chimes
Corporate office – New Delhi | Establishment – 2007 |
Business – Web Design & Development | Website-www.itchimes.com |
IT chimes is a globally recognized website development & support services company engaged in custom website development, maintenance, web hosting, e-commerce development services, support services, customized designs and web content development. A web agency has become a well known brand in web development companies in India and completed many prestigious projects ever since its inception in 2002
8 | Mass Software Solutions Pvt. Ltd.
Corporate office – Kolkata, West Bengal | Establishment – 2010 |
Business – Online Social Networking | Websitewww.massoftind.com |
Mass Software Solutions is one of the known name in Indian and overseas website development market. Company is mainly focused on timely completion of projects which gives an edge over other web development competitor in the field.
9 | Digital Arts
Corporate office – Mumbai, Maharashtra | Establishment – 2006 |
Business – Web Design | Websitewww.digitalarts.co.in |
Leading web design company in India which deals various segments including Web Design, Graphic Design, Internet Marketing & Multimedia Services. Digital Arts has a long list of clients such as Gimmicks Inc., P. P. Sheth & Co., MobiBiz, Acoustat UK Ltd. etc.
10 | e-Intelligence
Corporate office – Vadodara, Gujarat | Establishment – 2005 |
Business – Digital Marketing | Websitewww.e-intelligence.in |
Among the top 10 web development companies in India, An E-intelligence is a globally recognized web development brand based at Vadodara. It has more than 8 years of experience in Web Designing and development, Search Engine Optimization and Marketing Management.

 http://top10companiesinindia.com/

Read More

Friday 25 April 2014

all info about nutch solr hadoop integration

No comments :
Apache Nutch is an open source Web crawler written in Java. By using it, we can find Web page hyperlinks in an automated manner, reduce lots of maintenance work, for example checking broken links, and create a copy of all the visited pages for searching over. That’s where Apache Solr comes in. Solr is an open source full text search framework, with Solr we can search the visited pages from Nutch. Luckily, integration between Nutch and Solr is pretty straightforward as explained below. 

Apache Nutch supports Solr out-the-box, greatly simplifying Nutch-Solr integration. It also removes the legacy dependence upon both Apache Tomcat for running the old Nutch Web Application and upon Apache Lucene for indexing. Just download a binary release from here.

more read here http://wiki.apache.org/nutch/NutchTutorial


 

http://www.params.me/2011/07/apache-nutch-13-setup.html 

 

 




Read More