Form Validation Using Jquery

The code that every web developer looking for. Validating a form in all possible ways. A simple and effective code is here. 

Here we are validating all common input types which we use in register form like name, email, phone, password, radio button, select option.

Includes

    <link rel="stylesheet" href='https://maxcdn.bootstrapcdn.com/bootstrap/4.0.0/css/bootstrap.min.css'>
    <script src="https://code.jquery.com/jquery-1.12.4.js"></script>
    <script src="https://cdnjs.cloudflare.com/ajax/libs/jquery-validate/1.17.0/jquery.validate.js"></script>



Script

<script>
function Validate() {

(function ($) {

 jQuery.validator.setDefaults({
       errorPlacement: function (error, element) {
            error.appendTo('#invalid-' + element.attr('id'));
       }
});

//To validate letters

$.validator.addMethod("letters", function (value, element) {
   return this.optional(element) || value == value.match(/^[a-zA-Z\s]*$/);
});



//To validate Number
$.validator.addMethod("number", function (value, element) {
      return this.optional(element) || value == value.match(/^[0-9]*$/);
});

//To validate digits for phone number that should start with only 7 or 8 or 9
$.validator.addMethod("digits", function (value, element) {
    return this.optional(element) || value == value.match(/^^[789]\d{9}$/);
});

//To validate password
$.validator.addMethod("pwcheckNumber",
   function (value, element) {
   return /\d/.test(value);
});

$.validator.addMethod("pwcheckUppercase",
   function (value, element) {
   return /[A-Z]/.test(value);
});

$.validator.addMethod("pwcheckSpecial",
     function (value, element) {
     return /[!"#$%&'()*+,-./:;<=>?@[\]^_`{|}~]/.test(value);
});

//Form validation
$("#Form").validate({
                    
rules: {

Title: {
     required: true,                  
},

FirstName: {
   required: true,
   minlength: 3,
   letters: true                      
},

Mobile: {
    required: true,
    number: true,
    minlength: 10,
    maxlength: 10,
    digits: true                      
},

Email: {
    required: true,
    email: true,
},

Password: {
     required: true,
     minlength: 8,
     pwcheckNumber: true,
     pwcheckUppercase: true,
     pwcheckSpecial: true,          
},

ConfirmPassword: {
     required: true,
     equalTo: "#Password"                   
},

Gender: {
     required: true,
}
     
},

//Message suggestions that you see on screen     
messages: {

Title: {
       required: "Please select title",
},

FirstName: {
      required: "Please enter first name",
      minlength: "Name should be minimum 3 characters",
      letters: "Only letters and spaces are allowed",                              
},

Mobile: {
       required: "Please enter  phone number",
       minlength: "Please enter valid phone number",
       maxlength: "Please enter valid phone number",
       digits: "Phone number should be start with 789", 
},

Email: {
      required: "Please enter email",
      minlength: "Please enter a valid email address",
},

Password: {
       required: "Please enter password",
       minlength: "Password must be minmum 8 character",
       pwcheckNumber: "Password must contains one digit",
       pwcheckUppercase: "Password must contains atleast one uppercase letter",
       pwcheckSpecial: "Password must contains atleast one special character",
},

ConfirmPassword: {
       required: "Please enter confirm password ",
       equalTo: "Confirm password must same as password",
},

Gender: {
       required: "Please select gender type"                     
}
}

});
})($);
}
</script>

//CSS
<style>
.error_msg {
        color: red;
}

body{
        position: absolute;
        width: 600px;
        height: 200px;
        z-index: 15;
        top: 15%;
        left: 30%;
        margin: -100px 0 0 -150px;
     }

.box-header{
        background: #dc3545;
        width: 500px;
        height: auto;
text-align: center;
        color: white;
        font-size: 30px;
        padding: 10px;
    }

.box{
        background: #43c181;
        padding-top: 10px;
        padding-left: 110px;
        padding-bottom: 30px;
        width: 500px;
        height: auto;
    }
</style>




<body onload="Validate()">

<div class="box-header">Register From</div>

<div class="box">

    <form action='#' method='post' id='Form' enctype='multipart/form-data'>
        <div class="col-md-8">
            <label>Title</label>
            <select id="Title" name="Title" class="form-control">
                <option value="">Select Title</option>
                <option value="Mr.">Mr.</option>
                <option value="Mrs.">Mrs.</option>
                <option value="Ms.">Ms.</option>
                <option value="Mss.">Mss.</option>
                <option value="Dr.">Dr.</option>
            </select>
            <div id="invalid-Title" class="error_msg"></div>
        </div>

        <div class="col-md-8">
            <label>First Name</label>
            <input type="text" id="FirstName" name="FirstName" class="form-control"
                   placeholder="First Name"/>
            <div id="invalid-FirstName" class="error_msg"></div>
        </div>

        <div class="col-md-8">
            <label>Mobile</label>
            <input type="text" id="Mobile" name="Mobile" class="form-control" placeholder="Mobile">
            <div id="invalid-Mobile" class="error_msg"></div>
        </div>

        <div class="col-md-8">
            <label>Email</label>
            <input type="text" id="Email" name="Email" class="form-control" placeholder="Email">
            <div id="invalid-Email" class="error_msg"></div>
        </div>

        <div class="col-md-8">
            <label>Password</label>
            <input type="password" id="Password" name="Password" class="form-control"
                   placeholder="Password"/>
            <div id="invalid-Password" class="error_msg"></div>
        </div>

        <div class="col-md-8">
            <label>Confirm Password</label>
            <input type="password" id="ConfirmPassword" name="ConfirmPassword" class="form-control"
                   placeholder="ConfirmPassword"/>
            <div id="invalid-ConfirmPassword" class="error_msg"></div>
        </div>

        <div class="col-md-8">
            <label>Gender</label>
            <input type="radio" id="Gender" name="Gender" value="Male"> Male
            <input type="radio" id="GenderNew" name="Gender" value="Female"> Female<br>
            <div id="invalid-Gender" class="error_msg"></div>
        </div>

        <div class="col-md-12" align="center">
            <input type="submit" value="Submit" class="btn btn-danger" id="Submit" name="Submit"
                   onclick="Register()">
        </div>
    </form>

</div>

</body>


Result



*Please share, comment and subscribe to PHP Javascript for more.

Display JSON data in dropdown

Display JSON data in a table



57 comments:

  1. I am a freelancer and have been helping a lot of students in providing assistance to students who frequently gets worried about their assessment tasks and went online to search for assignment help uk terms.
    We at My Assignment Services have potentially recognized the need way back and started what we are an enlarged version of then. With many assignment helper companies in the market, no one has quite able to match the standard that we follow. We give utmost priority to students by strictly adhering to the assignment requirements as well as marking rubrics to score high grades. Our Essay Writer is well-proficient in not only comprehending your assessment tasks but also to give an expert finish to it.
    Provided a well-written assignment suitable to your needs, your search for assignment help will now end with My Assignment Services. You just have to visit our website for more information.

    ReplyDelete
  2. Thanks for sharing the PHP JavaScript here, this script would be helpful to develop My website.

    ReplyDelete
  3. Nice post, this post inspire me to write something, this is a best post for me. When I was write post, there would be great possibility for errors. But when I read this post this is like a awesome post for me. Thanks
    https://jsttocute.wordpress.com/2020/02/19/trendy-shop-for-kids-perfect-baby-shop-online-wholesale/
    https://maidmarionsclean.wordpress.com/2020/02/18/professional-builders-cleaning-services-birmingham-uk/

    ReplyDelete
  4. Looking for the best Web Design Services Birmingham? Sds software is the right choice for you. Before select us see our responsive designed websites, our experience, Reviews and our record to complete assignment

    ReplyDelete
  5. Webguruawards is a company which provides Web Awards for creative web designer or developer. If you have website and want to be famous internationally and want to get web awards, you must visit Webguruawards at once.

    ReplyDelete
  6. As I can see, everyone is suggesting to do your homework yourself which is absolutely fine. Why homework are given so that the things which are taught in classes can be revised. And it is easy for us to understand that topic better. But there is also a point which can not be denied. We are not taught only one subject in colleges but there are subjects in bulk. And we are given assignments or homework for every single subjects. Sometimes we miss some lectures due to some reasons. And if it is mandatory to submit the homework on time. In that case, what to do? When we were younger, didn't we take the help of the elders or the help of the teachers in doing the homework? So, what's wrong now to take help from someone else? The point is that it shouldn't be in our habit to take someone's else again and again. We are human beings, and there is nothing wrong in taking homework help. 

    If you are in need and looking for "can someone do my homework for me", just go with the online assistance of My Assignment help. Here you can have all kinds of academic help from expert writers when you desperately need someone's help. 

    ReplyDelete
  7. ABC Assignment Help is the most recognized and preferred one stop solution for students to get professional help in academic assignments, essays, research papers, reports and coursework. Our writers are experienced and competent to help students score outstanding grades and remarkable knowledge about the concerned subject.

    Read More - mechanical engineering assignment help

    ReplyDelete
  8. This comment has been removed by the author.

    ReplyDelete
  9. If you are looking for all the hot Islamabad Escorts girls and also the special class Escorts to satisfy all your needs while looking for the best fun of your life +92-3000078885, then the VIP Escorts in Islamabad are very accessible for you. We have the best Escorts Service in Islamabad. Highly mature and can give you a pleasant joy. https://vk.com/islamabadescorts

    ReplyDelete
  10. Your article really helped me understand this topic. I am glad that I stumbled upon this site. Actually I have visited other sites on this same topic as well, but yours is truly amazing. Anyone in need of Assignment Help can get my help. My company is providing some support in the assignment. I know writing assignments are a nightmare. And when your deadline is close, then it gets hell lot tougher to sleep well at night. And that’s why my company is in this service.
    Assignment Help Online
    Best Assignment Help
    Assignment Helper
    Assignment Help In USA

    ReplyDelete
  11. Very nice!!! This is really good blog information thanks for sharing.

    Language Tutors UK

    ReplyDelete
  12. The foremost reason for us leading the Australian market is our writers’ approach towards their responsibility. Our online assignment writers immensely focus on each assignment they bid for. Our professional writers are among those who exactly know the importance of students to meet their desired requirements. Keeping your requirements and expectations in mind, our writers outperform each order, leaving no leaf un-turn.

    ReplyDelete
  13. I’ve recently started a site, the information you offer on this web site has helped me greatly. Thanks for all of your time & work.


    Online Tutors

    ReplyDelete
  14. Appreciating the time and effort you put into your website and detailed information you offer. It’s great to come across a blog every once in a while that isn’t the same outdated rehashed information. Wonderful read! I’ve saved your site.

    Primary School Tutor

    ReplyDelete
  15. There are different ways to earn Robux. You can of course spend money in the game store to purchase it. Roblox usually donates money to charities so spending money in the game store could be a good way to support a cause if they are currently donating money. You can check the roblox hack website to find out more about the game store and about charitable donations.

    The Retail Banking Decision Making sub-practice combines this Retail banking expertise with our deep content expertise in Finance and Risk topics to support clients in making better decisions in lead generation, credit decision making and ongoing customer management.

    Every School, College or Training Centre needs to identify the present year with an Academic Session which is similar to a Financial Year in Accounting Terms. This assistances you and the system to identify a cycle for your academic institution.


    Even with less-than-ideal circumstances in the tech market today, the industry remains positive. As IHS Markit looks ahead to 2020, they believe that there are many positive signs in the distance. Although technology firms have reported that their projections for growth in demand have reduced, they’re still very upbeat about their plans for capital expenditure.

    ReplyDelete
  16. Nice Blog, keep it up for more updates about this type of blog,HP Printer Error Code 0x83C00009 is one of the most common problems faced by HP printer users. This error code usually appears when documents are printed on the HP printer. In fact, it often happens when the printer is not properly connected to the device either. HP envy 5542 Wireless Printer Setup You may also see this error code on your computer if the printer driver is not changed.

    ReplyDelete
  17. Its really good work. Your admire able efforts and hard work described in this blog. You mentioned good quality content. I will suggest your blog to others. This article will be helpful to them. For more quality and unique information I use (mash stream)guide its also helpful guide regarding different updates Mash Stream etc. keep sharing your informative and unique knowledge with us. I will waiting for your new or upcoming articles.

    ReplyDelete
  18. As a web developer , I was finding a code for validating a form in any way. Your presented code is effective and simple and can be utilized for register name, phone, radio button and password. Assignment Writing Services

    ReplyDelete
  19. Your article is good enough and very interesting to me. I will suggest your blog to others. I get a lot of unique knowledge from your article and I love to get knowledge of different types as your article is really good similarly for more updates I use packages point. And Ufone Call Package guide its also really helpful i also suggest to you.

    ReplyDelete
  20. Excellent information Providing by your Article, thank you for taking the time to share with us such a nice article. Amazing insight you have on this, it's nice to find a website that details so much information about different artists. Investmango goal is to offer unique and specialized services to our clients and in return create a long-lasting working relationship. We provide the Best Godrej Nest Noida and 2/3/4 BHK Flats, Apartments, Penthouse, Corporate Properties, Commercial Properties in Noida, Greater Noida West, Delhi NCR with Great Discount and Deals. Learn more about the Investmango visit our website and call now :- +918076042671

    ReplyDelete
  21. Thanks mate. I am really impressed with your writing talents and also with the layout on your weblog. Appreciate, Is this a paid subject matter or did you customize it yourself? Either way keep up the nice quality writing, it is rare to peer a nice weblog like this one nowadays. Thank you icebreakers ideas and event gift card

    ReplyDelete
  22. You have a great article. I just wanted to point out that high definition content has become a standard for consumers, just imagine how demanding video resolution requirements are in the field of professional filming. Well, to some, video cameras that shoot in full HD may still suffice; however, with the advent of 4K video cameras & 4K camcorders, others may not think the same anymore. Many of the newer 4K models have very advanced HD functionality and are truly a one shop stop for HD and 4K combined. Know more about Best 4K Camcorders Under 1000 ?

    ReplyDelete

  23. Day made. My homework was completed earlier than expected. With my final year project now complete I will be taking programming assignment help from you for my remaining assignments. In the next two days, I need a C assignment help expert to work on my assignment. I think I might go with Hayez again because he was amazing in this previous paper.

    ReplyDelete
  24. We provide academic essay help for UK's students, dissertation is one the most significant part of any student’s life. If you are one of the students who is seeking dissertation writing so from now there is no need to take any kind of troubles because there are many assignment writers are available who can solve your problem easily.

    ReplyDelete
  25. Prayagraj tourism opens a world of spiritual and mythological wonders for travelers. Standing at the confluence of the three holy rivers Ganga, Yamuna, and Saraswati, the city holds the world’s largest congregation of devotees during Kumbh Mela. There are several tourist attractions in Prayagraj for heritage and nature enthusiasts. You get a decent accommodation and transportation network. You can also grab a fair deal if booked in advance.

    Chitrakoot is a popular place with religious and historical importance. It is a place full of divine intervention related to Lord Rama and Sita. They are believed to have stayed here during their exile. The aura of this bewildering spot is brimming with the picturesque and quaint atmosphere all over. Chitrakoot tour packages unwind some of the stunning and mesmerizing hot spots that are no less than mind-blowing gems. Chitrakoot tourism can provide you with a soul-soothing vacation.

    ReplyDelete
  26. The GCC geographic information system (GIS) market is currently witnessing strong growth. The geographic information system (GIS) is widely utilized for gathering, managing, and examining data about different positions on the earth’s surface.

    ReplyDelete
  27. Avail of our professional CDR Report Help to get skilled migration visa for Australia. Engineers have taken our complete CDR Writing Help so far with a 100% success rate for many departments like Mechanical, Civil etc.

    ReplyDelete
  28. One of the most useful post from Essay Help has always been a friend in need for the students. Thanks for informing me about Livewebtutors and their expert services regarding the essay assignment. I will surely come back for more assistance.

    ReplyDelete
  29. The Global Recreational Boating Market is projected to grow from USD 26.7 billion in 2019 to USD 33.8 billion by 2027, at a CAGR of 3.02%. Changes in technology, increase in boat size, increase in high net worth population, rising economy, and growing tourism are some of the major factors for the growth of recreational boats market.

    ReplyDelete
  30. Get the best statistics assignment help by experts at affordable prices. Get the best statistics assignment writing services from UK by professional assignment writers of UK. On-Time Delivery. A+ Quality.

    ReplyDelete
  31. Are you looking for some assistance in the kind of Voice over services? This is the Platform meant for just you. It offers a range of premier services, including facts and top-quality content, and that too available at the most affordable price in one place. The translations and the benefits of Voice are available in both the Indian and the international languages.
    audio dubbing services online

    ReplyDelete
  32. Such a very useful article. Very interesting to read this article.I would like to thank you for the efforts you had made for writing this awesome article. 국산야동

    ReplyDelete
  33. Great Article it its really informative and innovative keep us posted with new updates. its was really valuable. thanks a lot. 야동


    ReplyDelete
  34. This is an amazing blog I loved reading it. Thanks for sharing it here. The reason behind this successful free alternative to chegg is the professional writers. The team of subject matter expertsis so skilled that they have a good hand in all the areas comprising majorly- research, developing an creating content, assessment of the subjects, delivering the best learning experience to the users and many more. The subject matter experts value their partners and deliver the solutions that guarantee the efficient results. If you wish to mastery any topic under the sun, you need not wander in search of other service providers.

    ReplyDelete


  35. As a student you might not get the perfect psychology assignment help, I recommend you to visit our website to get the best help for your psychology assignment.

    ReplyDelete
  36. We provide you with the best online MBA Assignment Help. Students will be able to complete their assignments as fast as possible with the assistance of our MBA Assignment experts, resulting in high academic grades. Masters of Business Management studies include a wide range of business subjects, making it one of the most versatile degrees available.

    ReplyDelete
  37. I'm extremely impressed with your writing skills and also with the layout of your blog, it's very inspiring and informative. Thanks for sharing. aocoed jamb cut off mark

    ReplyDelete
  38. The global automated electronic control unit market is being driven by the increasing safety standards. The growing demand for energy-efficient automobiles is further driving the market growth. Growing awareness about environmental issues is additionally fostering the demand growth within the industry. However, the high maintenance cost of the merchandise might limit the industry growth.

    Also Read: portable ultrasound market
    dog food market

    ReplyDelete
  39. If you are looking for the best Film making course then you are in a right place. ICE - Institute Of Creative Excellence gives you an advanced filmmaking course which helps you to become a good or professional actor. ICE provides 3 months diploma course, a part-time course or a full-time course.

    ReplyDelete

Labels

php (35) javascript (31) phpjavascript (30) jquery (23) html (20) mysql (14) database (9) codeigniter (4) json (4) bar chart (2) calendar (2) column chart (2) framework (2) google maps (2) query (2) tables (2) url (2) dropdown (1)

Popular Posts