Get latest news and Web Designing tutoria

Wednesday 17 June 2015

Resign now, PDP group tells Buhari

Muhammadu Buhari AU summit

A group within Nigeria’s opposition party, Peoples Democratic Party, has asked President Muhammadu Buhari to resign since he said there is a limit to what he can do at age 72.
“How I wish I became Head of State when I was a governor, just a few years as a young man. Now at 72, there is a limit to what I can do,” Mr Buhari said while addressing Nigerians in South Africa on Tuesday.

Buhari to probe Jonathan's $9.7m failed arms contract

President: I’ll kill corruption

Image result for buhari and jonathan

What actually went wrong with the $9.7m arms deal? Why was the cash flown to South Africa from Nigeria?Was the money, which South Africa impounded, actually meant for arms purchase?
These are some of the questions which will soon be answered.

Saturday 13 June 2015

Jonathan’s failures, achievements in five years

GoodLuck-Jonathan2 
After sweeping to power with a vast majority of the votes during the 2011 presidential election, it didn’t take long before the Goodluck Jonathan presidency began to unravel.
Mr. Jonathan, who had endeared himself to majority of ordinary Nigerians with his “I had no shoes” speech, promised a break from the old ways of doing things. His campaign slogan which was tagged

U.S Millitary Dat hacked

 Image result for us military

Hackers with suspected links to China appear to have accessed sensitive data on United States intelligence and military personnel, American officials say.
Details of a major hack emerged last week, but officials have now given details of a potential second breach.
It is feared that the attack could leave U.S security personnel or their families open to blackmail, the BBC says.

Thursday 4 June 2015

History of [HRH] OHINOYI of Ebira



HRH Alhaji   Abdulrahaman Ado Ibrahim

 The only child of his mother, Alhaji Abdulrahaman Ado Ibrahim was born  on Tuesday  7th  February, 1929 at Okeneba. His mother was Hajiya Hawawu 

Validating the HTML form

The only thing left to do is to return to the validate function. After all the other four functions have been executed, the four variables will either be true or false. We only want to send the form if all four variables are true. If they are not then the user has made an error and we need to keep them on the same page. Here's the rest of the code for the validate function:

Javascript code to validate a HTML form

Checkboxes

The final function we need is for the checkbox. You can have 1 or more checkboxes on a form. We only have 1, so checking it is fairly straightforward. If you have more than checkbox, though, you do the testing in exactly the same way as for radio buttons.
But here's the code for the checkCheckbox function:
Javascript code to test a checkbox

Dropdown Lists

The code to check the dropdown list is more or less the same as for radio buttons. Here it is:
Javascript code to check a dropdown lists

Radio Buttons

Checking radio buttons on a form is a little trickier. You have to loop through each button, testing for a value of checked, which means it was selected. Only one radio button in a group can be selected, so if you find a value of checked you can break out of the loop.
If no radio button was checked then you can return a value of false. If any one of them is checked then you can return a value of true. Here's the code for your radio button function:

Javascript function to check radio buttons

Javascript Form Validation - the email function

We'll start with the function that checks the email address text box. We'll only check if the text box has had anything typed into it. Checking for a correct email address is notoriously difficult, so we're just trying to keep things simple here.
Add the following function to your code (you won't be able to copy and paste because ours is an image - you'll learn more if you type it out for yourself):

A check email function

Using getElementById in Javascript

The document method getElementById is used to manipulate particular HTML elements on your page. As its name suggests, though, the HTML element needs an ID attached to it. As an example, take a look at this segment of a web page:



Wednesday 3 June 2015

Javascript and HTML Forms

You can use Javascript to check that form elements have been filled in correctly. If not, you can keep your users on the same page and display an error message. If everything is OK then you can submit the form. You'll see how that works now.

SEE CODE BELLOW...

A HTML form

Javascript Dates and Time

The first thing you need to do is to create a new Date object:
var the_date = new Date();
Note the use of the keyword new. After a space you type the word Date (capital "D"). This is followed by a pair of round brackets. This is enough to create a new date object, which we've assign to a variable called the_date. To see what this prints out, add the following

Function Arguments in Javascript

You can pass values over to your functions. These values are called arguments, and they go between the round brackets of the function. If you have more than one value to pass over, you separated them with commas. Let's look at an example.

Javascript code using function arguments

Javascript Functions

The scripts we have at the moment are set to run as soon as the page loads in the browser. But they don't have to. A better way is to put the code inside something called a function. A function is just a separate code segment that you call into action. In fact, they don't do anything unless you do call them into action. Let's see how they work.
A function without any code looks like this:
function myFunction() {

Javascript Arrays

A normalJavascript variable like var age = 18 holds a single piece of data. An array is a way to hold more than one piece of data under the same name. There's a few ways to set up an array but the simplest looks like this:
var my_array = [10, "ten", true];

Javascript while loops

While loops (lowercase "w") are another programming tool you can add to your armoury. Here's the structure of a while loop:
while ( condition_to_test ) {
}
Instead of the word "for" this time type while.

Javascript Programming Loops

One programming tool common to all languages is the loop. Normally, a programme is executed from top to bottom, with each line of code getting processed in turn. If you want to go back up and not down, you can use a loop. Loops are a great way to execute lines of code again and again. There are many reasons why you want to do this. But take the following sum as an example:
var total;
total = 1 + 2 + 3 + 4 + 5 + 6 + 7 + 8 + 9 + 10;

Javascript Switch Statements

Sometimes, you'll have more than one value to check for your variables. You can do the checking with a lot of if ... else statements. Or you can use something called a switch statement. Here's an example:
var age = 17;
switch (age) {
case 17:
document.write("under 18");
break;
case 24:

Javascript Logical Operators

Operators you will want to use with your IF Statements are the logical ones. The logical operators give you more options for your IF statements. There are only three to get the hang of:
&& Two ampersands mean AND
|| Two pipe characters mean OR
One exclamation mark/point means NOT
As an example, create the following code for a web page

Javascript Comparison Operators

They have used the double equal sign (== ). But there are other operators you can use besides the double equal sign. These are known as comparison operators. Here are some more of them. Remember, all these evaluate to either true or false.
!=    Is not equal to
>    Greater Than
<    Less Than
>=    Greater Than or equal to
<=    Less Than or equal to

Javascript IF ... ELSE

This lesson continue from the  previous one
You can also add an else part to your IF statements. This is for when you want to say what should happen if your IF Statement evaluates to false. As an example, change your code to this:
var first_name = "Benny";
if ( first_name == "Kenny" ) {
document.write("First Name is " + first_name);
}
else {

Javascript and IF Statements

Javascript is what's known as a sequential programming language. This means that each and every line of code is executed from top to bottom. Quite often, however, you don't want every line to execute - you'll want more control over the way your programmes work.
One way to control the flow of your code is with conditional logic. Conditional logic is all about what happens IF a condition is met or not met. For example, you may have an email text box on a form that you want your users to fill in. You don't want this text box to be empty when the user click the SUBMIT button. So you need a way to say "IF the email address is missing THEN don't send the form". You do this with IF Statement.

Mathematical Operators

You can use the mathematical operators with variables. This allows you to add up, multiply, subtract, and divide. The mathematical operators are these:
  • The plus symbol ( + ) is used for addition
  • The minus symbol ( - ) is used for subtraction
  • The asterisk symbol ( * ) is used for multiplication
  • The forward slash symbol ( / ) is used for division
  • The percentage symbol ( % ) is used for modulus calculations

Javascript Variables

In programming terminology, a variable is a storage area. You store things in variables so that you can retrieve them later. Think of variables as small boxes. You can write a number on a piece of paper then place that piece of paper in a box. Write a label on the box, such as "Mom's phone number", and you'll have a quick way to identify what kind of information you have stored in the box. One day, you might even decide to phone Mom. If so, you can

A First Javascript

Fire up whatever text editor you're comfortable with. For us, we're going to be using Notepad on a Windows machine. Add the simple HTML you see below:HTML code for a basic web page

Tuesday 2 June 2015

EFCC detains ex-Adamawa governor, Nyako


A former governor of Adamawa State, Murtala Nyako, who returned to Nigeria after nearly a year on self-imposed exile, has been detained by the Economic and Financial Crimes Commission, EFCC.
Mr. Nyako was still at the commission’s office in Abuja by 5 p.m. Monday. He was said to have surrendered himself to the commission Monday afternoon.

Monday 1 June 2015

FROM THE ARCHIVE: Buhari’s First Speech As Nigeria’s Military Head of State In December 1983

buhari military uniform

In pursuance of the primary objective of saving our great nation from total collapse, I, Major-General Muhammadu Buhari of the Nigerian army have, after due consultation amongst the services of the armed forces, been formally invested with the authority of the Head of the Federal Military Government and the Commander-in-Chief of the armed forces of the Feder

Buhari warns airport officials, others, against stopping ex-Ministers from travelling

President Muhammadu Buhari says officials of past administrations including ministers are entitled to their full rights and privileges under the constitution, and must not be subjected to any undue harassment and intimidation at the airports or at other points of entry and exit.
“We have not banned anyone from travelling,” Mr. Buhari said in a statement Saturday.

PDP raises alarm over fresh plot to remove Fayose; begs Buhari to intervene

The Peoples Democratic Party has raised the alarm over what it called an illegal plot by some members of the ruling All Progressives Congress, to oust Ekiti State governor, Ayodele Fayose.
Mr. Fayose, who has been having a running battle with the members of the State House of Assembly, had obtained a court order restricting the members from proceeding with the impeachment process.

MTN UNLIMITED NIGHT FREE BROWSING

MTN UNLIMITED NIGHT FREE BROWSING

“Free internet browsing all night long every day when you spend at least N200 during the day! Unlimited data available btw 1:00am – 5:00am. Only on MTN iPulse!”

How to increase AdSense Revenue

There is a great deal more to making money from AdSense than just putting up a
site and putting Google AdSense ad code on those pages. In fact, successful
AdSense publishers spend several hours per week – after the site is built and the
ads are running – ensuring that they are getting the absolute most possible

Common mistakes by webmaster to Low trafic in Website and Blog

“Help! Google banned me from the AdSense program!”
This is a common cry that you will hear on AdSense related forums. Yet another
person who failed to read and adhere tothe Google AdSense program policies. It
happens every single day.Will it happen to you?
The worst mistake you can possibly make in the Google AdSense program is not

Key to success in Website Trafic

Keys To Success 

There are numerous factors that will determine your success in the Google
AdSense program. There is no luck to it. You can be the most unlucky person
in the world, and still succeed with Google AdSense. It’s all about understanding
exactly how to run your Google AdSense Empire.

Website Traffic generation

Traffic Generation - Methods To Avoid 

There are many ways to get traffic to a site. You will most likely do research to
find out about those traffic generation methods.
Methods such as article marketing, forum marketing, pay-per-click advertising,
social networking, blogging, and social bookmarking all work very well. But in the
world of Internet Marketing, there are also traffic techniques that you should
avoid, for various reasons.

How to apply for Google Adsense

 Applying For Your Adsense Account 

Once you are prepared to apply for a Google AdSense account, it’s as simple as
filling out a form. But there are some aspects of that form that can be a bit
confusing.
In this section, I’ll go over filling out the form, so that Google will approve you
without any problems. You can find the form to apply for an AdSense account at:
http://www.google.com/adsense/g-app-single-1.

Google Adsense

Preparing For Your Adsense Account
The hardest part of getting started with AdSense is getting Google to approve
your website. In fact, for many, it is easier to get a $100,000 bank loan than it is
to get a free Google AdSense account. The key is to be prepared before you apply.
You can’t start using Google AdSense on your pages until you are approved. This
means that you must prepare to open an account, before you apply for an
account.

Saturday 30 May 2015

phpMyAdmin Tables - Adding Records

To insert a new record to the table you created in the previous page select the Insert link at the top of the page:
Click on Insert 

phpMyAdmin Database Fields

You have four Fields in your table from the previous lesson Although they are set out in rows in the images, the rows are actually the Columns you saw earlier – the Fields. Each Field needs a name. So go ahead and type the following for your Field names:

Create a database with phpMyAdmin

You can create all of your database tables and queries using PHP code. But before doing that, it's a good idea to get an understanding of just what it is you'll be creating. If you're new to the world of databases, then here's a simple primer.


What is a database and what do they look like?

A database is a way to store lots of information. You might want to store the names and addresses of all your contacts, or save usernames and passwords for your online forum. Or maybe customer information.
When you create a database, you're creating a structure like this:

Getting values out of PHP functions

When you're creating your own functions, you may notice that they can be broken down in to two categories: functions that you can leave, and just let them do their jobs; and functions where you need to get an answer back. As an example, here's the two different categories in action:
print ("Get on with it!");
$string_length = strlen($string_length);

Check for blank Textboxes with PHP

f you remember the script that we wanted to create earlier it was this:
  1. Get the text that a user entered in a textbox on a form
  2. Trim any blank spaces from the left and right of the text
  3. Check that what you have left is not a blank string
So we want to check that the textbox doesn't just contain this "". There has to be something in it, like "Bill Gates". Here's a script that does all three items on our list:
<?PHP

PHP Functions and Arguments


Arguments

Functions can be handed variables, so that you can do something with what's inside of them. You pass the variable over to your functions by typing them inside of the round brackets of the function name.
<?PHP
$error_text = "Error message";
display_error_message($error_text);
function display_error_message($error_text) {
print $error_text;

PHP Functions

What is a Function?

A function is just a segment of code, separate from the rest of your code. You separate it because it's nice and handy, and you want to use it not once but over and over. It's a chunk of code that you think is useful, and want to use again. Functions save you from writing the code over and over. Here's an example.
Suppose you need to check text from a textbox. You want to trim any blank spaces from the left and right of the text that the user entered. So if they entered this:
" Bill Gates "
You want to turn it into this:

Sorting PHP Array values

There may be times when you want to sort the values inside of an array. For example, suppose your array values are not in alphabetical order. Like this one:
$full_name = array();
$full_name["Roger"] = "Waters";
$full_name["Richard"] = "Wright";
$full_name["Nick"] = "Mason";
$full_name["David"] = "Gilmour";

Geting Values from Arrays

Here's an example for you to try:
<?php
$seasons = array("Autumn", "Winter", "Spring", "Summer");
print $seasons[0];
?>
The array is the same one we set up before To get at what is inside of an array, just type the key number you want to access. In the above code, we're printing out what is held in the 0 position (Key) in the array. You just type the key number between the square brackets of your array name:
print $Array_Name[0];

How to Set up a PHP Array

First you type out what you want your array to be called ($Order_Number, in the array above) and, after an equals sign, you type this:
array( );
So setting up an array just involves typing the word array followed by a pair of round brackets. This is enough to tell PHP that you want to set up the array. But there's nothing in the array yet. All we're doing with our line of code is telling PHP to set up an array, and give it the name $Order_Number.
You can use two basic methods to put something into an array.

PHP Arrays

You know what a variable is – just a storage area where you hold numbers and text. The problem is, a variable will hold only one value. You can store a single number in a variable, or a single string. An array is like a special variable, which can hold more than one number, or more than one string, at a time. If you have a list of items (like a list of customer orders, for example), and you need to do something with them, then it would be quite cumbersome to do this:
$Order_Number1 = "Black shoes";

The PHP break statement

There are times when you need to break out of a loop before the whole thing gets executed. Or, you want to break out of the loop because of an error your user made. In which case, you can use the break statement. Fortunately, this involves nothing more than typing the word break. Here’s some not very useful code that demonstrates the use of the break statement:
$TeacherInterrupts = true;
$counter = 1;
while ($counter < 11) {

PHP Do ... While loops

This type is loop is almost identical to the while loop except that the condition comes at the end:
do
statement
while (condition)
The difference is that your statement gets executed at least once. In a normal while loop, the condition could be met before your statement gets executed.

PHP While Loops

Instead of using a for loop, you have the option to use a while loop. The structure of a while loop is more simple than a for loop, because you’re only evaluating the one condition. The loop goes round and round while the condition is true. When the condition is false, the programme breaks out of the while loop. Here’s the syntax for a while loop:
while (condition) {
statement

PHP For Loops

So what’s a loop then? A loop is something that goes round and round. If I told you to move a finger around in a loop, you’d have no problem with the order (unless you have no fingers!) In programming, it’s exactly the same. Except a programming loop will go round and round until you tell it to stop. You also need to tell the programme two other things - where to start your loop, and what to do after it’s finished one lap (known as the update expression).
You can programme without using loops. But it’s an awful lot easier with them. Consider this.
You want to add up the numbers 1 to 4: 1 + 2 + 3 + 4. You could do it like this:
$answer = 1 + 2 + 3 + 4;

US ready to send military trainers to Nigeria in Boko Haram fight


Abuja – The United States is prepared to send military trainers to Nigeria to help new President Muhammadu Buhari’s armed forces improve their intelligence gathering and logistics,Reuters reported yesterday,quoting a senior State Department official.
Strains between U.S. military advisers and the Nigerian army over human rights abuses and corruption under the  Jonathan  government undermined cooperation in efforts to counter the six-year-old Boko Haram insurgency.

Friday 29 May 2015

PHP and HTML Checkboxes

Note one thing about the HTML checkbox elements: they all have different NAME values (ch1, ch2 ch3, etc). When we coded for the Radio Buttons, we gave the buttons the same NAME. That's because only one option can be selected with Radio Buttons. Because the user can select more than one option with Checkboxes, it makes sense to give them different NAME values, and treat them as separate entities (but some advocate treating them just like Radio Buttons).
In your PHP code, the technique is to check whether each checkbox element has been checked or not. It's more or less the same as for the radio Buttons. First we set up five variable and set them all the unchecked, just like we did before:

PHP and HTML Radio Buttons

Make sure you save your work as radioButton.php, as that's where we're posting the Form – to itself.
To get the value of a radio button with PHP code, again you access the NAME attribute of the HTML form elements. In the HTML above, the NAME of the Radio buttons is the same – "gender". The first Radio Button has a value of "male" and the second Radio Button has a value of female. When you're writing your PHP code, it's these values that are returned. Here's some PHP code. Add it to the HEAD section of your HTML:

The HTML ACTION attribute and PHP

You don't have to submit your form data to the same PHP page, as we've been doing. You can send it to an entirely different PHP page. To see how it works, try this:
Create the following page, and call it basicForm2.php. This is your HTML. Notice the ACTION attribue.
<html>
<head>
<title>A BASIC HTML FORM</title>
</head>

PHP Submit buttons

In the previous lesson you saw how to get text from a textbox when a Submit button on a form was clicked. However, when you first load the page the text still displays.
The reason why the text displays when the page is first loaded is because the script executes whether the button is clicked or not. This is the problem you face when a PHP script is on the same page as the HTML, and is being submitted to itself in the ACTION attribute.

PHP and Text Boxes on HTML Forms

If you've been following along from the in the previous lesson then your basicForm.php now has a METHOD and ACTION set. We're going to use these to process text that a user has entered into a text box. The METHOD attribute tells you how form data is being sent, and the ACTION attribute tells you where it is being sent. To get at the text that a user entered into a text box, the text box needs a NAME attribute. You then tell PHP the NAME of the textbox you want to work with. Our text box hasn't got a NAME yet, so change HTML TO THIS

PHP and the Submit Button of HTML Forms

The HTML Submit button is used to submit form data to the script mentioned in the ACTION attribute. Here's ours:
<Form Name ="form1" Method ="POST" ACTION = "basicForm.php">
So the page mentioned in the ACTION attribute is basicForm.php. To Submit this script, you just need a HTML Submit button:
<INPUT TYPE = "Submit" Name = "Submit1" VALUE = "Login">

PHP and the Action Attribute of HTML Forms

The Action attribute is crucial. It means, "Where do you want the form sent?". If you miss it out, your form won't get sent anywhere. You can send the form data to another PHP script, the same PHP script, an email address, a CGI script, or any other form of script.
In PHP, a popular technique is to send the script to the same page that the form is on – send it to itself, in other words. We'll use that technique first, but you'll see both techniques in action.

PHP and the Post Attribute of HTML Forms

<FORM NAME ="form1" METHOD ="POST" ACTION = "">

The ?Submit1=Login part from the previous section is now gone! That is because we used POST as the method. Using POST means that the form data won't get appended to the address in the address bar for all to see. We'll use both POST and GET throughout the book. But it depends on the project: if the data is not sensitive then use GET, otherwise use POST.

PHP and the Method Attribute of HTML Forms

<FORM NAME ="form1" METHOD =" " ACTION = "">
The Method attribute is used to tell the browser how the form information should be sent. The two most popular methods you can use are GET and POST. But our METHOD is blank. So change it to this:
<FORM NAME ="form1" METHOD ="GET" ACTION = "">
To see what effect using GET has, save your work again and then click the Submit button on your form. You should see this:

HTML Forms and PHP

If you know a little HTML, then you know that the FORM tags can be used to interact with your users. Things that can be added to a form are the likes of text boxes, radio buttons, check boxes, drop down lists, text areas, and submit buttons. A basic HTML form with a textbox and a Submit button looks like this:
<html>
<head>
<title>A BASIC HTML FORM</title>
</head>
<body>

Full Text: President Muhammadu Buhari’s Inaugural Speech

The full text of Muhammadu Buhari’s inaugural speech. I am immensely grateful to God Who Has preserved us to witness this day and this occasion. Today marks a triumph for Nigeria and an occasion to celebrate her freedom and cherish her democracy. Nigerians have shown their commitment to democracy and are determined to entrench its culture. Our journey has not been easy but thanks to the determination of our people and strong support from friends abroad we have today a truly democratically elected government in place.

PHP Booleans

A Boolean value is one that is in either of two states. They are known as True or False values, in programming. True is usually given a value of 1, and False is given a value of zero. You set them up just like other variables:
$true_value = 1;
$false_value = 0;

PHP Logical Operators

As well as the PHP comparison operators you saw earlier, there's also something called Logical Operators. You typically use these when you want to test more than one condition at a time. For example, you could check to see whether the username and password are correct from the same If Statement. Here's the table of these Operands.

PHP Switch Statements

To see how switch statements work, study the following code:
<?php
$picture ='church';
switch ($picture) {
case 'kitten':
print('Kitten Picture');
break;
case 'church':
print('Church Picture');
break;
}

PHP Less Than, Greater Than

The Less Than ( < ) and Greater Than ( > ) symbols come in quite handy. They are really useful in loops (which we'll deal with in another section), and for testing numbers in general.
Suppose you wanted to test if someone has spent more than 100 pounds on your site. If they do, you want to give them a ten percent discount. The Less Than and Greater Than symbols can be used. Try this script. Open up your text editor, and type the following. Save your work, and try it out on your server.
<?PHP

PHP Not Equal To

PHP Not Equal To

In the previous you saw what Comparison Operators were. In this lessons, we'll explore the Comparison Operator for Not Equal To: !=.So open up your text editor, and add the following script:
<?PHP
$correct_username = 'logmein';
$what_visitor_typed = 'logMEin';
if ($what_visitor_typed != $correct_username) {
print("You're not a valid user of this site!");

PHP Comparison Operators

 PHP Comparison Operators
You saw in the last section how to test what is inside of a variable. You used if, else … if, and else. You used the double equals sign (==) to test whether the variable was the same thing as some direct text. The double equals sign is known as a Comparison Operator. There a few more of these “operands” to get used. Here’s a list. Take a look, and then we’ll see a few examples of how to use them.

PHP if ... else if Statements



 PHP if ... else if Statements


The Syntax of if…else if is as follows………
If (condition){
Print (“out put”);}

if ... else Statements in PHP

The syntax for the if else statement is this:
if (condition_to_test) {
}
else {
}
If you look at it closely, you’ll see that you have a normal If Statement first, followed by an “else” part after it. Here’s the “else” part:
else {
}
Again, the left and right curly brackets are used. In between the curly brackets, you type the code you want to execute. In our code, we set up two variables:
$kitten_image = 0;
$church_image = 1;

PHP If Statements

You saw in the last section that variables are storage areas for your text and numbers. But the reason you are storing this information is so that you can do something with them. If you have stored a username in a variable, for example, you'll then need to check if this is a valid username. To help you do the checking, something called Conditional Logic comes in very handy indeed. In this section, we'll take a look at just what Conditional Logic is. In the next section, we'll do some practical work.

Thursday 28 May 2015

Floating point numbers in php


Division in Php


Multiplication in php


Substraction in php



Adding up in PHP



Joining direct text and Variable


More variable practice




More practice on Variables



Puting text into variable



What is a variable




Wednesday 27 May 2015

quranic verses on shirk[1]



 quranic verses on shirk[1]
 SURA 24 - AL-NOOR                                        1
Sura 24 aya 55:
Allah has promised those of you who believe and do good deeds that He will most surely make them

vicegerent in the earth as He made their ancestors before them, and that He will establish for them their
religion, the one which He has chosen for them, and that He will change their present state of fear into

HEIFER



HEIFER

Allah the Almighty says:
{And (remember) when Musa (Moses) said to his people: "Verily,
Allah commands you that you slaughter a cow." They said, "Do you
make fun of us?" He said, "I take Allah's Refuge from being among Al-
Jahilun (the ignorant or the foolish). " They said, "Call upon your Lord
for us that He may make plain to us what it is!" He said, "He says:

The Elephant


 The Elephant

Allah the Almighty says:
{Have you (0 Muhammad (Peace be upon him)) not seen how your
Lord dealt with the owners of the Elephant? [The Elephant army which
came from Yemen under the command of Abraha Al-Ashram intending
to destroy the Ka`bah at Makkah]. Did He not make their plot go
astray? And He sent against them birds, in flocks. Striking them with
stones of Sijjil (baked clay). And He made them like (an empty field on

People of the Cave


People of the Cave
Allah the Almighty says:
{Do you think that the people of the Cave and the Inscription (the
news or the names of the people of the Cave) were a wonder among
Our Signs? (Remember) when the young men fled for refuge (from
their disbelieving folk) to the Cave. They said: "Our Lord! Bestow on us
mercy from Yourself, and facilitate for us our affair in the right way!"
Therefore, We covered up their (sense of) hearing (causing them to go

Qaroon



Qaroon
The Story of Qarun(Korah)
Allah the Almighty says:
{Verily, Qarun (Korah) was of Musa's (Moses) people, but he
behaved arrogantly towards them. And We gave him of the treasures,
that of which the keys would have been a burden to a body of strong
men. Remember when his people said to him: "Do not exult (with

Bilkis [Queen of Sheba]


Bilkis [Queen of Sheba]

Allah the Almighty says:{He inspected the birds, and said: "What is the matter that I see
not the hoopoe? Or is he among the absentees? "I will surely punish
him with a severe torment, or slaughter him, unless he brings me a
clear reason." But the hoopoe stayed not long: he (came up and) said:
"I have grasped (the knowledge of a thing) which you have not

Harut and Marut


Harut and Marut
 
Allah the Almighty says:{They followed what the Shayatin (devils) gave out (falsely of the
magic) in the lifetime of Sulaiman (Solomon). Sulaiman did not
disbelieve, but the Shayatin (devils) disbelieved, teaching men magic
and such things that came down at Babylon to the two angels, Harut
and Marut but neither of these two (angels) taught anyone (such

Habil and Qabil “Able and Cain”


Habil and Qabil “Able and Cain”
The First Crime on Earth
Allah the Almighty says:
{And (O Muhammad (Peace be upon him» recite to them (the
Jews) the story of the two sons of Adam (Habil and Qabil) in truth;
when each offered a sacrifice (to Allah), it was accepted from the one
but not from the other. The latter said to the former: "I will surely kill

ABU UBAIDAH IBN AL-JARRAH


ABU UBAIDAH  IBN  AL-JARRAH

  His appearance was striking. He was slim and tall. His face was bright and he had a sparse beard. It was pleasing to look at him and refreshing
to meet him. He was extremely courteous and humble and quite shy. Yet in a tough situation he would become strikingly serious and alert,
resembling the flashing blade of a sword in his severity and sharpness.
He was described as the Amin or Custodian of Muhammad's community. His full name was Aamir ibn Abdullah ibn al-Jarrah. He was known as Abu

Umm Salmah

 Umm Salmah
Umm Salamah! What an eventful life she had! Her real name was Hind. She was the daughter of one of the notables in the Makhzum clan
nicknamed "Zad ar-Rakib" because he was well known for his generosity particularly to travelers. Umm Salamah's husband was Abdullah ibn
Abdulasad and they both were among the first persons to accept Islam. Only Abu Bakr and a few others, who could be counted on the fingers of

Ramlah Bint Abu Sufyan


Ramlah   Bint Abu Sufyan
Abu Sufyan ibn Harb could not conceive of anyone among the Quraysh who would dare challenge his authority or go against his orders. He was
after all, the sayyid or chieftain of Makkah who had to be obeyed and followed.
His daughter, Ramlah, known as Umm Habibah, however dared to challenge his authority when she rejected the deities of the Quraysh and their

Muadh Ibn Jabar

Muadh Ibn Jabar
Muadh ibn Jabal was a young man growing up in Yathrib as the light of guidance and truth began to spread over the Arabian peninsula. He was
a handsome and imposing character with black eyes and curly hair and immediately impressed whoever he met. He was already distinguished for

Abdullah Ibn Umm Maktum


Abdullah Ibn Umm Maktum
Abdullah ibn Umm Maktum was a cousin of Khadijah bint Khuwaylid, Mother of the Believers, may God be pleased with her. His father was Qays
ibn Said and his mother was Aatikah bint Abdullah. She was called Umm Maktum (Mother of the Concealed One) because she gave birth to a

Said ibn Aamir Al-Jumahi


SAID IBN AAMIR AL-JUMAHI
 
Said ibn Aamir al-Jumahi was one of thousands who left for the region of Tanim on the outskirts of Makkah at the invitation of the Quraysh
leaders to witness the killing of Khubayb ibn Adiy, one of the companions of Muhammad whom they had captured treacherously.

Jafar Ibn Abutaleeb


Jafar Ibn Abutaleeb 
In spite of his noble standing among the Quraysh, Abu Talib, an uncle of the Prophet, was quite poor. He had a large family and did not have
enough means to support them adequately. His poverty-stricken situation became much worse when a severe drought hit the Arabian peninsula.

Tuesday 26 May 2015

Abu Dharr Al-Ghifari

Abu Dharr Al-Ghifari

 
  In the Waddan valley which connects Makkah with the outside world, lived the tribe of Ghifar. The Ghifar existed on the meagre offerings of the
trade caravans of the Quraysh which plied between Syria and Makkah. It is likely that they also lived by raiding these caravans when they were

Fateemah bint Muhammad [saw]

Fateemah bint Muhammad [saw]

  Fatimah was the fifth child of Muhammad and Khadijah. She was born at a time when her noble father had begun to spend long periods in the
solitude of mountains around Makkah, meditating and reflecting on the great mysteries of creation.

Asmah Bint Abubakar

Asmah Bint Abubakar


  Asmaa bint Abu Bakr belonged to a distinguished Muslim family. Her father, Abu Bakr, was a close friend of the Prophet and the first Khalifah after
his death. Her halfsister, Aishah, was a wife of the Prophet and one of the Ummahat al-Mumineen. Her husband, Zubayr ibn al-Awwam, was one

Aisha Bint Abubakar

 Aisha Bint Abubakar   

  The life of Aishah is proof that a woman can be far more learned than men and that she can be the teacher of scholars and experts. Her life is
also proof that a woman can exert influence over men and women and provide them with inspiration and leadership. Her life is also proof that