flutter widgets etiketine sahip kayıtlar gösteriliyor. Tüm kayıtları göster
flutter widgets etiketine sahip kayıtlar gösteriliyor. Tüm kayıtları göster

Here is What I Learned About Form Validation While Building My Flutter App

 


Hi Flutter Developers 👊 Today I want to talk about something I experienced while developing an application with Flutter. While working on my own Flutter project, I quickly realized that validating user input was essential. Without it, users could enter anything into the fields — causing errors and potentially crashing the app. I wanted to ensure my app handled input safely, so I dug into Flutter’s validation tools. Here’s what I learned along the way, and a few practical tips to help you set up form validation easily.

Starting with a Basic Form Setup

To begin, I created a simple form layout in Flutter using the Form widget. This widget was super handy because it wraps around all the input fields and lets you validate them together. Here’s the setup I used:

final GlobalKey<FormState> _formKey = GlobalKey<FormState>();

Scaffold(
backgroundColor: Colors.blueAccent[100],
body: Padding(
padding: EdgeInsets.all(12.0),
child: Form(
key: _formKey, // a unique key for the form
child: Column(
children: <Widget>[
TextFormField(
decoration: InputDecoration(labelText: 'Email'),
),
TextFormField(
decoration: InputDecoration(labelText: 'Password'),
obscureText: true, // hides the password for privacy
),
SizedBox(height: 10),
ElevatedButton(
onPressed: _submitForm,
child: Text('Submit'),
),
],
),
),
),
),



The Form widget required a GlobalKey to track its state, which ended up being super helpful for checking if everything was filled out correctly before moving forward. I used _formKey to manage this, and it allowed me to handle all validations from one place.

Adding Validation Rules: Email and Password

Next, I needed validation rules, especially for the email and password fields. To make sure these fields contained valid information, I added a validatorfunction to each TextFormField.

Here’s what I did for the email and password:

TextFormField(
decoration: InputDecoration(labelText: 'Email'),
validator: (value) {
if (value == null || value.isEmpty) {
return 'Please enter your email';
} else if (!RegExp(r'^[^@]+@[^@]+\.[^@]+').hasMatch(value)) {
return 'Enter a valid email';
}
return null;
},
),
TextFormField(
decoration: InputDecoration(labelText: 'Password'),
obscureText: true,
validator: (value) {
if (value == null || value.isEmpty) {
return 'Please enter your password';
} else if (value.length < 6) {
return 'Password must be at least 6 characters';
}
return null;
},
),

I found that having clear error messages made a big difference. Instead of vague errors, I wrote messages that actually guided users on what to fix — like “Enter a valid email” or “Password must be at least 6 characters.”

Submitting the Form and Checking Validity

I wanted to make sure that when the user clicked the submit button, it would check all the validations at once. I used the _formKey.currentState!.validate() function for this. It goes through each field, runs the validator, and only lets the form submit if all fields are valid.

Here’s how I structured my submit function:

void _submitForm() {
if (_formKey.currentState!.validate()) {
print('Form is valid');
// Process data or navigate to the next screen
} else {
print('Form is not valid');
}
}

And here’s the result:


Using validate() turned out to be simple yet powerful; if any field is invalid, it prevents the form from submitting. Plus, it highlights the fields that need attention, which is super helpful for users.

Some Tips

  • Friendly error messages go a long way! When I tested the form, I noticed users responded better to specific, clear instructions.
  • For email validation, I used a regular expression to check if the user’s entry was formatted correctly. Flutter has great support for Regex, and I recommend it for fields like email, phone numbers, or anything with a specific format.
  • I noticed that some apps validate as you type, which gives immediate feedback to users. Flutter makes this possible by using a TextEditingController, although I decided to keep my form simple for now.
  • For forms with more fields or complex rules, packages like flutter_form_builder can save time. I didn’t need it for this project, but it’s worth exploring if you’re working on larger forms.

As a result learning to set up validation in Flutter was a game-changer for my project. It made my app more reliable and user-friendly, and I got a better handle on managing forms in Flutter. If you’re starting with validation, stick to the basics, and don’t be afraid to customize error messages for a smoother user experience.

Validation might seem tricky at first, but it’s a crucial skill that’s totally worth mastering. Let me know if you have questions or need help with your own Flutter forms!

Thanks for reading.

Selin.

Flutter’da Form Doğrulamayı Öğrenirken Neler Keşfettim?

 


Merhaba Flutter Geliştiricileri 👊 Bugün Flutter ile bir uygulama geliştirirken yaşadığım bir şeyden bahsetmek istiyorum. Kendi Flutter projemi geliştirirken, kullanıcı girişlerini doğrulamanın ne kadar önemli olduğunu fark ettim. Doğrulama olmadan kullanıcılar her türlü veriyi girebiliyor ve bu da hatalara, hatta uygulamanın çökmesine sebep olabiliyor. Uygulamamın güvenli bir şekilde çalışması için Flutter’ın doğrulama araçlarını araştırdım. İşte bu süreçte öğrendiklerim ve form doğrulamayı kolayca kurmanız için birkaç pratik ipucu!

Basit Bir Form Oluşturma

İlk olarak Flutter’da Form widget'ını kullanarak basit bir form düzeni oluşturdum. Bu widget tüm giriş alanlarını bir araya getiriyor ve bunları tek seferde doğrulamama olanak tanıyor. İşte benim kullandığım düzen:

final GlobalKey<FormState> _formKey = GlobalKey<FormState>();

Scaffold(
backgroundColor: Colors.blueAccent[100],
body: Padding(
padding: EdgeInsets.all(12.0),
child: Form(
key: _formKey, // forma özel bir anahtar
child: Column(
children: <Widget>[
TextFormField(
decoration: InputDecoration(labelText: 'Email'),
),
TextFormField(
decoration: InputDecoration(labelText: 'Password'),
obscureText: true, // Şifreyi gizlemek için
),
SizedBox(height: 10),
ElevatedButton(
onPressed: _submitForm,
child: Text('Submit'),
),
],
),
),
),
),


Form widget'ı, formun durumunu izlemek için bir GlobalKey gerektiriyor. validate() gibi fonksiyonları kullanarak her şeyin doğru şekilde doldurulup doldurulmadığını bu anahtar sayesinde kontrol edebiliyorum.

Doğrulama Kuralları Ekleme: E-posta ve Şifre

Sırada, özellikle e-posta ve şifre alanları için doğrulama kuralları tanımlamak var. Bu alanların geçerli bilgi içerdiğinden emin olmak için her TextFormField'e bir validator fonksiyonu ekledim.

İşte e-posta ve şifre için doğrulama kurallarım:

TextFormField(
decoration: InputDecoration(labelText: 'Email'),
validator: (value) {
if (value == null || value.isEmpty) {
return 'Please enter your email';
} else if (!RegExp(r'^[^@]+@[^@]+\.[^@]+').hasMatch(value)) {
return 'Enter a valid email';
}
return null;
},
),
TextFormField(
decoration: InputDecoration(labelText: 'Password'),
obscureText: true,
validator: (value) {
if (value == null || value.isEmpty) {
return 'Please enter your password';
} else if (value.length < 6) {
return 'Password must be at least 6 characters';
}
return null;
},
),

Açık ve anlaşılır hata mesajlarının büyük fark yarattığını gördüm. Belirsiz uyarılar yerine, kullanıcılara neyi düzeltmeleri gerektiğini net bir şekilde anlatmak işlerini kolaylaştırdı.

Formu Gönderme ve Geçerlilik Kontrolü

Kullanıcı gönder düğmesine tıkladığında, tüm doğrulamaların aynı anda kontrol edilmesini istedim. Bunun için _formKey.currentState!.validate()fonksiyonunu kullandım. Bu fonksiyon her alanı kontrol eder, validator’ları çalıştırır ve yalnızca tüm alanlar geçerliyse formu gönderir.

Gönderme fonksiyonumu şöyle yazdım:

void _submitForm() {
if (_formKey.currentState!.validate()) {
print('Form is valid');
// Process data or navigate to the next screen
} else {
print('Form is not valid');
}
}

Ve sonuç şu şekilde:


validate() fonksiyonunu kullanmak oldukça pratik; eğer herhangi bir alan geçersizse formu göndermeyi engelliyor. Ayrıca, dikkat edilmesi gereken alanları da vurguluyor ki bu kullanıcılar için oldukça yararlı.

Birkaç ipucu:

  • Samimi hata mesajları çok etkili! Test ettiğimde, kullanıcıların daha net talimatlar aldıklarında daha iyi yanıt verdiğini fark ettim.
  • E-posta doğrulaması için kullanıcı girişinin doğru formatta olup olmadığını anlamak için bir regular expression (Regex) kullandım. E-posta, telefon numarası gibi belirli bir format gerektiren alanlarda Regex öneririm.
  • Bazı uygulamalar kullanıcı yazarken doğrulama yapar, bu da kullanıcıya anında geri bildirim verir. Bu projede TextEditingControllerkullanmadım, ama bu özelliği büyük formlar için düşünebilirim.
  • Daha fazla alan veya karmaşık kuralları olan formlar için flutter_form_builder gibi paketler zaman kazandırabilir. Bu projede gerek duymadım ama daha büyük formlar üzerinde çalışırken keşfetmeye değer.

Flutter’da doğrulama ayarlamayı öğrenmek projem için bir dönüm noktası oldu. Uygulamamı daha güvenilir ve kullanıcı dostu hale getirdi, ayrıca formları nasıl yönetebileceğimi anlamama yardımcı oldu. Doğrulamaya yeni başlıyorsanız, temel konularla başlayın ve kullanıcı deneyimini iyileştirmek için hata mesajlarını özelleştirmekten çekinmeyin.

Doğrulama ilk başta zor gibi görünebilir, ancak güvenilir bir uygulama oluşturmak için öğrenmeye kesinlikle değer. Kendi Flutter formlarınızda başarılar dilerim!

Okuduğunuz için teşekkürler.

Selin.

Flutter Widget of the Week: CarouselView


Hello everyone! With this article, I would like to announce that I’m starting a “Flutter Widget of the Week” series that I think will be useful when developing Flutter projects. The first week’s widget is the CarouselView widget, which was introduced with the latest version of Flutter. I first tried to do this in my own project by adding animations to Containers. While researching, I saw that there were packages for this and I did it using a package. Now, if you have Flutter version 3.24, you can do this as a classic widget, which I think is a great convenience. Now let’s examine it in detail.

What is CarouselView?

CarouselView is a kind of slider component. That is, you can scroll and switch multiple elements (usually images or cards) horizontally or vertically. This is a very common feature in mobile apps because it allows users to easily switch between content.

How does it work?

The CarouselView widget contains a series of pages. These pages may often have a similar layout to each other, but each one offers different content. Users can switch between these pages by swiping left or right with their fingers.

Example:

Let’s say you have a news app and you want to show the most important news of the day. Each news can be a page and users can easily switch between them. This is where CarouselView comes in!

How to use?

We can think of CarouselView as a typical ListView, but it would be more accurate to describe it as working in a horizontal structure. With a few simple parameters we can start using it right away.

When we run the code, we get a screen like below:

Notes:

  • By placing the CarouselView in ConstrainedBox, we set a limit for its height.
  • With itemExtent we set the size of the widgets in the Carousel on the main axis. In our example, since scrollDirection is horizontal, it means that the main axis is horizontal. The 400 value we give here represents the width of the Containers. If we set this value to 200, the Containers will start to look like a narrow long column.
  • itemSnapping is a setting for scrolling to preserve the original layout. By default it defaults to false, which means that widgets that don’t fit on the first screen from the items to be scrolled appear to be absent but become visible when scrolled. If we change this parameter to true, according to this example, a part of the blue Container is visible on the first screen if its size is appropriate.
  • I didn’t use it here, but the reverse parameter also allows you to sort the items to be scrolled in reverse order.
  • The shrinkExtent parameter, which is not present in this example, expresses the minimum extent allowed on the main axis for widgets during scrolling. For example, let’s say we set itemExtent to 400 and shrinkExtent to 150. The Container, which is 400 wide before the scrolling starts, shrinks to a maximum of 150 units until it disappears from the screen when scrolling starts and scrolls on the screen until it disappears. By default, the value 0 is given, if no value is set, Containers can be scrolled as in the screen recording above without losing any size.

I hope you found this article useful! If you appreciate the information provided, you have the option to support me by Buying Me A Coffee! Your gesture would be greatly appreciated!


In this article, I wanted to tell you about CarouselWidget, which is presented as a novelty. I hope I was able to write clearly and understandably enough.

Good coding to everyone.

Selin.

 

Haftanın Flutter Widget’ı: CarouselView

 

Herkese merhaba. Bu yazıyla Flutter projeleri geliştirirken kullanabileceğimiz, faydalı olacağını düşündüğüm “Haftanın Flutter Widget’ı” serisine başladığımı duyurmak isterim. İlk haftanın widget’ı, Flutter’ın son versiyonu ile sunulmuş CarouselView widget’ı. Ben bunu kendi geliştirdiğim projemde ilk olarak Container’lara animasyon ekleyerek yapmaya çalışmıştım. Araştırırken bununla ilgili paketler olduğunu görüp paket kullanarak yapmıştım. Şimdi ise Flutter 3.24 versiyonuna sahipseniz bunu klasik widget şeklinde yapabiliyorsunuz, bence büyük kolaylık. Şimdi gelin, detaylıca inceleyelim.

CarouselView Nedir?

CarouselView, bir tür kaydırıcı (slider) bileşenidir. Yani, birden fazla öğeyi (genellikle görseller veya kartlar) yatay veya dikey olarak kaydırabilir ve geçiş yapabilirsiniz. Bu, mobil uygulamalarda oldukça yaygın kullanılan bir özelliktir çünkü kullanıcıların içerikler arasında rahatça geçiş yapabilmesini sağlar.

Nasıl Çalışır?

CarouselView widget’ı, içinde bir dizi sayfa (page) barındırır. Bu sayfalar genellikle birbiriyle benzer bir düzen içerebilir, ancak her biri farklı içerikler sunar. Kullanıcılar parmaklarıyla sağa veya sola kaydırarak bu sayfalar arasında geçiş yapabilir.

Örneğin:

Diyelim ki bir haber uygulamanız var ve bu uygulamada günün en önemli haberlerini göstermek istiyorsunuz. Her haber bir sayfa olabilir ve kullanıcılar bu haberler arasında kolayca geçiş yapabilir. İşte burada CarouselView devreye giriyor!

Nasıl Kullanılır?

CarouselView’ı tipik bir ListView gibi düşünebiliriz ama onun yatay bir yapıda çalışanı gibi anlatırsak daha doğru olur. Birkaç basit parametre ile hemen kullanmaya başlayabiliriz.

Kodu çalıştırdığımızda aşağıdaki gibi bir ekran elde ederiz:

Notlar:

  • CarouselView’ı ConstrainedBox içerisine yerleştirerek yüksekliği için bir limit belirlemiş olduk.
  • itemExtent ile Carousel içerisine gelecek widgetların ana eksende sahip oldukları boyutu belirledik. Örneğimizde scrollDirection horizontal olduğu için ana eksen yatay olan anlamına geliyor. Burada verdiğimiz 400 değeri de Container’ların genişliğini temsil ediyor. Bu değeri 200 olarak verirsek Container’lar dar uzun birer sütun gibi görünmeye başlayacak.
  • itemSnapping orijinal düzeni korumak adına scrolling ile ilgili yapılacak bir ayar. Varsayılan olarak false geliyor yani kaydırılacak öğelerden ilk ekrana sığmayan widgetlar yokmuş gibi görünüyor ancak kaydırıldığında görünür hale geliyor. Bu parametreyi true olarak değiştirirsek, bu örneğe göre, ilk ekranda eğer boyutları uygun ise mavi Container’ın bir bölümü görünür oluyor.
  • Burada ben kullanmadım ama reverse parametresini de kaydırılacak öğeleri tersten sıralayabilmeye olanak sağlıyor.
  • Yine bu örnekte bulunmayan shrinkExtent parametresi de kaydırma sırasında widgetlar için ana eksende izin verilen minimum kapsamı ifade ediyor. Örneğin itemExtent’e 400 değerini, shrinkExtent’e de 150 değerini verdik diyelim. Kaydırma yapılmaya başlanmadan önce 400 genişliğinde bulunan Container kaydırma başladığında ekrandan kaybolana kadar en çok 150 birime kadar düşüyor ve o haliyle gözden kayboluncaya kadar ekranda kayıyor. Varsayılan olarak 0 değeri verilmiş, bir değer belirlemesi yapılmazsa yukarıdaki ekran kaydındaki gibi Container’lar boyutları hiç bozulmadan kaydırılabiliyor.

Bu yazımda sizlere bir yenilik olarak sunulan CarouselWidget’ı anlatmak istedim. Umarım yeterince açık ve anlaşılır yazabilmişimdir.

Herkese iyi kodlamalar.

Selin.