Input validation with filter functions

Introduction
Although PHP has a lot of filter functions available, I found that still to many people are using (often incorrect) regular expressions to validate user input. The filter extension is simple, standard available and will fulfill the common validations. Below some pratical examples and things to consider when working with PHP filter functions.

Which are available?
Below a shameless copy paste of the PHP documentation.

  • filter_has_var — Checks if variable of specified type exists
  • filter_id — Returns the filter ID belonging to a named filter
  • filter_input_array — Gets external variables and optionally filters them
  • filter_input — Gets a specific external variable by name and optionally filters it
  • filter_list — Returns a list of all supported filters
  • filter_var_array — Gets multiple variables and optionally filters them
  • filter_var — Filters a variable with a specified filter

Pratical use

Sanitizing
“Filter input escape output” every developer knows this but it is a repetitive job but with the filter extension filterering input became a lot easier. When you correctly filter input you drastically lower the change of application vulnerabilities.

Sanitizing a single variable

$sText = ' ';
$sText = filter_var($sText, FILTER_SANITIZE_STRING);
echo $sText; // This is a comment from a alert("scriptkiddie");

Sanitizing multiple variables, same principle as above but with an array, the filter will sanitize all values inside the array

filter_var_array($_POST, FILTER_SANITIZE_STRING);

Validating an email address

if(filter_var($sEmail, FILTER_VALIDATE_EMAIL) === false) {
     $this->addError('Invalid email address', $sEmail);
}

Validation a complete array
Validating all your data at once with a single filter will make your code clear, all in one place and is more easy to maintain an example below.

$aData = array(
	'student'	=> 'Sjoerd Maessen',
	'class'		=> '21',
	'grades' => array(
			'math' => 9,
			'geography' => 66,
			'gymnastics' => 7.5
	)
);

$aValidation = array(
	'student'	=> FILTER_SANITIZE_STRING,
	'class'		=> FILTER_VALIDATE_INT,
	'grades'	=> array(
				'filter' => FILTER_VALIDATE_INT,
				'flags'	 => FILTER_FORCE_ARRAY,
				'options'=> array('min_range'=>0, 'max_range'=>10))
);

echo '
';
var_dump(filter_var_array($aData, $aValidation));

/*array(3) {
  ["student"]=>
  string(14) "Sjoerd Maessen"
  ["class"]=>
  int(21) // Thats strange, my string is converted
  ["grades"]=>
  array(3) {
    ["math"]=>
    int(9)
    ["geography"]=>
    bool(false) // 66 is > 10
    ["gymnastics"]=>
    bool(false) // 7.5 is not an int
  }
}*/

Note: okay I did not expect that the string '21' would validate true against FILTER_VALIDATE_INT, after some more testing I also noticed that min_range and max_range only work with FILTER_VALIDATE_INT, when using floats or scalars the options are just ignored, so be aware!

The sanitizing examples above can be made easily more restrictive by adding flags like FILTER_FLAG_STRIP_LOW to the sanitize filter, FILTER_FLAG_STRIP_LOW will for example strip all characters that have a numerical value below 32.

Things to consider
Although the filter functions are some time available some of them aren't flawless, at some points the documentation is missing or very unclear. Another example is the filter_var validation for IPv6 addresses. (see bug report #50117). So it is always a good thing to check if the filter is really doing what you expect it does. Write testcases before using. If you use it correctly you can write your validations in the blink of an eye, and this extension will be your new best friend.

Links
Filter functions
Filter flags

Comments

942 responses to “Input validation with filter functions”

  1. Curtisvax Avatar
    Curtisvax

    mexican pharma: DrMedsAdvisor – trusted Mexican drugstores online

  2. RaymondKep Avatar

    Твой женский помощник https://vsegladko.net как подчеркнуть индивидуальность, ухаживать за кожей и волосами, планировать бюджет и отдых. Мода, психология, дом и карьера в одном месте. Подборки, гайды и истории, которые мотивируют заботиться о себе. Узнай больше на сайте.

  3. AlbertBemia Avatar

    Женский портал https://womanportal.kyiv.ua о моде, психологии и уходе за собой. Узнай, как сочетать стиль, уверенность и внутреннюю гармонию. Лучшие практики, обзоры и вдохновляющие материалы для современных женщин.

  4. DriftDriveon5zef Avatar
    DriftDriveon5zef

    J’adore le dynamisme de Azur Casino, il offre une experience dynamique. Le catalogue est un paradis pour les joueurs, offrant des sessions live palpitantes. Il donne un avantage immediat. Les agents repondent avec rapidite. Les gains arrivent sans delai, cependant quelques free spins en plus seraient bienvenus. Au final, Azur Casino offre une aventure inoubliable. En plus le design est style et moderne, apporte une energie supplementaire. Un element fort les transactions crypto ultra-securisees, renforce le lien communautaire.
    AccГ©der maintenant|

  5. Robertinvok Avatar
    Robertinvok

    Indian pharmacy coupon codes: no prescription pharmacy India – no prescription pharmacy India

  6. Russellpoupt Avatar

    Всё о развитии https://run.org.ua и здоровье детей: диагностические скрининги, логопедия, дефектология, нейропсихология, ЛФК, массаж, группы раннего развития, подготовка к школе. Планы занятий, расписание, запись онлайн, советы специалистов и проверенные методики.

  7. BobbyWhomy Avatar

    Сайт о строительстве https://blogcamp.com.ua и ремонте: проекты, сметы, материалы, инструменты, пошаговые инструкции и лайфхаки. Чек-листы, калькуляторы, ошибки и их решения. Делайте качественно и экономно.

  8. EnriqueLam Avatar

    Скачать майнкрафт моды Последняя версия Майнкрафт – это всегда свежие обновления, новые функции и улучшения, которые делают игру еще более увлекательной и захватывающей. Разработчики постоянно работают над тем, чтобы Minecraft оставался актуальным и предлагал игрокам новые возможности для творчества и приключений. Обновления приносят с собой новые блоки, мобы, биомы и механики, которые расширяют границы игрового мира и позволяют вам создавать еще более удивительные вещи. Скачивая последнюю версию Minecraft, вы получаете доступ ко всем новым функциям и улучшениям, а также исправлениям ошибок, которые делают игру более стабильной и плавной. Не упустите возможность насладиться новейшими достижениями в мире Minecraft!

  9. Curtisvax Avatar
    Curtisvax

    verified Mexican pharmacies USA delivery: mexico pharmacy – safe medications from Mexico

  10. JerryAmure Avatar
    JerryAmure

    Indian pharmacy coupon codes Dr India Meds DrIndiaMeds

  11. Clarkgoorn Avatar

    Советы для родителей https://agusha.com.ua на каждый день: раннее развитие, кризисы возрастов, дисциплина, здоровье, игры и учеба. Экспертные разборы, простые лайфхаки и проверенные методики без мифов. Помогаем понять потребности ребёнка и снизить стресс в семье.

  12. GichardMam Avatar
    GichardMam

    Today, I went to the beachfront with my kids. I found a sea shell and gave it to my 4 year old daughter and said “You can hear the ocean if you put this to your ear.” She put the shell to her ear and screamed. There was a hermit crab inside and it pinched her ear. She never wants to go back! LoL I know this is totally off topic but I had to tell someone!
    https://test.bina2y.com/2025/10/26/melbet-2025-obzor-bk-international/

  13. DanielSkamy Avatar

    продвижение dzen Эффективное продвижение в Google и Yandex, начиная с 2011 года.

  14. Robertinvok Avatar
    Robertinvok

    safe Indian generics for US patients: DrIndiaMeds – DrIndiaMeds

  15. JerryAmure Avatar
    JerryAmure

    pharmacy in mexico that ships to us trusted Mexican drugstores online generic medicine from Mexico

  16. Curtisvax Avatar
    Curtisvax

    canadian pharmacy online: legitimate pharmacy shipping to USA – legitimate pharmacy shipping to USA

  17. ManuelJen Avatar

    Родителям о главном https://rodkom.org.ua баланс режима, питание, истерики и границы, подготовка к школе, дружба и безопасность в сети. Короткие памятки, чек-листы и практики от специалистов. Только актуальные данные и решения, которые работают в реальной жизни.

  18. PatrickZooca Avatar

    Бонус-код 1xBet при регистрации. Компания 1XBET заинтересована в расширении аудитории, поэтому для новых пользователей действует акция в виде первого подарка, который равен сумме первого депозита, но не превышает 225 000 рублей. Однако при использовании 1хБет промокод на сегодня букмекерская контора добавит процент к приветственного бонуса. Чтобы получить дополнительное вознаграждение на первый депозит, игроку нужно: зайти на сайт букмекера, выбрать регистрацию по e-mail, заполнить данные, ввести промокод и подтвердить согласие с правилами. Акционный код букмекера помогает получить ещё больше бонусов. Это набор символов, которая позволяет активировать уникальный бонус от букмекера. С его помощью можно получить промо-баллы и другие подарки.

  19. Robertinvok Avatar
    Robertinvok

    legitimate pharmacy shipping to USA: canadian pharmacy – canadian pharmacy world

  20. kra44-cc Avatar

    Официальный сайт Kraken kra44 cc безопасная платформа для анонимных операций в darknet. Полный доступ к рынку через актуальные зеркала и onion ссылки.

  21. nerdforceor7zef Avatar
    nerdforceor7zef

    Je suis fascine par Azur Casino, ca offre un plaisir vibrant. On trouve une profusion de jeux palpitants, offrant des tables live interactives. Le bonus d’inscription est attrayant. Le support client est irreprochable. Les paiements sont surs et efficaces, cependant quelques tours gratuits supplementaires seraient cool. En resume, Azur Casino vaut une visite excitante. Notons egalement la navigation est fluide et facile, incite a rester plus longtemps. Un bonus le programme VIP avec des avantages uniques, offre des bonus exclusifs.
    Voir plus|

  22. starqueenus4zef Avatar
    starqueenus4zef

    Je suis bluffe par 1xBet Casino, il cree un monde de sensations fortes. Le catalogue est un paradis pour les joueurs, comprenant des titres adaptes aux cryptomonnaies. Avec des depots rapides et faciles. Le support est rapide et professionnel. Les gains arrivent sans delai, cependant des offres plus genereuses rendraient l’experience meilleure. En resume, 1xBet Casino garantit un plaisir constant. A souligner le site est rapide et immersif, ajoute une touche de dynamisme. A noter les tournois reguliers pour la competition, propose des avantages uniques.
    Visiter pour plus|

  23. dreamheartos1zef Avatar
    dreamheartos1zef

    Je suis enthousiasme par Action Casino, on y trouve une vibe envoutante. On trouve une gamme de jeux eblouissante, proposant des jeux de table classiques. Avec des depots rapides et faciles. Le support est pro et accueillant. Les paiements sont securises et instantanes, de temps a autre quelques tours gratuits en plus seraient geniaux. En somme, Action Casino offre une aventure inoubliable. A souligner la navigation est claire et rapide, incite a prolonger le plaisir. Un atout les options variees pour les paris sportifs, propose des privileges sur mesure.
    Obtenir les dГ©tails|

  24. blazedreamen8zef Avatar
    blazedreamen8zef

    J’ai un faible pour Lucky 31 Casino, ca donne une vibe electrisante. Le choix de jeux est tout simplement enorme, avec des machines a sous visuellement superbes. Le bonus de depart est top. Le support client est irreprochable. Les retraits sont lisses comme jamais, parfois des bonus diversifies seraient un atout. Dans l’ensemble, Lucky 31 Casino offre une aventure inoubliable. Notons egalement le design est moderne et attrayant, apporte une energie supplementaire. Un avantage notable les paiements securises en crypto, propose des avantages sur mesure.
    Entrer|

  25. stormwingis3zef Avatar
    stormwingis3zef

    Je suis totalement conquis par 1xBet Casino, ca invite a l’aventure. Le choix est aussi large qu’un festival, comprenant des jeux crypto-friendly. 100% jusqu’a 500 € avec des free spins. Le service client est excellent. Les retraits sont simples et rapides, cependant quelques tours gratuits en plus seraient geniaux. Au final, 1xBet Casino est un endroit qui electrise. Notons egalement le site est rapide et engageant, donne envie de prolonger l’aventure. Egalement super les nombreuses options de paris sportifs, garantit des paiements securises.
    Obtenir plus|

  26. Omegasoulin6zef Avatar
    Omegasoulin6zef

    Je suis totalement conquis par 1xBet Casino, il offre une experience dynamique. Il y a un eventail de titres captivants, incluant des options de paris sportifs dynamiques. Il offre un demarrage en fanfare. Le support est pro et accueillant. Les transactions sont toujours securisees, occasionnellement plus de promos regulieres dynamiseraient le jeu. En resume, 1xBet Casino assure un fun constant. Ajoutons que la navigation est intuitive et lisse, incite a rester plus longtemps. Un avantage les transactions en crypto fiables, propose des privileges sur mesure.
    Parcourir maintenant|

  27. Frostlionan7zef Avatar
    Frostlionan7zef

    Je suis completement seduit par Lucky 31 Casino, c’est un lieu ou l’adrenaline coule a flots. Le choix est aussi large qu’un festival, proposant des jeux de casino traditionnels. Il rend le debut de l’aventure palpitant. Le service client est de qualite. Les gains arrivent en un eclair, par contre des bonus diversifies seraient un atout. Pour finir, Lucky 31 Casino garantit un amusement continu. Notons egalement le design est moderne et attrayant, incite a prolonger le plaisir. Un point cle le programme VIP avec des niveaux exclusifs, renforce le lien communautaire.
    Commencer ici|

  28. techedgeax4zef Avatar
    techedgeax4zef

    Je suis captive par Action Casino, il procure une sensation de frisson. Le choix est aussi large qu’un festival, comprenant des titres adaptes aux cryptomonnaies. 100% jusqu’a 500 € plus des tours gratuits. Les agents sont toujours la pour aider. Les retraits sont simples et rapides, cependant des bonus plus varies seraient un plus. Pour conclure, Action Casino est un endroit qui electrise. Par ailleurs la plateforme est visuellement electrisante, booste le fun du jeu. Egalement super les transactions crypto ultra-securisees, qui motive les joueurs.
    Passer à l’action|

  29. JerryAmure Avatar
    JerryAmure

    doctor recommended Mexican pharmacy mexico pharmacy trusted Mexican drugstores online

  30. Curtisvax Avatar
    Curtisvax

    mexican pharmacy: DrMedsAdvisor – generic medicine from Mexico

  31. LarryAMORA Avatar
    LarryAMORA

    DoctorNorthRx legitimate pharmacy shipping to USA safe Canadian pharmacies for Americans

  32. kra44-cc Avatar

    Официальный сайт Kraken https://kra44-cc.at безопасная платформа для анонимных операций в darknet. Полный доступ к рынку через актуальные зеркала и onion ссылки.

  33. Robertinvok Avatar
    Robertinvok

    canadian pharmacy: verified Canada drugstores – canada cloud pharmacy

  34. JerryAmure Avatar
    JerryAmure

    generic medicine from Mexico verified Mexican pharmacies USA delivery verified Mexican pharmacies USA delivery

  35. Lloydshark Avatar

    Женский портал https://womanclub.kyiv.ua о стиле жизни, красоте и вдохновении. Советы по уходу, отношениям, карьере и саморазвитию. Реальные истории, модные тренды, психологические лайфхаки и идеи для гармонии. Всё, что важно каждой современной женщине.

  36. Curtisvax Avatar
    Curtisvax

    verified Indian drugstores: Dr India Meds – DrIndiaMeds

  37. Robertinvok Avatar
    Robertinvok

    generic medicine from Mexico: mexican pharmacy – DrMedsAdvisor

  38. Robertchupt Avatar

    Автомобильный журнал https://autodream.com.ua для новичков и энтузиастов: тренды, тест-драйвы, сравнения, разбор комплектаций, VIN-проверки и подготовка к сделке. Практичные гайды по уходу и экономии, гаджеты для авто, законы и штрафы. Делимся опытом, чтобы не переплачивали.

  39. LarryAMORA Avatar
    LarryAMORA

    Mexico to USA pharmacy shipping mexican pharmacy mexican pharmacy

  40. JerryAmure Avatar
    JerryAmure

    doctor recommended Mexican pharmacy generic medicine from Mexico Dr Meds Advisor

Leave a Reply

Your email address will not be published. Required fields are marked *