Chris Wiegman Chris Wiegman

Customize the Contact Info Fields in WordPress Profiles

WordPress Contact Info
The WordPress profile with custom contact information.

The WordPress profile has some handy fields for storing contact info but, unfortunately, not many of us are using Google Talk or AIM anymore (and who wants to put them on their posts anyway). Fortunately it is easy to change these fields to suit your needs and incorporate information from social networks such as Facebook, Twitter, LinkedIn, Google+ , or anything else.

1.) Open your theme’s functions.php file

Were going to edit our theme rather than put this in a plugin. The functions.php file should be found in the root of your theme directory.

2.) Create a new function

First we’ll create a new function to hold the code for adding and deleting fields.

function change_contact_info($contactmethods) {Code language: PHP (php)

3.) Take out the fields we don’t want

In our function we need to remove the fields we don’t want. The following lines remove AIM, Google Talk and Yahoo Messenger.

unset($contactmethods['aim']);
unset($contactmethods['yim']);
unset($contactmethods['jabber']);Code language: PHP (php)

4.) Add the fields we do want

Next we’ll add the contact fields we do want. This example adds a title for the user’s website, Facebook, Google+, Twitter, and LinkedIn but you can customize this for anything you want.

$contactmethods['website_title'] = 'Website Title';
$contactmethods['twitter'] = 'Twitter';
$contactmethods['facebook'] = 'Facebook';
$contactmethods['linkedin'] = 'Linked In';
$contactmethods['gplus'] = 'Google +';Code language: PHP (php)

5.) Return the new contact methods and close the function

We’re going to send our contact fields back to WordPress and close the function we used to edit the fields.

    return $contactmethods;
}Code language: PHP (php)

6.) Register our function with WordPress

Finally we need to register our function with WordPress which will, in effect, “turn on” our changes.

add_filter('user_contactmethods','change_contact_info',10,1);Code language: PHP (php)

Putting it all together

Here’s the final code that creates the contact info fields you see on in the picture at the top of this page. In an upcoming post I will add a tutorial on how you can use these fields to automatically populate author information on a WordPress theme.

function change_contact_info($contactmethods) {

    unset($contactmethods['aim']);
    unset($contactmethods['yim']);
    unset($contactmethods['jabber']);

    $contactmethods['website_title'] = 'Website Title';
    $contactmethods['twitter'] = 'Twitter';
    $contactmethods['facebook'] = 'Facebook';
    $contactmethods['linkedin'] = 'Linked In';
    $contactmethods['gplus'] = 'Google +';

    return $contactmethods;
}

add_filter('user_contactmethods','change_contact_info',10,1);Code language: PHP (php)