Google search engine
Home Blog Page 9

Explore Tic-Tac-Toe Game In Flutter

0

To track down Flutter, a well-known open-source framework for making constructed mobile, web, and system applications from a solitary codebase, play the immortal round of spasm tic-tac-toe.

In this article, we will Explore the Tic-Tac-Toe Game In Flutter. We perceive how to execute a demo program. We will show you how to create a tic-tac-toe game in your Flutter applications.

If you’re looking for the best Flutter app development company for your mobile application then feel free to contact us at — support@flutterdevs.com.


Table Of Contents::

Introduction

Code Implement

Code File

Conclusion



Introduction:

The demo video below shows how to make a tic-tac-toe game in Flutter for beginners and how the game will work in your Flutter applications. We will offer a user the opportunity to play the game, which will be shown on their device.

Demo Module::


How to implement code in dart file :

You need to implement it in your code respectively:

Ensure Flutter and Dart are set up on your PC before we start writing code. If not, configure your environment using the official Flutter installation manual.

Once Flutter is installed, use the following command to start a new Flutter project:

flutter create flutter_tic_tac_toe_game_demo

This will create a brand-new Flutter project with the name flutter_tic_tac_toe_game_demo. Please click here to access the project directory:

cd flutter_tic_tac_toe_game_demo

Create a new dart file called game_screen.dart inside the lib folder.

First, we will create a list of strings called gameGridis equal to the square bracket. Also, create a String currentPlayer.

List<List<String>> gameGrid = [];
String currentPlayer = '';

Let’s create an initState method. In this method, we will add the startGame() method. In this method, we will add game rationale right into it. We’ll utilize a 2D list to represent the game state where every cell can either be unfilled, “X,” or “O.” We’ll likewise watch the dynamic player.

@override
void initState() {
super.initState();
startGame();
}
void startGame() {
gameGrid = List.generate(3, (_) => List.filled(3, ''));
currentPlayer = 'X';
setState(() {});
}

In this body part, we will add a Column widget. In this widget, we will add a current player which means they will show a playing active player. We will create a game board so, we will use GridView.builder() method.

Column(
children: [
const SizedBox(height: 10,),
Row(
mainAxisAlignment: MainAxisAlignment.center,
children: [
const Text('Current Player:',style: TextStyle(fontSize: 18),),
Text(currentPlayer,style: const TextStyle(fontSize: 18,fontWeight: FontWeight.bold),)
],
),
const SizedBox(height: 50,),
Expanded(
child: GridView.builder(
gridDelegate: const SliverGridDelegateWithFixedCrossAxisCount(
crossAxisCount: 3,
),
itemCount: 9,
itemBuilder: (context, index) {
final row = index ~/ 3;
final col = index % 3;
return GestureDetector(
onTap: () => onCellTapped(row, col),
child: Container(
decoration: BoxDecoration(
border: Border.all(),
),
child: Center(
child: Text(
gameGrid[row][col],
style: const TextStyle(fontSize: 48),
),
),
),
);
},
),
),
ElevatedButton(onPressed: resetGame,style: ElevatedButton.styleFrom(
backgroundColor: Colors.green.shade300, // Background color
), child: const Text("Reset Game"),)
],
),

In this technique, we will add a 3×3 grid of cells built utilizing a GridView.builder method. In this method, we will add the gridDelegate was a SliverGridDelegateWithFixedCrossAxisCount(), and inside a crossAxisCount was a three. We will add that itemCount was a nine, itemBuilder we will return with GestureDetector() method. In this method, to deal with tapping, we epitomize every cell in a GestureDetector.

The onCellTapped function, which we’ll execute below, is summoned when a cell is tapped. Likewise, we will make an ElevatedButton. On this button, we will add the onPressed() function. In this function, we will add the resetGame function, and add the ElevatedButton.styleFrom() function. Inside the function, we will add backgroundColor was Colors.green.shade300, and its child we will add text “Reset Game”, which we’ll execute beneath, is invoked when a button is tapped.

Let’s create a onCellTapped() function:

The checkForWinner function in this code searches for win conditions while the onCellTapped function updates the board at whatever point a cell is tapped. Utilizing the showWinnerDialog function, we show a dialog on the off chance that there is a winner or a draw.

void onCellTapped(int row, int col) {
if (gameGrid[row][col].isEmpty) {
setState(() {
gameGrid[row][col] = currentPlayer;
currentPlayer = (currentPlayer == 'X') ? 'O' : 'X';
});


String winner = checkForWinner();
if (winner.isNotEmpty) {
showWinnerDialog(winner);
}
}
}


void showWinnerDialog(String winner) {
showDialog(
context: context,
builder: (context) => AlertDialog(
title: const Text('Game Over'),
content:
Text(winner == 'Draw' ? 'It\'s a draw!' : 'Player $winner wins!'),
actions: [
TextButton(
onPressed: () {
resetGame();
Navigator.pop(context);
},
child: const Text('Play Again'),
),
],
),
);
}

Let’s create a checkForWinner() function:

These functions are in charge of determining if the game has a winner or a draw and displaying a dialog when it is over.

String checkForWinner() {
for (int i = 0; i < 3; i++) {
if (gameGrid[i][0] == gameGrid[i][1] &&
gameGrid[i][1] == gameGrid[i][2] &&
gameGrid[i][0].isNotEmpty) {
return gameGrid[i][0];
}
if (gameGrid[0][i] == gameGrid[1][i] &&
gameGrid[1][i] == gameGrid[2][i] &&
gameGrid[0][i].isNotEmpty) {
return gameGrid[0][i];
}
}
if (gameGrid[0][0] == gameGrid[1][1] &&
gameGrid[1][1] == gameGrid[2][2] &&
gameGrid[0][0].isNotEmpty) {
return gameGrid[0][0];
}
if (gameGrid[0][2] == gameGrid[1][1] &&
gameGrid[1][1] == gameGrid[2][0] &&
gameGrid[0][2].isNotEmpty) {
return gameGrid[0][2];
}
bool isDraw = true;
for (int i = 0; i < 3; i++) {
for (int j = 0; j < 3; j++) {
if (gameGrid[i][j].isEmpty) {
isDraw = false;
break;
}
}
}
if (isDraw) {
return 'Draw';
}
return '';
}

Let’s create a resetGame() function:

To allow participants to restart a game, we should at long last form the resetGame function. When the “Play Again” button in the dialog is hit, we utilize this function to reset the game board and the current player.

void resetGame() {
setState(() {
startGame();
});
}

When we run the application, we ought to get the screen’s output like the underneath screen capture.

Final Outputs

Code File:


import 'package:flutter/material.dart';

class GameScreen extends StatefulWidget {
const GameScreen({super.key});

@override
State<GameScreen> createState() => _GameScreenState();
}

class _GameScreenState extends State<GameScreen> {
List<List<String>> gameGrid = [];
String currentPlayer = '';
@override
void initState() {
super.initState();
startGame();
}
void startGame() {
gameGrid = List.generate(3, (_) => List.filled(3, ''));
currentPlayer = 'X';
setState(() {});
}

void onCellTapped(int row, int col) {
if (gameGrid[row][col].isEmpty) {
setState(() {
gameGrid[row][col] = currentPlayer;
currentPlayer = (currentPlayer == 'X') ? 'O' : 'X';
});
String winner = checkForWinner();
if (winner.isNotEmpty) {
showWinnerDialog(winner);
}
}
}

String checkForWinner() {
for (int i = 0; i < 3; i++) {
if (gameGrid[i][0] == gameGrid[i][1] &&
gameGrid[i][1] == gameGrid[i][2] &&
gameGrid[i][0].isNotEmpty) {
return gameGrid[i][0];
}
if (gameGrid[0][i] == gameGrid[1][i] &&
gameGrid[1][i] == gameGrid[2][i] &&
gameGrid[0][i].isNotEmpty) {
return gameGrid[0][i];
}
}
if (gameGrid[0][0] == gameGrid[1][1] &&
gameGrid[1][1] == gameGrid[2][2] &&
gameGrid[0][0].isNotEmpty) {
return gameGrid[0][0];
}
if (gameGrid[0][2] == gameGrid[1][1] &&
gameGrid[1][1] == gameGrid[2][0] &&
gameGrid[0][2].isNotEmpty) {
return gameGrid[0][2];
}
bool isDraw = true;
for (int i = 0; i < 3; i++) {
for (int j = 0; j < 3; j++) {
if (gameGrid[i][j].isEmpty) {
isDraw = false;
break;
}
}
}
if (isDraw) {
return 'Draw';
}
return '';
}

void showWinnerDialog(String winner) {
showDialog(
context: context,
builder: (context) => AlertDialog(
title: const Text('Game Over'),
content:
Text(winner == 'Draw' ? 'It\'s a draw!' : 'Player $winner wins!'),
actions: [
TextButton(
onPressed: () {
resetGame();
Navigator.pop(context);
},
child: const Text('Play Again'),
),
],
),
);
}

void resetGame() {
setState(() {
startGame();
});
}

@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
automaticallyImplyLeading: false,
title: const Text("Flutter Tic-Tac-Toe Game Demo"),
centerTitle: true,
backgroundColor: Colors.green.shade300,
),
body: Padding(
padding: const EdgeInsets.all(8.0),
child: Column(
children: [
const SizedBox(height: 10,),
Row(
mainAxisAlignment: MainAxisAlignment.center,
children: [
const Text('Current Player:',style: TextStyle(fontSize: 18),),
Text(currentPlayer,style: const TextStyle(fontSize: 18,fontWeight: FontWeight.bold),)
],
),
const SizedBox(height: 50,),
Expanded(
child: GridView.builder(
gridDelegate: const SliverGridDelegateWithFixedCrossAxisCount(
crossAxisCount: 3,
),
itemCount: 9,
itemBuilder: (context, index) {
final row = index ~/ 3;
final col = index % 3;
return GestureDetector(
onTap: () => onCellTapped(row, col),
child: Container(
decoration: BoxDecoration(
border: Border.all(),
),
child: Center(
child: Text(
gameGrid[row][col],
style: const TextStyle(fontSize: 48),
),
),
),
);
},
),
),
ElevatedButton(onPressed: resetGame,style: ElevatedButton.styleFrom(
backgroundColor: Colors.green.shade300, // Background color
), child: const Text("Reset Game"),)
],
),
),
);
}
}

Conclusion:

In the article, I have explained the Tic-Tac-Toe Game In Flutter; you can modify this code according to your choice. This was a small introduction to the Tic-Tac-Toe Game In Flutter In Dart User Interaction from my side, and it’s working using Flutter.

I hope this blog will provide you with sufficient information on Trying the Tic-Tac-Toe Game in your Flutter projectsWe will show you what the Introduction is. Make a demo program for working on the Tic-Tac-Toe Game in your Flutter applications. So please try it.

❤ ❤ Thanks for reading this article ❤❤

If I need to correct something? Let me know in the comments. I would love to improve.

Clap 👏 If this article helps you.


From Our Parent Company Aeologic

Aeologic Technologies is a leading AI-driven digital transformation company in India, helping businesses unlock growth with AI automation, IoT solutions, and custom web & mobile app development. We also specialize in AIDC solutions and technical manpower augmentation, offering end-to-end support from strategy and design to deployment and optimization.

Trusted across industries like manufacturing, healthcare, logistics, BFSI, and smart cities, Aeologic combines innovation with deep industry expertise to deliver future-ready solutions.

Feel free to connect with us:
And read more articles from FlutterDevs.com.

FlutterDevs team of Flutter developers to build high-quality and functionally-rich apps. Hire a Flutter developer for your cross-platform Flutter mobile app project on an hourly or full-time basis as per your requirement! For any flutter-related queries, you can connect with us on FacebookGitHubTwitter, and LinkedIn.

We welcome feedback and hope that you share what you’re working on using #FlutterDevs. We truly enjoy seeing how you use Flutter to build beautiful, interactive web experiences.


Zebra Striped ListView In Flutter

0

This blog will explore the Zebra Striped ListView In Flutter. We perceive how to execute a demo program. We will show you how to create a zebra-striped listview in your Flutter applications.

If you’re looking for the best Flutter app development company for your mobile application then feel free to contact us at — support@flutterdevs.com.


Table Of Contents::

Introduction

Implementation

Code Implement

Code File



Introduction:

Envision you have a list of things on your phone or PC screen. Presently, I envision that everything on the list has an alternate color. For instance, the main thing may be white, the subsequent thing may be dark, the third thing may be white once more, etc. This is known as a zebra-striped list view. It is called that since it seems to be the stripes of a zebra. This is expected to make the list more alluring and straightforward. It can assist you with finding what you are searching for quicker and better.

Demo Module :


How to implement code in dart file :

You need to implement it in your code respectively:

Create a new dart file called main.dart inside the lib folder.

To make a striped ListView (with the ListView.builder() constructor) in Flutter, you can utilize the itemBuilder parameter to return an alternate widget for everything in light of its index. In by far most cases, you can utilize a ternary operator to shift back and alternate between 2 colors for the background of everything as displayed beneath:

ListView.builder(
itemCount: 132,
itemBuilder: (context, index) {
return Container(
// alternate colors
color: index % 2 == 0 ? Colors.red : Colors.green,
/*...*/
);
},
);

First, we will generate dummy data for the list

final List<String> items = List.generate(100, (index) => 'Item $index');

Then, we will add the ListView.builder() method to the body part. In this method, we will add itemCount was items. length. Also, we will add the itemBuilder function. In this, we will add the final color is equal to the index.isEven then shows a white color else cyan color.

ListView.builder(
itemCount: items.length,
itemBuilder: (context, index) {
final color = index.isEven ? Colors.white : Colors.cyan[100];
return Container(
color: color,
padding: const EdgeInsets.symmetric(vertical: 18, horizontal: 24),
child: Text(
items[index],
style: const TextStyle(fontSize: 18),
),
);
},
),

Then, we will return a container with white color, padding, and items[index].

When we run the application, we ought to get the screen’s output like the underneath screen capture.

Final Output

Code File:

import 'package:flutter/material.dart';
import 'package:flutter_zebra_list_view_demo/splash_screen.dart';

void main() {
runApp(const MyApp());
}

class MyApp extends StatelessWidget {
const MyApp({super.key});

// This widget is the root of your application.
@override
Widget build(BuildContext context) {
return MaterialApp(
// hide the debug banner
debugShowCheckedModeBanner: false,
title: 'KindaCode.com',
theme: ThemeData(
primarySwatch: Colors.blue,
),
home: const Splash(),
);
}
}

class MyHomePage extends StatelessWidget {
MyHomePage({super.key});

final List<String> items = List.generate(100, (index) => 'Item $index');

@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
automaticallyImplyLeading: false,
centerTitle: true,
title: const Text('Flutter Zebra Striped ListView Demo'),
backgroundColor: Colors.cyan,
),
body: ListView.builder(
itemCount: items.length,
itemBuilder: (context, index) {
final color = index.isEven ? Colors.white : Colors.cyan[100];
return Container(
color: color,
padding: const EdgeInsets.symmetric(vertical: 18, horizontal: 24),
child: Text(
items[index],
style: const TextStyle(fontSize: 18),
),
);
},
),
);
}
}

Conclusion:

In the article, I have explained the Zebra Striped ListView In Flutter; you can modify this code according to your choice. This was a small introduction to the Zebra Striped ListView In Flutter In Dart User Interaction from my side, and it’s working using Flutter.

I hope this blog will provide you with sufficient information on Trying the Digital Signature in your Flutter projectsWe will show you what the Introduction is. Make a demo program for working on Zebra Striped ListView in your Flutter applications. So please try it.

❤ ❤ Thanks for reading this article ❤❤

If I got something wrong? Let me know in the comments. I would love to improve.

Clap 👏 If this article helps you.


From Our Parent Company Aeologic

Aeologic Technologies is a leading AI-driven digital transformation company in India, helping businesses unlock growth with AI automation, IoT solutions, and custom web & mobile app development. We also specialize in AIDC solutions and technical manpower augmentation, offering end-to-end support from strategy and design to deployment and optimization.

Trusted across industries like manufacturing, healthcare, logistics, BFSI, and smart cities, Aeologic combines innovation with deep industry expertise to deliver future-ready solutions.

Feel free to connect with us:
And read more articles from FlutterDevs.com.

FlutterDevs team of Flutter developers to build high-quality and functionally-rich apps. Hire a Flutter developer for your cross-platform Flutter mobile app project on an hourly or full-time basis as per your requirement! For any flutter-related queries, you can connect with us on FacebookGitHubTwitter, and LinkedIn.

We welcome feedback and hope that you share what you’re working on using #FlutterDevs. We truly enjoy seeing how you use Flutter to build beautiful, interactive web experiences.


 Dart Classes and Objects In Flutter

0

It is essential to comprehend the standards of object-oriented programming in Flutter while building applications. Classes and objects are the premises of OOP. You can without much of a stretch structure your application and organize your code.

Classes assist developers with characterizing properties and ways of behaving for various parts by going about as diagrams for object creation. Figuring out how to make and involve classes and objects in Flutter will help in making application development more versatile and effective.

This article will explore the Dart Classes and Objects In Flutter. We will execute a demo program and show the fundamentals of making classes and objects in Flutter that establish a simple starting point for any beginner in any case your application.

If you’re looking for the best Flutter app development company for your mobile application then feel free to contact us at — support@flutterdevs.com.


Table Of Contents::

What is Class and Object in Flutter?

Why are Classes and Objects Essential in Flutter?

Build a Basic Class and Object in Flutter

Difference Between Class and Object in Flutter

Conclusion



What is Class and Object in Flutter?

In Flutter, a class is a blueprint for creating objects. It defines the properties (variables) and behaviors (methods) that the objects created from the class will have. A class allows you to organize your code by grouping related data and functionality.

Here is a basic example of making a class in Flutter:

class Bike{
  String model;
  int year;

  void displayInfo() {
    print('Model: $model, Year: $year');
  }
}

In this demo model, a Bike is a class with two properties: model and year. The displayInfo() strategy prints out the data about the bike.

Presently object is an unequivocal instance of a class, as each class is an overall element characterizing what an object is. One more method for putting it is that an object is a more unambiguous illustration of a class, as it has genuine values added to class properties.

This is the way you make objects in a Flutter from the bike class:

void main() {
  Bike myBike = Bike();  
  myBike.model = 'Apache';
  myBike.year = 2025;

  myBike.displayInfo(); 
}

In this demo example, myBike is an object of the Bike class. The object holds explicit information (‘Apache’ and 2025) and can utilize the displayInfo() technique to show that information.

Why are Classes and Objects Essential in Flutter?

Classes and objects are fundamental in Flutter since they assist with arranging code by gathering related information and working together. This makes the application more straightforward to manage, read, and scale as it develops.

Utilizing dart classes permits developers to make reusable parts, diminishing duplication and further developing effectiveness. Objects rejuvenate these classes by holding explicit information and ways of behaving, assisting you with building a fundamental Flutter application all the more really.

Build a Basic Class and Object in Flutter

  • Create a New Flutter Project
    Begin by making another Flutter project utilizing your favored IDE, such as Visual Studio Code or Android Studio. Open the terminal and run the order flutter to create project_name. This will set up the essential Flutter application structure you want to start. Presently, explore the lib organizer where you’ll compose your Dart code for building an essential class and object in Flutter.
  • Define a Class in Dart
    Inside the lib folder, create a new Dart file. Define your class using the class keyword. For example, if you’re creating a class to represent a “Bike,” you can structure it with properties like model and year. Here’s a class in Dart example:
  • Inside the lib folder, make another Dart file. Characterize your class utilizing the class keyword. For instance, if you’re making a class to address a “Bike,” you can structure it with properties like model and year.

Here is a class in the Dart model:

class Bike{
  String model;
  int year;
}
  • Add a Constructor to Your Class
    To instate your class properties, add a constructor. A dart class constructor is utilized to assign values to the class properties when an object is made. In the Bike class, the constructor would seem to be this:
Bike(this.model, this.year);
  • Create an Object from the Class
    Now that your class is prepared, you can make an object. In your main. dart file, launch the class by utilizing the new keyword or straightforwardly without it. For instance:
Bike myBike = Bike('Apache', 2025);

Here, you create an object named myCar from the Car class. This is how Dart creates objects without a class, but you still need to define it in your project.

Here, you make an object named myBike from the Bike class. This is how Dart makes objects without a class, yet you need to characterize it in your project.

  • Running the App
    At long last, run your application utilizing the flutter run command in the terminal. This will order and execute your Flutter application, permitting you to see the consequences of your group and object execution. Remember to test various situations by changing object properties or adding strategies to your class.

Difference Between Class and Object in Flutter

AspectClassObject
DefinitionA class is a plan that characterizes properties and strategies.An object is an instance of a class that holds genuine data.
PurposeIt fills in as a layout to characterize how an object ought to act.It is a particular substance made given the class definition.
CreationA class is characterized by utilizing the class keyword.You make an object in Dart by starting up the class.
InitializationClasses can have programmed initializers in constructors to set default values for properties.Objects get introduced with values characterized in the class constructor.
Exampleclass Bike{ String color; void drive() {…} }Bike myBike = Bike(); – This makes an object of the Bike class.

Conclusion:

In the article, I have explained the Dart Classes and Objects In Flutter; you can modify this code according to your choice. This was a small introduction to Dart Classes and Objects In Flutter On User Interaction from my side, and it’s working using Flutter.

I hope this blog will provide you with sufficient information on Trying the Dart Classes and Objects In Flutter in your projectsClasses coordinate your code, and objects fill that construction with true communications. As you become familiar with these fundamentals, you will want to make more proficient and reusable parts in your Flutter projects. So please try it.

❤ ❤ Thanks for reading this article ❤❤

If I got something wrong? Let me know in the comments. I would love to improve.

Clap 👏 If this article helps you.


From Our Parent Company Aeologic

Aeologic Technologies is a leading AI-driven digital transformation company in India, helping businesses unlock growth with AI automation, IoT solutions, and custom web & mobile app development. We also specialize in AIDC solutions and technical manpower augmentation, offering end-to-end support from strategy and design to deployment and optimization.

Trusted across industries like manufacturing, healthcare, logistics, BFSI, and smart cities, Aeologic combines innovation with deep industry expertise to deliver future-ready solutions.

Feel free to connect with us:
And read more articles from FlutterDevs.com.

FlutterDevs team of Flutter developers to build high-quality and functionally-rich apps. Hire a flutter developer for your cross-platform Flutter mobile app project on an hourly or full-time basis as per your requirement! You can connect with us on FacebookGitHubTwitter, and LinkedIn for any flutter-related queries.

We welcome feedback and hope you share what you’re working on using #FlutterDevs. We truly enjoy seeing how you use Flutter to build beautiful, interactive web experiences.


Interactive Video Grid In Flutter

0

Flutter has arisen as an incredible tool for building outwardly rich and responsive applications. One of its numerous capacities is making intelligent media-rich parts like a video grid.

In this article, we will explore the Interactive Video Grid In Flutter. We will execute a demo program and show to user-interactive video grid utilizing the video_player and flutter_bloc package in your Flutter applications.

If you’re looking for the best Flutter app development company for your mobile application then feel free to contact us at — support@flutterdevs.com.

For Video Player :

video_player | Flutter package
Flutter plugin for displaying inline video with other Flutter widgets on Android, iOS, and web.pub.dev

For Flutter Bloc:

flutter_bloc | Flutter package
Flutter Widgets that make it easy to implement the BLoC (Business Logic Component) design pattern. Built to be used…pub.dev


Table Of Contents::

Introduction

Features

Implementation

Code Implement

Code File

Github

Conclusion



Introduction:

An interactive video grid is a collection of videos organized in a grid layout where users can connect with individual video things. This powerful cooperation guarantees that the connection point is natural and drawing in, particularly for applications like media libraries, video tutorial exercises, or e-commerce platform stages exhibiting item demos.

This demo video shows how to create an interactive video grid in Flutter and how an interactive video grid will work using the video_player and flutter_bloc packages in your Flutter applications. We will show a user that tapping or hovering over a video starts its playback, while others pause. It will be shown on your device.

Demo Module::


Features:

  • Videos are shown in a flawless grid format.
  • Users can play a video by tapping or drifting on it.
  • At the point when a video is done, a placeholder picture is shown.
  • Just a single video plays all at once to save assets and keep up with clarity.

Implementation:

Step 1: Add the dependencies

Add dependencies to pubspec — yaml file.

dependencies:
flutter:
sdk: flutter
video_player: ^2.9.2
flutter_bloc: ^9.0.0

Step 2: Import

import 'package:flutter_bloc/flutter_bloc.dart';
import 'package:video_player/video_player.dart';

Step 3: Run flutter packages get in the root directory of your app.

Code Implement:

You need to implement it in your code respectively:

Create a new dart file called video_item_model.dart inside the lib folder.

First, we need a model to represent each video item model. In this class, we will add three final strings url, title, and description,

class VideoItemModel {
final String url;
final String title;
final String description;

VideoItemModel({required this.url, required this.title, required this.description});
}

Create a new dart file called video_cubit.dart inside the lib folder.

In this file, we will oversee the state with bloc using flutter_bloc, we guarantee just a single video plays all at once.

import 'package:flutter_bloc/flutter_bloc.dart';
import 'package:video_player/video_player.dart';

class VideoCubit extends Cubit<int?> {
final Map<int, VideoPlayerController> _controllers = {};

VideoCubit() : super(null);

void registerController(int index, VideoPlayerController controller) {
_controllers[index] = controller;
}

void playVideo(int index) {
for (var entry in _controllers.entries) {
if (entry.key == index) {
entry.value.play();
} else {
entry.value.pause();
}
}
emit(index);
}

void stopVideo() {
for (var controller in _controllers.values) {
controller.pause();
}
emit(null);
}
}

Create a new dart file called main.dart inside the lib folder.

In this file, we will create a new class VideoGridPage(). This class displays the grid of video items like title, description, and videoUrls.

class VideoGridPage extends StatelessWidget {
final List<VideoItemModel> videoItems = List.generate(
10,
(index) => VideoItemModel(
url: videoUrls[index % videoUrls.length],
title: 'Demo Video $index',
description: 'This is an interactive video of animal $index.',
),
);

static const List<String> videoUrls = [
'https://www.sample-videos.com/video321/mp4/720/big_buck_bunny_720p_1mb.mp4',
];

VideoGridPage({super.key});

@override
Widget build(BuildContext context) {
return BlocProvider(
create: (_) => VideoCubit(),
child: Scaffold(
appBar: AppBar(title: const Text('Flutter Interactive Video Grid'),
automaticallyImplyLeading: false,
centerTitle: true,
backgroundColor: Colors.orangeAccent.shade100,),
body: GridView.builder(
gridDelegate: const SliverGridDelegateWithFixedCrossAxisCount(
crossAxisCount: 2,
crossAxisSpacing: 8,
mainAxisSpacing: 8,
mainAxisExtent: 280, // Consistent height for grid items
),
itemCount: videoItems.length,
itemBuilder: (context, index) {
return VideoGridItem(index: index, videoItem: videoItems[index]);
},
),
),
);
}
}

Create a new dart file called video_grid_item.dart inside the lib folder.

In this file, VideoGridItem class handles the video playback and interaction.

import 'package:flutter/material.dart';
import 'package:flutter_bloc/flutter_bloc.dart';
import 'package:flutter_interactive_video_grid/video_card.dart';
import 'package:flutter_interactive_video_grid/video_cubit.dart';
import 'package:flutter_interactive_video_grid/video_item_model.dart';
import 'package:video_player/video_player.dart';

class VideoGridItem extends StatefulWidget {
final int index;
final VideoItemModel videoItem;

const VideoGridItem(
{super.key, required this.index, required this.videoItem});

@override
_VideoGridItemState createState() => _VideoGridItemState();
}

class _VideoGridItemState extends State<VideoGridItem> {
VideoPlayerController? _controller;
bool _isLoading = true;

@override
void initState() {
super.initState();
_initializeController();
}

void _initializeController() {
_controller = VideoPlayerController.network(widget.videoItem.url)
..initialize().then((_) {
if (mounted) {
context
.read<VideoCubit>()
.registerController(widget.index, _controller!);
setState(() {
_isLoading = false;
});
}
});
}

@override
void dispose() {
_controller
?.dispose();
super.dispose();
}

@override
Widget build(BuildContext context) {
return BlocBuilder<VideoCubit, int?>(
builder: (context, playingIndex) {
final isPlaying = playingIndex ==
widget.index;
return GestureDetector(
onPanDown: (_) {
context
.read<VideoCubit>()
.playVideo(widget.index);
},
child: VideoCard(
videoItem: widget.videoItem,
controller: _controller,
isPlaying: isPlaying,
),
);
},
);
}
}

Create a new dart file called video_card.dart inside the lib folder.

In this file, we will create a new class VideoCard(). This class encapsulates the entire card UI, delegating its parts to specialized sub-widgets.

import 'package:flutter/material.dart';
import 'package:flutter_interactive_video_grid/video_details.dart';
import 'package:flutter_interactive_video_grid/video_item_model.dart';
import 'package:flutter_interactive_video_grid/video_thumbnail.dart';
import 'package:video_player/video_player.dart';

class VideoCard extends StatelessWidget {
final VideoItemModel videoItem;
final VideoPlayerController? controller;
final bool isPlaying;

const VideoCard({
super.key,
required this.videoItem,
this.controller,
required this.isPlaying,
});

@override
Widget build(BuildContext context) {
return Card(
shape: RoundedRectangleBorder(
borderRadius: BorderRadius.circular(12),
),
elevation: 4,
child: Padding(
padding: const EdgeInsets.only(bottom: 8.0),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
VideoThumbnail(controller: controller, isPlaying: isPlaying),
VideoDetails(
title: videoItem.title, description: videoItem.description),
],
),
),
);
}
}

Create a new dart file called video_thumbnail.dart inside the lib folder.

In this file, we will create a new class VideoThumbnail (). This class displays either the video player or a placeholder image depending on whether the video is initialized and currently playing.

import 'package:flutter/material.dart';
import 'package:video_player/video_player.dart';

class VideoThumbnail extends StatelessWidget {
final VideoPlayerController? controller;
final bool isPlaying;

const VideoThumbnail({super.key,
this.controller,
required this.isPlaying,
});

@override
Widget build(BuildContext context) {
return Expanded(
child: Stack(
alignment: Alignment.center,
children: [
if (controller != null && controller!.value.isInitialized && isPlaying)
ClipRRect(
borderRadius: const BorderRadius.vertical(top: Radius.circular(12)),
child: SizedBox(
width: double.infinity,
height: double.infinity,
child: VideoPlayer(controller!),
),
)
else
ClipRRect(
borderRadius: const BorderRadius.vertical(top: Radius.circular(12)),
child: Image.network(
'https://www.sample-videos.com/img/Sample-png-image-200kb.png',
fit: BoxFit.cover,
width: double.infinity,
height: double.infinity,
),
),
],
),
);
}
}

Create a new dart file called video_details.dart inside the lib folder.

In this file, we will create a new class VideoDetails(). This class combines the title and description into a single widget for simplicity and better organization.

import 'package:flutter/material.dart';

class VideoDetails extends StatelessWidget {
final String title;
final String description;

const VideoDetails({super.key,
required this.title,
required this.description,
});

@override
Widget build(BuildContext context) {
return Padding(
padding: const EdgeInsets.all(8.0),
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
title,
style: const TextStyle(
fontWeight: FontWeight.bold,
fontSize: 16,
),
maxLines: 1,
overflow: TextOverflow.ellipsis,
),
const SizedBox(height: 4),
Text(
description,
style: const TextStyle(
fontSize: 14,
color: Colors.grey,
),
maxLines: 2,
overflow: TextOverflow.ellipsis,
),
],
),
);
}
}

When we run the application, we ought to get the screen’s output like the underneath screen capture.

Code File:

import 'package:flutter/material.dart';
import 'package:flutter_bloc/flutter_bloc.dart';
import 'package:flutter_interactive_video_grid/splash_screen.dart';
import 'package:flutter_interactive_video_grid/video_cubit.dart';
import 'package:flutter_interactive_video_grid/video_grid_item.dart';
import 'package:flutter_interactive_video_grid/video_item_model.dart';

void main() {
runApp(const MyApp());
}

class MyApp extends StatelessWidget {
const MyApp({super.key});

// This widget is the root of your application.
@override
Widget build(BuildContext context) {
return MaterialApp(
debugShowCheckedModeBanner: false,
title: 'Flutter Demo',
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
useMaterial3: true,
),
home: Splash(),
);
}
}

class VideoGridPage extends StatelessWidget {
final List<VideoItemModel> videoItems = List.generate(
10,
(index) => VideoItemModel(
url: videoUrls[index % videoUrls.length],
title: 'Demo Video $index',
description: 'This is a interactive video of animal $index.',
),
);

static const List<String> videoUrls = [
'https://www.sample-videos.com/video321/mp4/720/big_buck_bunny_720p_1mb.mp4',
];

VideoGridPage({super.key});

@override
Widget build(BuildContext context) {
return BlocProvider(
create: (_) => VideoCubit(),
child: Scaffold(
appBar: AppBar(title: const Text('Flutter Interactive Video Grid'),
automaticallyImplyLeading: false,
centerTitle: true,
backgroundColor: Colors.orangeAccent.shade100,),
body: GridView.builder(
gridDelegate: const SliverGridDelegateWithFixedCrossAxisCount(
crossAxisCount: 2,
crossAxisSpacing: 8,
mainAxisSpacing: 8,
mainAxisExtent: 280, // Consistent height for grid items
),
itemCount: videoItems.length,
itemBuilder: (context, index) {
return VideoGridItem(index: index, videoItem: videoItems[index]);
},
),
),
);
}
}

Conclusion:

In the article, I have explained the Interactive Video Grid in a flutter; you can modify this code according to your choice. This was a small introduction to Interactive Video Grid On User Interaction from my side, and it’s working using Flutter.

I hope this blog will provide you with sufficient information on Trying the Interactive Video Grid in your flutter projectsWe will show you what the Introduction is. Make a demo program for working on an Interactive Video Grid Using the video_player and flutter_bloc package in your Flutter applications. So please try it.

❤ ❤ Thanks for reading this article ❤❤

If I got something wrong? Let me know in the comments. I would love to improve.

Clap 👏 If this article helps you.


Github:

Full source code of Flutter Interactive Video Grid:

GitHub – flutter-devs/flutter_interactive_video_grid
Contribute to flutter-devs/flutter_interactive_video_grid development by creating an account on GitHub.github.com


From Our Parent Company Aeologic

Aeologic Technologies is a leading AI-driven digital transformation company in India, helping businesses unlock growth with AI automation, IoT solutions, and custom web & mobile app development. We also specialize in AIDC solutions and technical manpower augmentation, offering end-to-end support from strategy and design to deployment and optimization.

Trusted across industries like manufacturing, healthcare, logistics, BFSI, and smart cities, Aeologic combines innovation with deep industry expertise to deliver future-ready solutions.

Feel free to connect with us:
And read more articles from FlutterDevs.com.

FlutterDevs team of Flutter developers to build high-quality and functionally-rich apps. Hire a flutter developer for your cross-platform Flutter mobile app project on an hourly or full-time basis as per your requirement! You can connect with us on FacebookGitHubTwitter, and LinkedIn for any flutter-related queries.

We welcome feedback and hope you share what you’re working on using #FlutterDevs. We truly enjoy seeing how you use Flutter to build beautiful, interactive web experiences.


3D Column Chart In Flutter

0

In this article, we will explore the 3D Column Chart In Flutter. We will implement a demo program and show you how to create a visually striking 3D Column Chart using the Syncfusion Flutter Charts in your Flutter applications.

If you’re looking for the best Flutter app development company for your mobile application then feel free to contact us at — support@flutterdevs.com.

For Syncfusion Flutter Charts:

syncfusion_flutter_charts 28.1.33 | Flutter package
A Flutter Charts library which includes data visualization widgets such as cartesian and circular charts, to create…pub.dev


Table Of Contents::

Introduction

Implementation

Code Implement

Code File

Conclusion



Introduction:

A Column Chart is a compelling strategy for addressing categorical information utilizing vertical bars. It is great for contrasting information across various gatherings, for this situation, the mobile application development by various framework.

This demo video shows how to create a 3D column chart in Flutter and how a 3D column chart will work using theSyncfusion Flutter Charts in your Flutter applications. We will show a user that we will make a 3d impact for the column track and utilizing a custom series renderer, you can characterize a custom painter to render 3D components that add profundity and interactivity to your chart. It will be shown on your device.

Demo Module::


Implementation:

Step 1: Add the dependencies

Add dependencies to pubspec — yaml file.

dependencies:
flutter:
sdk: flutter
syncfusion_flutter_charts: ^28.1.33

Step 2: Import

import 'package:syncfusion_flutter_charts/charts.dart';

Step 3: Run flutter packages get in the root directory of your app.

Code Implement:

You need to implement it in your code respectively:

Create a new dart file called main.dart inside the lib folder.

In the main. dart file, we will initialize the data for the chart. Now, create a language data model that represents the framework’s name and language in percentages.

class LanguageData {
LanguageData(this.framework, this.languagePercent);
final String framework;
final double languagePercent;
}

Next, a list will be initialized to hold the framework’s language data, adding color data for the oval shape at the top and language data for each framework.

  late List<LanguageData> _languageData;
late Map<String, Color> _cylinderColors;
late Map<String, Color> _topOvalColors;

@override
void initState() {
_languageData = <LanguageData>[
LanguageData('Flutter', 80.87),
LanguageData('React', 75.56),
LanguageData('Ionic', 60.92),
LanguageData('Xamarin', 55.22),
LanguageData('Angular', 45.22),
LanguageData('JQuery', 39.25),
];
_cylinderColors = {
'Flutter': const Color.fromARGB(255, 178, 52, 43),
'React': const Color.fromARGB(255, 125, 31, 142),
'Ionic': const Color.fromARGB(255, 8, 133, 120),
'Xamarin': const Color.fromARGB(255, 25, 108, 176),
'Angular': const Color.fromARGB(255, 92, 63, 53),
'JQuery': const Color.fromARGB(255, 139, 126, 4)
};
_topOvalColors = {
'Flutter': const Color.fromARGB(255, 210, 83, 74),
'React': const Color.fromARGB(255, 145, 56, 160),
'Ionic': const Color.fromARGB(255, 47, 150, 140),
'Xamarin': const Color.fromARGB(255, 59, 128, 185),
'Angular': const Color.fromARGB(255, 117, 80, 67),
'JQuery': const Color.fromARGB(255, 179, 163, 15)
};
super.initState();
}

In the body part, we will deliver a Flutter Column Chart with a track, a single ColumnSeries is utilized to envision language information close by a noticeable foundation track. The X-axis is set to CategoryAxis, addressing categorical information like framework names, while the Y-axis is set to NumericAxis for numeric values to show the language utilized in percentage.

How about we utilize the ChartTitle widget to add and alter the chart title. The title is aligned to the center utilizing the alignment property, and we’ve set the ChartAlignment value as the center. The text property is utilized to set the chart’s title.

The onDataLabelRender callback is utilized to change the appearance of data labels. The text property is updated to incorporate a percentage symbol close to the shown value. We should empower the TooltipBehavior to show the extra data when hovering over data points. The onTooltipRender callback modifies the tooltip text by splitting it into an organized header and value.

body: SfCartesianChart(
plotAreaBorderWidth: 0,
title: const ChartTitle(
alignment: ChartAlignment.center,
text:
'Percentage Mobile Application Development Framework',
),
tooltipBehavior: TooltipBehavior(enable: true),
onTooltipRender: (TooltipArgs tooltipArgs) {
List<String> tooltipText = tooltipArgs.text!.split(' : ');
tooltipArgs.header = tooltipText[0];
tooltipArgs.text = '${tooltipText[1]}%';
},
onDataLabelRender: (DataLabelRenderArgs dataLabelArgs) {
dataLabelArgs.text = '${dataLabelArgs.text}%';
},
primaryXAxis: CategoryAxis(
majorGridLines: const MajorGridLines(width: 0),
majorTickLines: const MajorTickLines(width: 0),
axisLine: const AxisLine(width: 0),
axisLabelFormatter: (axisLabelRenderArgs) {
final String countryName = axisLabelRenderArgs.text;
TextStyle textStyle = Theme.of(context)
.textTheme
.titleSmall!
.copyWith(color: _cylinderColors[countryName]);
return ChartAxisLabel(countryName, textStyle);
},
labelPosition: ChartDataLabelPosition.inside,
),
primaryYAxis: const NumericAxis(
isVisible: true,
plotOffsetStart: 50,
),
series: <CartesianSeries<LanguageData, String>>[
ColumnSeries(
dataSource: _languageData,
xValueMapper: (LanguageData data, index) => data.framework,
yValueMapper: (LanguageData data, index) =>
data.languagePercent,
pointColorMapper: (LanguageData data, index) =>
_cylinderColors[data.framework],
animationDuration: 2000,
isTrackVisible: true,
trackColor: const Color.fromARGB(255, 191, 188, 188),
dataLabelSettings: const DataLabelSettings(
isVisible: true,
labelAlignment: ChartDataLabelAlignment.middle),
onCreateRenderer: (ChartSeries series) {
return CustomColumn3DSeries(_topOvalColors);
},
),
],
)

For the primaryXAxis, we’ll utilize a CategoryAxis to address frameworks. We’ll alter the appearance by eliminating the majorGridLinesmajorTickLines, and axisLine. We’ll likewise customize the labelPosition to show it inside the chart.

For the primaryYAxis, we will involve a NumericAxis to address the language-involved values in a percentage format. We’ll set the isVisible property to false to conceal the Y-axis labels. Additionally, we’ll change the plotOffsetStart values to 50 to add padding at the beginning of the plot area, enhancing the chart’s visual allure.

This series overlays the language information onto the track. The yValueMapper is utilized to map the percentage of language to the Y-axis, while the pointColorMapper progressively assigns colors to the columns based on the framework name. This guarantees every data point is outwardly particular and simple to interpret. Furthermore, the animationDuration property is set to 2000 milliseconds, which animates the column series smoothly over 2 seconds when the chart is rendered.

Now we will create the CustomColumn3DSeries class extends the ColumnSeriesRenderer to make a custom 3D representation for the column series given on the LanguageData model. The createSegment technique is overridden to return a custom column segment, _CustomColumn3DPaint, which handles drawing 3D impacts for every column.

class CustomColumn3DSeries
extends ColumnSeriesRenderer<LanguageData, String> {
CustomColumn3DSeries(this.topOvalColors);

final Map<String, Color> topOvalColors;

@override
ColumnSegment<LanguageData, String> createSegment() {
return _CustomColumn3DPaint(topOvalColors);
}
}

class _CustomColumn3DPaint extends ColumnSegment<LanguageData, String> {
_CustomColumn3DPaint(this.topOvalColors);

final Map<String, Color> topOvalColors;

@override
void onPaint(Canvas canvas) {
final String countryName = series.xRawValues[currentSegmentIndex]!;
final double trackerTop = series.pointToPixelY(0, 100);
final Rect trackerTopOval = _ovalRect(trackerTop);
final Rect bottomOval = _ovalRect(segmentRect!.bottom);
final Rect animatedTopOval = _ovalRect(segmentRect!.bottom -
((segmentRect!.bottom - segmentRect!.top) * animationFactor));

super.onPaint(canvas);
canvas.drawOval(trackerTopOval,
Paint()..color = const Color.fromARGB(255, 204, 201, 201));
canvas.drawOval(bottomOval, Paint()..color = fillPaint.color);
canvas.drawOval(
animatedTopOval, Paint()..color = topOvalColors[countryName]!);
}

Rect _ovalRect(double ovalCenterY) {
const double ovalRadius = 15;
return Rect.fromLTRB(segmentRect!.left, ovalCenterY - ovalRadius,
segmentRect!.right, ovalCenterY + ovalRadius);
}
}

The __CustomColumn3DPaint class extends ColumnSegment and carries out the onPaint method to add a custom 3D paint. Inside the onPaint method. The ovalRect helper technique produces a rectangular bounding box for the ovals. It takes the center Y-coordinate and works out the aspects utilizing a fixed radius of 15. The subsequent 3D series impact gives the columns an outwardly distinct appearance and makes the data portrayal more engaging and instinctive.

When we run the application, we ought to get the screen’s output like the underneath screen capture.

Code File:

import 'package:flutter/material.dart';
import 'package:fluttre_3d_column_chart/splash_screen.dart';
import 'package:syncfusion_flutter_charts/charts.dart';

void main() {
runApp(
const MaterialApp(
home: Splash(),
debugShowCheckedModeBanner: false,
),
);
}

class MyApp extends StatefulWidget {
const MyApp({super.key});
@override
State<MyApp> createState() => _MyAppState();
}

class _MyAppState extends State<MyApp> {
late List<LanguageData> _languageData;
late Map<String, Color> _cylinderColors;
late Map<String, Color> _topOvalColors;

@override
void initState() {
_languageData = <LanguageData>[
LanguageData('Flutter', 80.87),
LanguageData('React', 75.56),
LanguageData('Ionic', 60.92),
LanguageData('Xamarin', 55.22),
LanguageData('Angular', 45.22),
LanguageData('JQuery', 39.25),
];
_cylinderColors = {
'Flutter': const Color.fromARGB(255, 178, 52, 43),
'React': const Color.fromARGB(255, 125, 31, 142),
'Ionic': const Color.fromARGB(255, 8, 133, 120),
'Xamarin': const Color.fromARGB(255, 25, 108, 176),
'Angular': const Color.fromARGB(255, 92, 63, 53),
'JQuery': const Color.fromARGB(255, 139, 126, 4)
};
_topOvalColors = {
'Flutter': const Color.fromARGB(255, 210, 83, 74),
'React': const Color.fromARGB(255, 145, 56, 160),
'Ionic': const Color.fromARGB(255, 47, 150, 140),
'Xamarin': const Color.fromARGB(255, 59, 128, 185),
'Angular': const Color.fromARGB(255, 117, 80, 67),
'JQuery': const Color.fromARGB(255, 179, 163, 15)
};
super.initState();
}

@override
Widget build(BuildContext context) {
return SafeArea(
child: Scaffold(
appBar: AppBar(
backgroundColor: Colors.tealAccent.shade100,
title: const Text("Flutter 3D Column Chart Demo"),
centerTitle: true,
automaticallyImplyLeading: false,
),
body: SfCartesianChart(
plotAreaBorderWidth: 0,
title: const ChartTitle(
alignment: ChartAlignment.center,
text:
'Percentage Mobile Application Development Framework',
),
tooltipBehavior: TooltipBehavior(enable: true),
onTooltipRender: (TooltipArgs tooltipArgs) {
List<String> tooltipText = tooltipArgs.text!.split(' : ');
tooltipArgs.header = tooltipText[0];
tooltipArgs.text = '${tooltipText[1]}%';
},
onDataLabelRender: (DataLabelRenderArgs dataLabelArgs) {
dataLabelArgs.text = '${dataLabelArgs.text}%';
},
primaryXAxis: CategoryAxis(
majorGridLines: const MajorGridLines(width: 0),
majorTickLines: const MajorTickLines(width: 0),
axisLine: const AxisLine(width: 0),
axisLabelFormatter: (axisLabelRenderArgs) {
final String countryName = axisLabelRenderArgs.text;
TextStyle textStyle = Theme.of(context)
.textTheme
.titleSmall!
.copyWith(color: _cylinderColors[countryName]);
return ChartAxisLabel(countryName, textStyle);
},
labelPosition: ChartDataLabelPosition.inside,
),
primaryYAxis: const NumericAxis(
isVisible: true,
plotOffsetStart: 50,
),
series: <CartesianSeries<LanguageData, String>>[
ColumnSeries(
dataSource: _languageData,
xValueMapper: (LanguageData data, index) => data.framework,
yValueMapper: (LanguageData data, index) =>
data.languagePercent,
pointColorMapper: (LanguageData data, index) =>
_cylinderColors[data.framework],
animationDuration: 2000,
isTrackVisible: true,
trackColor: const Color.fromARGB(255, 191, 188, 188),
dataLabelSettings: const DataLabelSettings(
isVisible: true,
labelAlignment: ChartDataLabelAlignment.middle),
onCreateRenderer: (ChartSeries series) {
return CustomColumn3DSeries(_topOvalColors);
},
),
],
),
),
);
}
}

class CustomColumn3DSeries
extends ColumnSeriesRenderer<LanguageData, String> {
CustomColumn3DSeries(this.topOvalColors);

final Map<String, Color> topOvalColors;

@override
ColumnSegment<LanguageData, String> createSegment() {
return _CustomColumn3DPaint(topOvalColors);
}
}

class _CustomColumn3DPaint extends ColumnSegment<LanguageData, String> {
_CustomColumn3DPaint(this.topOvalColors);

final Map<String, Color> topOvalColors;

@override
void onPaint(Canvas canvas) {
final String countryName = series.xRawValues[currentSegmentIndex]!;
final double trackerTop = series.pointToPixelY(0, 100);
final Rect trackerTopOval = _ovalRect(trackerTop);
final Rect bottomOval = _ovalRect(segmentRect!.bottom);
final Rect animatedTopOval = _ovalRect(segmentRect!.bottom -
((segmentRect!.bottom - segmentRect!.top) * animationFactor));

super.onPaint(canvas);
canvas.drawOval(trackerTopOval,
Paint()..color = const Color.fromARGB(255, 204, 201, 201));
canvas.drawOval(bottomOval, Paint()..color = fillPaint.color);
canvas.drawOval(
animatedTopOval, Paint()..color = topOvalColors[countryName]!);
}

Rect _ovalRect(double ovalCenterY) {
const double ovalRadius = 15;
return Rect.fromLTRB(segmentRect!.left, ovalCenterY - ovalRadius,
segmentRect!.right, ovalCenterY + ovalRadius);
}
}

class LanguageData {
LanguageData(this.framework, this.languagePercent);
final String framework;
final double languagePercent;
}

Conclusion:

In the article, I have explained the 3D Column Chart in a flutter; you can modify this code according to your choice. This was a small introduction to 3D Column Chart On User Interaction from my side, and it’s working using Flutter.

I hope this blog will provide you with sufficient information on Trying the 3D Column Chart in your flutter projectsWe will show you what the Introduction is. Make a demo program for working on a 3D Column Chart Using the Syncfusion Flutter Charts package in your Flutter applications. So please try it.

❤ ❤ Thanks for reading this article ❤❤

If I got something wrong? Let me know in the comments. I would love to improve.

Clap 👏 If this article helps you.


From Our Parent Company Aeologic

Aeologic Technologies is a leading AI-driven digital transformation company in India, helping businesses unlock growth with AI automation, IoT solutions, and custom web & mobile app development. We also specialize in AIDC solutions and technical manpower augmentation, offering end-to-end support from strategy and design to deployment and optimization.

Trusted across industries like manufacturing, healthcare, logistics, BFSI, and smart cities, Aeologic combines innovation with deep industry expertise to deliver future-ready solutions.

Feel free to connect with us:
And read more articles from FlutterDevs.com.

FlutterDevs team of Flutter developers to build high-quality and functionally-rich apps. Hire a flutter developer for your cross-platform Flutter mobile app project on an hourly or full-time basis as per your requirement! You can connect with us on FacebookGitHubTwitter, and LinkedIn for any flutter-related queries.

We welcome feedback and hope you share what you’re working on using #FlutterDevs. We truly enjoy seeing how you use Flutter to build beautiful, interactive web experiences.


Top Flutter Packages Every Developer Should Know

0

If you’re looking for the best Flutter app development company for your mobile application then feel free to contact us at — support@flutterdevs.com.

Table of contents:

Introduction

Why You Need Flutter Packages

How Flutter Packages Enhance Development

How to Choose the Right Flutter Package

How to Integrate Multiple Packages in Your Flutter App

Top Flutter Packages

Testing and Debugging with Packages

Popular Tools to Use Alongside Flutter Packages

Future of Flutter Packages

Conclusion

References


Introduction

Flutter is one of the most popular frameworks for building mobile applications, offering a rich set of features and flexibility. As a growing community, Flutter developers have contributed thousands of packages that can help in making the development process easier, faster, and more efficient. In this blog, we’ll cover the top 10 Flutter packages every developer should know, whether you’re a beginner or a seasoned pro. These packages can improve your app’s performance, add features, and enhance your development workflow.


Why You Need Flutter Packages?

Flutter packages serve as the backbone of the development process, offering reusable solutions for common challenges developers face. Whether you need state management tools, image handling, or more complex features like notifications or real-time databases, Flutter packages save you time by providing pre-built solutions.

As the Flutter ecosystem grows, packages from the community allow developers to focus more on app logic, leaving many of the mundane tasks to the package itself. Instead of re-implementing the same functionalities for each new project, you can incorporate existing packages, speeding up development and improving app quality.


How Flutter Packages Enhance Development

Flutter packages help reduce the amount of code you need to write, lower the chances of bugs, and introduce best practices into your development workflow. They provide powerful tools for:

  • State Management: Simplify how you manage your app’s data and UI updates.
  • Networking: Easily connect to APIs and manage data transfers.
  • UI Components: Quickly implement advanced UI elements that otherwise require custom code.
  • Performance Optimization: Enhance your app’s performance through caching, background tasks, and data storage solutions.
  • Cross-Platform Support: Ensure your app works smoothly on both Android and iOS.

These benefits allow developers to create feature-rich applications while focusing on building a great user experience rather than reinventing the wheel.


How to Choose the Right Flutter Package

What to Consider:

When choosing the right package for your project, it’s important to consider a few key factors:

  • Popularity: Well-maintained packages with a large user base tend to be more reliable and offer better documentation and community support.
  • Compatibility: Ensure the package is compatible with your app’s requirements, Flutter version, and target platforms (iOS, Android).
  • License: Check the package’s license to make sure it fits with your project, especially if you’re working on commercial applications.
  • Documentation: A package with clear, well-written documentation will save you time and headaches down the road.
  • Performance: Some packages, especially UI-heavy ones, might have performance overheads. Always test the performance of the package with your app.

How to Integrate Multiple Packages in Your Flutter App

Best Practices for Integrating Packages:

Sometimes, you may need to use multiple packages in your Flutter project. Here are some best practices to make it easier:

  • Use Dependency Management: Use pubspec.yaml to manage dependencies and ensure that you’re using the correct versions of each package.
  • Keep Package Versions Up-to-Date: Regularly check for package updates to ensure you’re using the latest features and security patches.
  • Modularize Your Code: Break down your code into smaller modules or services that handle specific functionalities (e.g., networking, database, authentication). This makes it easier to manage and update individual packages without affecting the entire project.
  • Testing: Test each package thoroughly to ensure it integrates smoothly into your app without causing bugs or crashes. Consider unit tests for services or components using the packages.

Top Flutter Packages

1. Provider

What It Is:

Provider is one of the most widely used state management solutions in Flutter. It is simple to use and integrates well with the Flutter widget tree.

Why You Should Use It:

Provider allows you to manage state and dependency injection without requiring much boilerplate code. It’s flexible and makes state management more predictable by creating a reactive model for handling app data.

Key Features:

  • Easy to learn and implement.
  • Suitable for small to large projects.
  • Built-in support for asynchronous operations.

How to Use:

class MyState with ChangeNotifier {
int _counter = 0;
int get counter => _counter;

void increment() {
_counter++;
notifyListeners();
}
}

void main() {
runApp(
ChangeNotifierProvider(
create: (context) => MyState(),
child: MyApp(),
),
);
}

2. Dio

What It Is:

Dio is a powerful HTTP client for Flutter, offering advanced features for making HTTP requests and handling responses.

Why You Should Use It:

When working with APIs in Flutter, Dio can be a lifesaver. It supports interceptors, global configuration, form data, request cancellation, and file downloading.

Key Features:

  • Supports HTTP requests (GET, POST, PUT, DELETE, etc.).
  • Advanced configuration options like request and response interceptors.
  • Support for uploading and downloading files.
  • Built-in support for handling errors.

How to Use:

import 'package:dio/dio.dart';

void fetchData() async {
var dio = Dio();
try {
Response response = await dio.get('https://jsonplaceholder.typicode.com/posts');
print(response.data);
} catch (e) {
print(e);
}
}

3. Cached Network Image

What It Is:

This package allows you to load images from the network and cache them for future use. It helps to reduce the number of network requests and provides a better user experience.

Why You Should Use It:

If your app loads a lot of images from the internet, using CachedNetworkImage will save bandwidth and load times by caching images locally.

Key Features:

  • Supports caching images in memory and on the disk.
  • Placeholder and error widgets.
  • Custom cache manager for better control.

How to Use:

CachedNetworkImage(
imageUrl: "https://example.com/image.jpg",
placeholder: (context, url) => CircularProgressIndicator(),
errorWidget: (context, url, error) => Icon(Icons.error),
);

4. Flutter Local Notifications

What It Is:

Flutter Local Notifications is a package for displaying local notifications on Android, iOS, and macOS.

Why You Should Use It:

Notifications are crucial for engaging users in mobile applications. This package allows you to send notifications even when the app is in the background or terminated.

Key Features:

  • Supports scheduling notifications.
  • Customizable notification content.
  • Works on both Android and iOS.

How to Use:

import 'package:flutter_local_notifications/flutter_local_notifications.dart';

final FlutterLocalNotificationsPlugin flutterLocalNotificationsPlugin = FlutterLocalNotificationsPlugin();

void showNotification() async {
var androidDetails = AndroidNotificationDetails(
'your_channel_id',
'your_channel_name',
'your_channel_description',
importance: Importance.high,
priority: Priority.high,
);
var platformDetails = NotificationDetails(android: androidDetails);

await flutterLocalNotificationsPlugin.show(0, 'Title', 'Body', platformDetails);
}

5. Hive

What It Is:

Hive is a lightweight, fast, and secure NoSQL database for Flutter applications.

Why You Should Use It:

If you need a fast local database with minimal setup, Hive is the ideal choice. It allows you to store and retrieve data without relying on SQL.

Key Features:

  • Simple key-value store.
  • Supports encrypting data.
  • No need for a database server.
  • Fast and easy to set up.

How to Use:

import 'package:hive/hive.dart';

void openBox() async {
var box = await Hive.openBox('myBox');
box.put('key', 'value');
print(box.get('key'));
}

6. Flutter Bloc

What It Is:

Flutter Bloc is another powerful state management solution that helps manage complex states in large apps using the BLoC (Business Logic Component) pattern.

Why You Should Use It:

For more structured, scalable applications, Bloc allows for better separation of concerns. It’s a great choice for apps that require robust state management with clear boundaries.

Key Features:

  • BLoC architecture-based.
  • Decouples business logic from UI.
  • Handles multiple events and states in a declarative way.

How to Use:

import 'package:flutter_bloc/flutter_bloc.dart';

class CounterCubit extends Cubit<int> {
CounterCubit() : super(0);

void increment() => emit(state + 1);
}

void main() {
runApp(
BlocProvider(
create: (context) => CounterCubit(),
child: MyApp(),
),
);
}

7. GetX

What It Is:

GetX is a reactive state management and navigation package for Flutter. It simplifies state management, dependency injection, and route management.

Why You Should Use It:

GetX is very efficient in managing both state and navigation. It simplifies many tasks in Flutter development with minimal code.

Key Features:

  • Simple state management and routing.
  • Dependency injection.
  • Reactive programming with less boilerplate.

How to Use:

import 'package:get/get.dart';

class CounterController extends GetxController {
var counter = 0.obs;

void increment() {
counter++;
}
}

void main() {
runApp(
GetMaterialApp(
home: MyHomePage(),
),
);
}

class MyHomePage extends StatelessWidget {
@override
Widget build(BuildContext context) {
final CounterController controller = Get.put(CounterController());

return Scaffold(
appBar: AppBar(title: Text("GetX Example")),
body: Center(
child: Obx(() => Text('Counter: ${controller.counter}')),
),
floatingActionButton: FloatingActionButton(
onPressed: controller.increment,
child: Icon(Icons.add),
),
);
}
}

8. Flutter Fire

What It Is:

FlutterFire is a set of Flutter plugins that enable integration with Firebase services, including authentication, Firestore, Firebase Storage, and more.

Why You Should Use It:

Firebase is a backend-as-a-service that offers a wide range of features such as cloud storage, authentication, and real-time databases, all of which can be easily integrated into your Flutter apps with the FlutterFire package.

Key Features:

  • Firebase Authentication.
  • Cloud Firestore.
  • Firebase Analytics and Firebase Cloud Messaging.
  • Firebase Storage.

How to Use:

import 'package:firebase_auth/firebase_auth.dart';

void signUp() async {
FirebaseAuth auth = FirebaseAuth.instance;
UserCredential userCredential = await auth.createUserWithEmailAndPassword(
email: "test@example.com",
password: "password123",
);
}

9. URL Launcher

What It Is:

URL Launcher is a package that allows you to launch a URL in a mobile platform’s default browser or open other apps (like email clients or phone dialers).

Why You Should Use It:

If you need to open web pages, dial numbers, send emails, or even open specific apps, this package provides an easy way to integrate such functionality into your app.

Key Features:

  • Launch URLs in the browser or in apps.
  • Open phone dialer, SMS app, or email clients.
  • Support for both Android and iOS platforms.

How to Use:

import 'package:url_launcher/url_launcher.dart';

void launchURL() async {
const url = 'https://flutter.dev';
if (await canLaunch(url)) {
await launch(url);
} else {
throw 'Could not launch $url';
}
}

10. Image Picker

What It Is:

The Image Picker package allows you to pick images from the device gallery or take photos using the device camera.

Why You Should Use It:

This package is essential for any app that needs to capture or select images, such as for profile pictures, posts, or product listings.

Key Features:

  • Pick images from the gallery or camera.
  • Supports both Android and iOS.
  • Easy to implement.

How to Use:

import 'package:image_picker/image_picker.dart';

void pickImage() async {
final picker = ImagePicker();
final pickedFile = await picker.getImage(source: ImageSource.camera);

if (pickedFile != null) {
print('Picked image: ${pickedFile.path}');
} else {
print('No image selected');
}
}

Testing and Debugging with Packages

Best Practices for Debugging:

When working with multiple packages in Flutter, debugging can become complex. Here are some tips for managing this:

  • Use Flutter DevTools: Flutter DevTools offer a powerful suite of tools to inspect your app’s state, performance, and logs. Use it to troubleshoot issues caused by packages.
  • Isolate Package Issues: If you’re encountering an issue, try to isolate the problem by commenting out certain parts of the code to see if a particular package is causing the issue.
  • Read Logs: Package errors often show up in the logs. Check your console output and error messages carefully when a package fails to behave as expected.

Popular Tools to Use Alongside Flutter Packages

Tools That Enhance Flutter Development:

In addition to Flutter packages, there are several tools that can help you optimize your development process:

  • FlutterFire: For Firebase integration, including authentication, database, storage, and more.
  • Fastlane: Automates the release process, especially for continuous integration (CI/CD) pipelines.
  • Flutter Inspector: Part of Flutter DevTools, this tool helps you visually debug your app’s UI, layout, and performance.
  • Flutter Lints: To ensure that your code follows the recommended style and practices, Flutter Lints provides a set of pre-configured linting rules for better code quality.

Future of Flutter Packages

What’s Coming Next?

As Flutter continues to evolve, the landscape of packages is expected to grow. Here’s what the future holds:

  • More Platform-Specific Packages: As Flutter becomes more robust, expect more packages for platform-specific features like Apple Watch integration or Android Auto.
  • Native Performance Enhancements: Some packages will continue to push the boundaries of performance, allowing Flutter apps to perform on par with fully native apps.
  • More Support for Desktop and Web: With Flutter’s growing support for desktop and web platforms, there will be an increase in packages that target these platforms, allowing developers to create truly cross-platform applications.

Conclusion

Flutter’s ecosystem of packages is one of the strongest aspects of the framework. The above packages provide essential features and tools that can help you build robust, scalable, and high-performance applications. Whether you’re managing state, interacting with APIs, handling notifications, or storing data, these packages can significantly boost your productivity and streamline your development process. By incorporating them into your projects, you can focus more on building great features rather than reinventing the wheel.

❤ ❤ Thanks for reading this article ❤❤

If I got something wrong? Let me know in the comments. I would love to improve.

Clap 👏 If this article helps you.


References:

Top 10 Flutter Packages
Discover the top 10 Flutter packages, from managing user preferences to creating animations, explore how these packages…7span.com

Top 10 Flutter Packages That You Must Know – GeeksforGeeks
A Computer Science portal for geeks. It contains well-written, well thought and well explained computer science and…www.geeksforgeeks.org


From Our Parent Company Aeologic

Aeologic Technologies is a leading AI-driven digital transformation company in India, helping businesses unlock growth with AI automation, IoT solutions, and custom web & mobile app development. We also specialize in AIDC solutions and technical manpower augmentation, offering end-to-end support from strategy and design to deployment and optimization.

Trusted across industries like manufacturing, healthcare, logistics, BFSI, and smart cities, Aeologic combines innovation with deep industry expertise to deliver future-ready solutions.

Feel free to connect with us:
And read more articles from FlutterDevs.com.

FlutterDevs team of Flutter developers to build high-quality and functionally-rich apps. Hire a Flutter developer for your cross-platform Flutter mobile app project on an hourly or full-time basis as per your requirement! For any flutter-related queries, you can connect with us on FacebookGitHubTwitter, and LinkedIn.

We welcome feedback and hope that you share what you’re working on using #FlutterDevs. We truly enjoy seeing how you use Flutter to build beautiful, interactive web experiences.


Facade Design Pattern In Dart/Flutter

0

In situations where you have numerous subsystems, each with its own straightforward or convoluted interface, it can here and there be profitable to extract away those connection points by binding together them under one normal, generally less difficult simpler interface. This is the embodiment of the Facade pattern.

Furthermore, the Facade pattern is at times used to wrap a complex application programming interface with a less difficult rendition, uncovering just the necessary usefulness or joining several operations into one.

This blog will explore the Facade Design Pattern In Dart/Flutter. We see how to execute a demo program in your Flutter/Dart applications.

If you’re looking for the best Flutter app development company for your mobile application then feel free to contact us at — support@flutterdevs.com.


Table Of Contents::

What is the Facade Design Pattern?

When to use?

Code Implement

Drawbacks

Conclusion



What is the Facade Design Pattern?

As per the book “Design Patterns, Elements of Reusable Object-Oriented Software“, Facade Gives a brought-together connection point to a set of connection points in a subsystem. Facade characterizes a more significant level point of interaction that makes the subsystem simpler to utilize.

Allow us to consider a situation where you are a visitor looking into a lodging. There, you want to cooperate with individuals at gathering for administrations like registration, room administration, and clothing. The front desk area improves on the cycle, concealing the intricacies of the basic activities (like housekeeping, kitchen, and clothing) and giving a simple connection point to visitors.

When To Use?

  • When you need to make a straightforward connection point for a complex subsystem.?
  • When there are various interdependent classes in a subsystem, it can prompt expanded intricacy.?
  • When you need to isolate clients from the parts of the subsystem.?

Code Implement

This Dart code demonstrates the Facade Design Pattern using a hotel operation scenario. The hotel comprises various subsystems such as housekeeping, kitchen, and laundry. The Facade Design Pattern simplifies the interface to these subsystems, making them easier to use.

This Dart code exhibits the Facade Design Pattern utilizing a lodging activity situation. The lodging involves different subsystems like housekeeping, kitchen, and clothing. The Facade Design Pattern works on the point of interaction with these subsystems, making them simpler to utilize.

class Housekeeping {
void doHousekeeping() {
print('Doing housekeeping...');
}
}

class Kitchen {
void prepareFood() {
print('Preparing food...');
}
}

class Laundry {
void doLaundry() {
print('Doing Laundry...');
}
}

// Facade class
class HotelFacade {
final Housekeeping _housekeeping;
final Kitchen _kitchen;
final Laundry _laundry;

HotelFacade(this._housekeeping, this._kitchen, this._laundry);

void frontDeskService() {
_housekeeping.doHousekeeping();
_kitchen.prepareFood();
_laundry.doLaundry();
}
}

void main() {
Housekeeping housekeepingObj = Housekeeping();
Kitchen kitchenObj = Kitchen();
Laundry laundryObj = Laundry();

HotelFacade hotel = HotelFacade(housekeepingObj, kitchenObj, laundryObj);
hotel.frontDeskService();
}

The HotelFacade example of true excellence as the facade, offers an improved front desk area() technique for interfacing with the subsystems(Housekeeping, Kitchen, and Laundry). This technique exemplifies the intricacies of the subsystems, making them simpler to utilize.

When we run the application, we ought to get the screen’s output like the underneath console output.

Doing housekeeping...
Preparing food...
Doing Laundry...

Process finished with exit code 0

Drawbacks:

  • A facade can misrepresent a framework, which might be tricky for clients who need more control or admittance to the hidden intricacy.
  • Involving a facade in another framework might show fundamental design issues. It is in many cases more reasonable as a refactoring device for existing complex frameworks.
  • As a facade will in general join functionalities, it is fundamental to try not to turn into a “divine being object” that disregards the Single Liability Principle.

Conclusion:

In the article, I have explained the Facade Design Pattern basic structure in a flutter; you can modify this code according to your choice. This was a small introduction to the Facade Design Pattern On User Interaction from my side, and it’s working using Flutter.

I hope this blog will provide you with sufficient information on Trying the Facade Design Pattern in your Flutter/Dart projects. It gives a basic connection point to a complicated subsystem by making a higher-level point of interaction, making the subsystem clearer to utilize and understand in your Flutter/Dart applications. So please try it.

❤ ❤ Thanks for reading this article ❤❤

If I got something wrong? Let me know in the comments. I would love to improve.

Clap 👏 If this article helps you.


From Our Parent Company Aeologic

Aeologic Technologies is a leading AI-driven digital transformation company in India, helping businesses unlock growth with AI automation, IoT solutions, and custom web & mobile app development. We also specialize in AIDC solutions and technical manpower augmentation, offering end-to-end support from strategy and design to deployment and optimization.

Trusted across industries like manufacturing, healthcare, logistics, BFSI, and smart cities, Aeologic combines innovation with deep industry expertise to deliver future-ready solutions.

Feel free to connect with us:
And read more articles from FlutterDevs.com.

FlutterDevs team of Flutter developers to build high-quality and functionally-rich apps. Hire a Flutter developer for your cross-platform Flutter mobile app project on an hourly or full-time basis as per your requirement! For any flutter-related queries, you can connect with us on FacebookGitHubTwitter, and LinkedIn.

We welcome feedback and hope that you share what you’re working on using #FlutterDevs. We truly enjoy seeing how you use Flutter to build beautiful, interactive web experiences.


Mastering Local Data Storage in Flutter: A Comprehensive Guide

0

If you’re looking for the best Flutter app development company for your mobile application then feel free to contact us at — support@flutterdevs.com.

Table of contents:

Introduction

Why Local Data Storage Matters

Types of Local Storage in Flutter

Implementation of some useful Storage Techniques

Best Practices for Local Storage in Flutter

Conclusion

References


Introduction

Local data storage is critical to mobile application development, enabling apps to persist information, maintain user preferences, and provide seamless offline experiences. Flutter offers multiple sophisticated approaches to local data storage, each tailored to different use cases and performance requirements.

This comprehensive guide will explore the various local storage techniques in Flutter, diving deep into their implementation, advantages, limitations, and best practices. Whether you’re building a simple utility app or a complex enterprise-level application, understanding these storage mechanisms will be crucial to your development process.

Why Local Data Storage Matters

1. Importance of Persistent Data

Enabling Offline Functionality
Local data storage allows mobile applications to function without continuous internet connectivity. By caching critical data locally, apps can:
– Provide core features during network interruptions
– Create seamless user experiences
– Reduce dependency on constant network connections

Enhancing User Experience
Persistent local storage improves app performance and usability by:
– Reducing loading times
– Minimizing repetitive data retrieval
– Providing instant access to previously accessed information
– Creating smooth, responsive interfaces

App Configuration Management
Local storage enables sophisticated configuration management:
– Save user interface preferences
– Store personalization settings
– Maintain application state across sessions
– Implement custom user experiences

Efficient Data Caching
Strategic data caching through local storage helps:
– Minimize network bandwidth consumption
– Accelerate application performance
– Reduce server load
– Provide faster data retrieval

Preserving User Preferences
Local storage maintains critical user-specific information:
– Interface customizations
– Personal settings
– Default configurations
– User-selected options

Network Dependency Reduction
By storing data locally, applications can:
– Operate in low-connectivity environments
– Minimize server dependency
– Improve overall application resilience
– Reduce data transfer costs

2. Real-World Use Cases

Authentication Token Management
– Store encrypted login credentials
– Maintain user session information
– Enable seamless re-authentication
– Implement secure token refresh mechanisms

Gaming Progress Preservation
– Save game levels and achievements
– Store player statistics
– Maintain character progression
– Enable seamless game resumption

Offline Content Caching
– Download and store media content
– Cache articles and reading materials
– Preserve multimedia for offline viewing
– Reduce streaming dependency

Application Settings Persistence
– Remember user interface configurations
– Store accessibility preferences
– Maintain personalized app experiences
– Enable quick app startup

User-Generated Content Backup
– Temporarily store draft content
– Preserve user-created materials
– Enable offline content creation
– Implement backup mechanisms

Local Analytics Tracking
– Record usage statistics
– Monitor application performance
– Collect anonymous usage data
– Enable offline event logging

3. Technical Considerations

Storage Performance Factors
– Data volume
– Read/write frequency
– Storage mechanism overhead
– Device storage limitations
– Security requirements

Best Practices
– Implement efficient storage strategies
– Use appropriate storage mechanisms
– Minimize storage footprint
– Encrypt sensitive information
– Handle data synchronization
– Manage storage lifecycle


Types of Local Storage in Flutter

1. Key-Value Storage: Simple and Swift

Key-value storage represents the most straightforward data persistence approach. Imagine a digital post-it note system where each piece of information is stored with a unique identifier. SharedPreferences and Hive exemplify this storage method.

SharedPreferences acts like a lightweight digital notebook, perfect for storing small configurations like user interface preferences, boolean flags, or minimal app settings. It’s incredibly fast and requires minimal setup, making it ideal for scenarios where you need quick, simple data retrieval.

Hive offers a more advanced key-value storage solution. Unlike traditional key-value stores, Hive provides type-safe object storage with near-native performance. It’s particularly useful when you need to store complex objects without the overhead of a full relational database.

2. Relational Database Storage: Structured Data Management

Relational databases bring order and complexity to data storage. SQLite and Sembast represent Flutter’s robust database storage solutions, offering structured data management with powerful querying capabilities.

SQLite functions like a meticulously organized filing cabinet. Each data entry has a precise location, and relationships between different data types can be established. It’s perfect for applications requiring complex data interactions, such as social media apps, e-commerce platforms, or any scenario involving interconnected data sets.

Sembast provides a more flexible, NoSQL-like approach to relational storage. It bridges the gap between traditional relational databases and more modern, adaptable storage mechanisms, offering cross-platform compatibility and lightweight implementation.

3. Secure Storage: Protecting Sensitive Information

In an era of increasing digital privacy concerns, secure storage becomes paramount. Flutter’s secure storage mechanisms ensure that sensitive information remains protected at the platform level.

Flutter Secure Storage acts like a high-security vault, encrypting and safeguarding critical data such as authentication tokens, personal credentials, and encryption keys. It leverages platform-specific security frameworks like iOS Keychain and Android Keystore, providing robust protection against unauthorized access.

4. File-Based Storage: Handling Complex Data Structures

File-based storage offers the most flexible approach to data management. It allows direct interaction with the device’s file system, making it ideal for handling large files, complex data structures, and offline content.

This storage method is akin to having a comprehensive digital filing system. You can store media files, documents, cached content, and extensive data sets directly on the device. The Path Provider package ensures cross-platform compatibility, allowing seamless file system interactions across different mobile platforms.


Implementation of some useful Storage Techniques

1. SharedPreferences: Simple Key-Value Persistence

Overview

SharedPreferences is the most straightforward local storage mechanism in Flutter, designed for storing small amounts of primitive data types such as strings, integers, booleans, and floating-point numbers.

import 'package:shared_preferences/shared_preferences.dart';

class PreferencesManager {
// Saving data
Future<void> saveData() async {
final prefs = await SharedPreferences.getInstance();

// Storing primitive types
await prefs.setString('username', 'johndoe');
await prefs.setInt('age', 30);
await prefs.setBool('isPremiumUser', true);
await prefs.setDouble('balance', 100.50);
}

// Reading data
Future<void> readData() async {
final prefs = await SharedPreferences.getInstance();

String? username = prefs.getString('username');
int? age = prefs.getInt('age');
bool? isPremiumUser = prefs.getBool('isPremiumUser');
double? balance = prefs.getDouble('balance');
}

// Removing specific key
Future<void> removeData() async {
final prefs = await SharedPreferences.getInstance();
await prefs.remove('username');
}

// Clearing all data
Future<void> clearAllData() async {
final prefs = await SharedPreferences.getInstance();
await prefs.clear();
}
}

Strengths

  • Extremely simple to use
  • Built-in Flutter package
  • Synchronous read operations
  • Lightweight and fast for small data sets

Limitations

  • Limited to primitive data types
  • Not suitable for complex objects
  • No encryption by default
  • Performance degrades with large datasets

2. SQLite with sqflite: Relational Database Storage

Overview

SQLite provides a robust, relational database solution for more complex data storage needs in Flutter applications.

Comprehensive Implementation

import 'package:sqflite/sqflite.dart';
import 'package:path/path.dart';

class User {
final int id;
final String name;
final String email;

User({required this.id, required this.name, required this.email});

Map<String, dynamic> toMap() {
return {
'id': id,
'name': name,
'email': email,
};
}
}

class DatabaseHelper {
static final DatabaseHelper _instance = DatabaseHelper._internal();
static Database? _database;

factory DatabaseHelper() => _instance;

DatabaseHelper._internal();

Future<Database> get database async {
if (_database != null) return _database!;
_database = await _initDatabase();
return _database!;
}

Future<Database> _initDatabase() async {
String path = join(await getDatabasesPath(), 'user_database.db');
return await openDatabase(
path,
version: 1,
onCreate: _onCreate,
);
}

Future<void> _onCreate(Database db, int version) async {
await db.execute('''
CREATE TABLE users(
id INTEGER PRIMARY KEY AUTOINCREMENT,
name TEXT NOT NULL,
email TEXT NOT NULL UNIQUE
)
''');
}

Future<int> insertUser(User user) async {
final db = await database;
return await db.insert(
'users',
user.toMap(),
conflictAlgorithm: ConflictAlgorithm.replace,
);
}

Future<List<User>> getAllUsers() async {
final db = await database;
final List<Map<String, dynamic>> maps = await db.query('users');

return List.generate(maps.length, (i) {
return User(
id: maps[i]['id'],
name: maps[i]['name'],
email: maps[i]['email'],
);
});
}
}

Advanced Features

  • Complex querying capabilities
  • Support for transactions
  • Handles large datasets efficiently
  • Supports advanced SQL operations

Trade-offs

  • More complex setup and management
  • Higher learning curve
  • Manual schema migrations
  • Potential performance overhead for simple storage needs

3. Hive: High-Performance NoSQL Database

Overview

Hive offers a lightweight, extremely fast NoSQL database solution for Flutter, with native Dart support and minimal dependencies.

Advanced Implementation

import 'package:hive/hive.dart';
import 'package:hive_flutter/hive_flutter.dart';

@HiveType(typeId: 0)
class User extends HiveObject {
@HiveField(0)
late String name;

@HiveField(1)
late String email;
}

class HiveDatabase {
static Future<void> initialize() async {
await Hive.initFlutter();
Hive.registerAdapter(UserAdapter());
}

static Future<void> saveUser(User user) async {
var box = await Hive.openBox<User>('users');
await box.add(user);
}

static Future<List<User>> getAllUsers() async {
var box = await Hive.openBox<User>('users');
return box.values.toList();
}
}

Performance Characteristics

  • Near-native performance
  • Zero native dependencies
  • Type-safe object storage
  • Supports complex object serialization

Considerations

  • Less powerful querying compared to SQLite
  • Manual-type registration required
  • Limited to in-memory and local file storage

4. Secure Storage: Protecting Sensitive Information

Overview

For handling sensitive data like authentication tokens, encryption is crucial.

Secure Implementation

import 'package:flutter_secure_storage/flutter_secure_storage.dart';

class SecureStorageManager {
final _secureStorage = const FlutterSecureStorage();

Future<void> saveSecureData({
required String key,
required String value
}) async {
await _secureStorage.write(key: key, value: value);
}

Future<String?> readSecureData(String key) async {
return await _secureStorage.read(key: key);
}

Future<void> deleteSecureData(String key) async {
await _secureStorage.delete(key: key);
}
}

Security Features

  • Platform-level encryption
  • Secure key-value storage
  • Protection against unauthorized access
  • Handles sensitive data securely

Best Practices for Local Storage in Flutter 

1. Choose Wisely: Select Storage Mechanism Based on Data Complexity and Performance Requirements

  • For simple key-value pairs, use shared_preferences.
  • For secure data like tokens or sensitive information, use flutter_secure_storage or similar encryption-based libraries.
  • For structured, relational data, use databases like sqflite or Drift.
  • For large datasets or object persistence, consider NoSQL solutions like hive or objectbox.
  • Evaluate the size, complexity, and accessibility needs of your data to determine the best approach.

2. Encrypt Sensitive Data

  • Avoid storing sensitive information like passwords, API tokens, or personally identifiable information (PII) in plain text.
  • Use flutter_secure_storage, which uses platform-specific secure storage mechanisms like Keychain for iOS and Keystore for Android.
  • If using other storage libraries, ensure the data is encrypted using packages like encrypt or cryptography.

3. Handle Async Operations

  • Almost all local storage operations in Flutter are asynchronous. Use async and await keywords to write clean and readable code.
  • Implement proper error handling using try-catch blocks to catch potential issues like data corruption or unavailable resources.
  • Avoid blocking the main thread to ensure the app remains responsive.

5. Optimize Performance

  • Open database connections only when required, and ensure they are properly closed using dispose() or finally blocks to avoid memory leaks.
  • Avoid unnecessary read/write operations by caching frequently accessed data in memory where feasible.
  • Batch database operations to minimize the number of calls and improve efficiency.

6. Plan for Migrations

  • Design database schemas with scalability in mind to accommodate future changes without data loss.
  • Use versioning in your database and implement migration scripts to handle schema changes gracefully.
  • For example, in sqflite, you can use the onUpgrade callback to migrate data between schema versions.

7. Error Handling

  • Always wrap storage operations in comprehensive try-catch blocks to manage unexpected scenarios.
  • Implement fallback mechanisms, such as retrying failed operations or providing defaults when data is unavailable.
  • Log errors to identify recurring issues and fix them proactively.

7. Testing

  • Write unit tests for critical storage operations to ensure data consistency and correctness.
  • Perform integration testing to validate the interaction between the app and the storage mechanism.
  • Test edge cases, such as handling large datasets, corrupted files, or failed migrations.
  • Use mocks and stubs for testing scenarios involving sensitive data or external dependencies.

By following these best practices, you can build robust and scalable local storage solutions in your Flutter applications while maintaining security and performance.


Conclusion

Local data storage in Flutter is a fundamental aspect of app development, providing multiple tools and methods to store, retrieve, and manage data effectively. Depending on the application’s specific needs, developers can choose from options like SharedPreferences for simple key-value storage, SQLite for relational data, Hive for lightweight NoSQL solutions, and Secure Storage for sensitive information that requires encryption. Each option is designed to address unique use cases, making it essential to evaluate their strengths, limitations, and compatibility with your app’s requirements.

When implementing local storage, it is crucial to consider various factors, such as the volume of data being handled, its complexity, and its sensitivity. Additionally, the application’s performance needs and access patterns play a vital role in determining the most suitable storage mechanism. By aligning the choice of storage with these requirements, developers can ensure their applications are not only functional but also secure and efficient.

Furthermore, attention to best practices — such as encrypting sensitive data, planning for schema migrations, handling errors gracefully, and optimizing resource management — enhances the robustness of the storage system. Comprehensive testing of storage operations ensures that the solution works seamlessly under diverse conditions and future-proofs the app against potential issues.

In summary, understanding the strengths and use cases of storage solutions in Flutter allows developers to make informed decisions. This thoughtful approach leads to a balance of performance, simplicity, and security, resulting in applications that are reliable, scalable, and capable of meeting user expectations.

❤ ❤ Thanks for reading this article ❤❤

If I got something wrong? Let me know in the comments. I would love to improve.

Clap 👏 If this article helps you.


References:

Mastering Local Storage in Flutter: A Complete Guide to SharedPreferences
Storing data locally is a critical feature in mobile apps, enabling offline functionality and providing a seamless user…towardsdev.com

Mastering Local Data Storage: Working with SQLite in Flutter
Learn how to use SQLite in Flutter for local data storage. This comprehensive guide covers the basics of SQLite…30dayscoding.com

A Complete Guide For Data Storage in Flutter
Data storage is essential to app development, from managing sensitive user data to optimizing performance. Know about…www.dhiwise.com


From Our Parent Company Aeologic

Aeologic Technologies is a leading AI-driven digital transformation company in India, helping businesses unlock growth with AI automation, IoT solutions, and custom web & mobile app development. We also specialize in AIDC solutions and technical manpower augmentation, offering end-to-end support from strategy and design to deployment and optimization.

Trusted across industries like manufacturing, healthcare, logistics, BFSI, and smart cities, Aeologic combines innovation with deep industry expertise to deliver future-ready solutions.

Feel free to connect with us:
And read more articles from FlutterDevs.com.

FlutterDevs team of Flutter developers to build high-quality and functionally-rich apps. Hire a Flutter developer for your cross-platform Flutter mobile app project on an hourly or full-time basis as per your requirement! For any flutter-related queries, you can connect with us on FacebookGitHubTwitter, and LinkedIn.

We welcome feedback and hope that you share what you’re working on using #FlutterDevs. We truly enjoy seeing how you use Flutter to build beautiful, interactive web experiences.


Length Converter In Flutter

0

The objective of this tutorial is to acquaint you with a portion of Flutter’s fundamental building blocks By making this application, you will acquire involved experience that can be applied to your future projects.

This blog will explore the Length Converter In Flutter. We see how to execute a demo program. We will show you the best way to make a straightforward length converter application and figure out how to execute the conversion features, use dropdown choice, and show results in your Flutter applications.

If you’re looking for the best Flutter app development company for your mobile application then feel free to contact us at — support@flutterdevs.com.

Table Of Contents::

Introduction

Code Implement

Code File

Conclusion



Introduction:

The below demo video shows how to create a length converter app in a flutter. It shows how the length converter will work in your Flutter applications. It shows when the user enters the number and then presses the convert button and the output will display on your screen.

Demo Module :


How to implement code in dart file :

You need to implement it in your code respectively:

Create a new dart file called main.dart inside the lib folder.

In the main .dart file, we will add a new class LengthConverterDemo. In this class, first, we will add to use this variable to store the selected unit.

String dropdownValue = 'Mile to km';

We will add to use double for the result and input.

double result = 0.0;
double input = 0.0;

We will create a convert() methodIn this method, we will convert the input value to the selected unit and then display the result.

void convert() {
setState(() {
if (dropdownValue == 'Mile to km') {
result = input * 1.60934;
} else if (dropdownValue == 'Km to mile') {
result = input * 0.621371;
} else if (dropdownValue == 'Inch to cm') {
result = input * 2.54;
} else if (dropdownValue == 'Cm to inch') {
result = input * 0.393701;
}
});
}

In the body, we will add DropdownButton() method. In this method, we will add value to was dropdownValue, onChangeditems were several lists of strings and map DropdownMenuItem then returns DropdownMenuItem.

DropdownButton<String>(
value: dropdownValue,
onChanged: (String? newValue) {
setState(() {
if (newValue != null) {
dropdownValue = newValue;
}
});
},
items: <String>[
'Mile to km',
'Km to mile',
'Inch to cm',
'Cm to inch'
].map<DropdownMenuItem<String>>((String value) {
return DropdownMenuItem<String>(
value: value,
child: Text(
value,
style: const TextStyle(
color: Colors.black, fontWeight: FontWeight.w500),
),
);
}).toList(),
),

Below the dropdown, we will add a TextField() widget. In this widget, we will add use TextField to get the input value.

TextField(
onChanged: (text) {
input = double.tryParse(text) ?? 0;
},
decoration: const InputDecoration(
hintText: 'Enter a number',
),
keyboardType: TextInputType.number,
),

Below the TextField, we will add an ElevatedButton() widget. In this widget, when this button gets pressed, the convert function will be called. For its child, we will add the text ‘Convert’.

ElevatedButton(
onPressed: convert,
child: const Text('Convert'),
),

And last below the ElevatedButton, we will add a Card() widget. In this widget, we will display the result. We will add an elevation was 5 and add a Container widget. in this widget, we will add FittedBox, and inside a Text was a result.toString().

Card(
elevation: 5,
child: Container(
padding: const EdgeInsets.all(8),
color: Colors.tealAccent.withOpacity(.4),
width: double.infinity,
height: 200,
child: Center(
child: FittedBox(
child: Text(
result.toString(),
style: const TextStyle(
fontSize: 50.0,
color: Colors.black,
),
),
),
),
),
),

When we run the application, we ought to get the screen’s output like the underneath screen capture.

Final Output

Code File:

import 'package:flutter/material.dart';
import 'package:flutter_length_converter_demo/splash_screen.dart';

void main() => runApp(const MyApp());

class MyApp extends StatelessWidget {
const MyApp({super.key});

@override
Widget build(BuildContext context) {
return const MaterialApp(
debugShowCheckedModeBanner: false,
home: Splash(),
);
}
}

class LengthConverterDemo extends StatefulWidget {
const LengthConverterDemo({super.key});

@override
State<LengthConverterDemo> createState() => _LengthConverterDemoState();
}

class _LengthConverterDemoState extends State<LengthConverterDemo> {
String dropdownValue = 'Mile to km';
double result = 0.0;
double input = 0.0;

void convert() {
setState(() {
if (dropdownValue == 'Mile to km') {
result = input * 1.60934;
} else if (dropdownValue == 'Km to mile') {
result = input * 0.621371;
} else if (dropdownValue == 'Inch to cm') {
result = input * 2.54;
} else if (dropdownValue == 'Cm to inch') {
result = input * 0.393701;
}
});
}

@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
centerTitle: true,
automaticallyImplyLeading: false,
backgroundColor: Colors.tealAccent.withOpacity(.3),
title: const Text('Flutter Length Converter Demo'),
),
body: SingleChildScrollView(
child: Padding(
padding: const EdgeInsets.all(18.0),
child: Column(
children: [
Image.asset("assets/logo.png",height: 150),
const SizedBox(height: 20,),
DropdownButton<String>(
value: dropdownValue,
onChanged: (String? newValue) {
setState(() {
if (newValue != null) {
dropdownValue = newValue;
}
});
},
items: <String>[
'Mile to km',
'Km to mile',
'Inch to cm',
'Cm to inch'
].map<DropdownMenuItem<String>>((String value) {
return DropdownMenuItem<String>(
value: value,
child: Text(
value,
style: const TextStyle(
color: Colors.black, fontWeight: FontWeight.w500),
),
);
}).toList(),
),
Padding(
padding: const EdgeInsets.only(top: 16.0),
// we will use TextField to get the input value
child: TextField(
onChanged: (text) {
Length Converter input = double.tryParse(text) ?? 0;
},
decoration: const InputDecoration(
hintText: 'Enter a number',
),
keyboardType: TextInputType.number,
),
),
Padding(
padding: const EdgeInsets.only(top: 16.0),
child: ElevatedButton(
onPressed: convert,
child: const Text('Convert'),
),
),
const SizedBox(
height: 30,
),
Card(
elevation: 5,
child: Container(
padding: const EdgeInsets.all(8),
color: Colors.tealAccent.withOpacity(.4),
width: double.infinity,
height: 200,
child: Center(
child: FittedBox(
child: Text(
result.toString(),
style: const TextStyle(
fontSize: 50.0,
color: Colors.black,
),
),
),
),
),
),
],
),
),
),
);
}
}

Conclusion:

In the article, I have explained the Length Converter basic structure in a flutter; you can modify this code according to your choice. This was a small introduction to Length Converter On User Interaction from my side, and it’s working using Flutter.

I hope this blog will provide you with sufficient information on Trying the Length Converter in your Flutter projectsWe will show you what the Introduction is. Make a demo program for a working Length Converter in your Flutter applications. So please try it.

❤ ❤ Thanks for reading this article ❤❤

If I got something wrong? Let me know in the comments. I would love to improve.

Clap 👏 If this article helps you.


From Our Parent Company Aeologic

Aeologic Technologies is a leading AI-driven digital transformation company in India, helping businesses unlock growth with AI automation, IoT solutions, and custom web & mobile app development. We also specialize in AIDC solutions and technical manpower augmentation, offering end-to-end support from strategy and design to deployment and optimization.

Trusted across industries like manufacturing, healthcare, logistics, BFSI, and smart cities, Aeologic combines innovation with deep industry expertise to deliver future-ready solutions.

Feel free to connect with us:
And read more articles from FlutterDevs.com.

FlutterDevs team of Flutter developers to build high-quality and functionally-rich apps. Hire a Flutter developer for your cross-platform Flutter mobile app project on an hourly or full-time basis as per your requirement! For any flutter-related queries, you can connect with us on FacebookGitHubTwitter, and LinkedIn.

We welcome feedback and hope that you share what you’re working on using #FlutterDevs. We truly enjoy seeing how you use Flutter to build beautiful, interactive web experiences.


Exploring Flutter 3.27.1 — What’s New In Flutter

0

Flutter continues to evolve, providing developers with robust tools for building beautiful, cross-platform apps. Version 3.27.1 is no exception, introducing enhancements across widgets, frameworks, engines, and tools and adding new features to simplify development and improve app performance.

In this blog, we’ll explore all the updates in Flutter 3.27.1 with examples, detailed explanations, and tips for developers to make the most of this release.

If you’re looking for the best Flutter app development company for your mobile application then feel free to contact us at — support@flutterdevs.com.


Table of Contents

Performance Improvements

Framework Enhancements

Cupertino Widget Updates

Material Design Updates

Engine Updates

iOS Rendering Improvements

Web Performance and Accessibility Enhancements

Swift Package Manager for iOS

Conclusion

Reference


Performance Improvements

Performance is a cornerstone of Flutter’s success, and Flutter 3.27.1 pushes this further with substantial optimizations.

Reduced Jank in Widget Rebuilds

Flutter 3.27.1 fine-tunes the widget rebuilding process, particularly for complex widget trees. The framework minimizes frame drops and ensures smoother rendering by improving the internal diffing algorithm.

Key Changes
  • Optimized State Management: Enhanced rebuild logic for stateful widgets.
  • Garbage Collection: Improved memory management during widget disposal.
Improved Hot Reload and Restart

Hot reload is now faster, even in large codebases, saving valuable development time.

What’s Improved?
  • Reduced latency during stateful widget hot reloads.
  • Fixed scenarios where hot reload would not apply changes to deeply nested widgets.

Framework Enhancements

Row and Column Spacing

Managing spacing between child widgets in Row and Column is now simpler with the addition of the spacing property. This eliminates the need for additional widgets like SizedBox.

Row(
spacing: 12, // Adds uniform spacing between children
children: [
Icon(Icons.home),
Icon(Icons.favorite),
Icon(Icons.settings)
]
);

Column(
spacing: 22, // Adds uniform spacing between children
children: [
Icon(Icons.home),
Icon(Icons.favorite),
Icon(Icons.settings)
]
);

Key Benefits:

  • Cleaner widget hierarchies.
  • Improved readability and maintainability.
Text Selection Improvements

Flutter’s SelectionArea has seen significant enhancements, especially for desktop platforms (Linux, macOS, and Windows), where the Shift + Click gesture now works to extend or move the text selection extent to the clicked position.

 SelectableText(
'This is a selectable text. Use your mouse or touch to select.',
showCursor: true,
cursorWidth: 2.0,
cursorColor: Colors.blue,
style: TextStyle(fontSize: 18, color: Colors.black),
onSelectionChanged:
(TextSelection selection, SelectionChangedCause? cause)
{
print('Selection changed: $selection');
},
),

Additionally:

  • You can now clear the selection in a SelectionArea or SelectableRegion using the clearSelection method on the SelectableRegionState.
  • SelectableRegionState can be accessed via a SelectionArea using a GlobalKey, allowing developers more flexibility in managing selections.

Improvements in RenderParagraph

The issues with RenderParagraph that previously caused selection failures (e.g., resizing the window or clicking outside the text) have been resolved. These fixes ensure text selections under SelectionArea or SelectableRegion remain consistent even after UI changes.

Mixing Route Transitions

Transitioning between pages with distinct animations is now more flexible. ModalRoutes can now share exit and entrance transition builders to ensure seamless synchronization.

Code Example: Mixing Slide and Fade Transitions

PageRouteBuilder(
pageBuilder: (context, animation, secondaryAnimation) => NextPage(),
transitionsBuilder: (context, animation, secondaryAnimation, child) {
final slideTransition = SlideTransition(
position: Tween<Offset>(
begin: Offset(1.0, 0.0),
end: Offset.zero,
).animate(animation),
);

final fadeTransition = FadeTransition(
opacity: animation,
child: slideTransition,
);

return fadeTransition;
},
);

Cupertino Widget Updates

CupertinoCheckbox and CupertinoRadio

New Cupertino-styled components, CupertinoCheckbox and CupertinoRadio, have been introduced to align iOS applications with native design guidelines.

Code Example: CupertinoCheckbox

CupertinoCheckbox(
value: true,
onChanged: (bool? newValue) {
print('Checkbox clicked');
},
mouseCursor: SystemMouseCursors.click,
semanticLabel: 'Enable notifications',
fillColor: CupertinoColors.activeGreen,
)

Code Example: CupertinoRadio

CupertinoRadio<String>(
value: 'option1',
groupValue: selectedOption,
onChanged: (String? newValue) {
setState(() {
selectedOption = newValue;
});
},
)
CupertinoSlidingSegmentedControl

This widget now offers extended customization options for better adaptability to various use cases.

Code Example: Sliding Segmented Control

CupertinoSlidingSegmentedControl<int>(
groupValue: selectedSegment,
children: {
0: Text('Option A'),
1: Text('Option B'),
2: Text('Option C'),
},
onValueChanged: (int? value) {
print('Selected: $value');
setState(() {
selectedSegment = newValue;
});
},
);

Material Design Updates

Normalizing Material Theming

Flutter has refactored CardTheme, DialogTheme, and TabBarTheme to align them with its component theming conventions. Newly added CardThemeData, DialogThemeData, and TabBarThemeData provide improved control over theme customization.

Code Example: CardTheme Customization

ThemeData theme = ThemeData(
cardTheme: CardTheme(
elevation: 4,
color: Colors.blueGrey.shade50,
shape: RoundedRectangleBorder(
borderRadius: BorderRadius.circular(12),
),
),
dialogTheme: DialogTheme(
backgroundColor: Colors.white,
titleTextStyle: TextStyle(fontWeight: FontWeight.bold, fontSize: 22),
),
tabBarTheme: TabBarTheme(
labelColor: Colors.black,
unselectedLabelColor: Colors.grey.shade100,
indicator: BoxDecoration(
color: Colors.blue,
borderRadius: BorderRadius.circular(12),
),
),
);

MaterialApp(
theme: theme,
home: Scaffold(
body: Center(
child: Card(
child: Padding(
padding: const EdgeInsets.all(16),
child: Text('Refactored CardTheme'),
),
),
),
),
);
CarouselView.weighted: Dynamic Layouts in Carousels

Flutter 3.27.1 introduces the CarouselView.weighted feature, allowing developers to create dynamic and visually appealing carousel layouts. With this update, you can customize the relative space that each item occupies within a carousel by configuring the flexWeights parameter in the constructor.

This feature is particularly useful for designing multi-browse, hero, and centered-hero layouts, making carousels more engaging and functional for end users.

Flexible Layouts with flexWeights
  • Multi-Browse Layout: Use weights like [3, 2, 1] to create a cascading view.
  • Hero Layout: Highlight a prominent item using weights like [7, 1].
  • Centered-Hero Layout: Focus on the central item with balanced surrounding elements using [1, 7, 1].

Code Example: Multi-Browse Layout

import 'package:flutter/material.dart';

void main() => runApp(MyApp());

class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return MaterialApp(
home: Scaffold(
appBar: AppBar(title: Text('CarouselView.weighted Example')),
body: Center(
child: CarouselView.weighted(
flexWeights: [3, 2, 1],
itemBuilder: (context, index) {
return Container(
color: Colors.primaries[index % Colors.primaries.length],
child: Center(
child: Text(
'Item $index',
style: TextStyle(fontSize: 18, color: Colors.white),
),
),
);
},
itemCount: 6,
),
),
),
);
}
}

Engine Updates

Impeller as the Default Rendering Engine on Android

The Impeller rendering engine is now the default on modern Android devices, replacing Skia for devices supporting Vulkan. Impeller delivers improved performance and fidelity, addressing user feedback since its introduction in the Flutter 3.16 stable release.

For devices without Vulkan or older Android versions, Skia will remain the fallback renderer. Developers can opt out of Impeller by adding the following metadata to their AndroidManifest.xml:

<meta-data
android:name="io.flutter.embedding.android.EnableImpeller"
android:value="false" />

Flutter is also working towards making Impeller’s OpenGL backend production-ready, eliminating the need for a Skia fallback. Developers are encouraged to provide feedback, especially with detailed device and Android version information, to help refine Impeller.


iOS Rendering Improvements

A new Metal rendering surface enhances frame rendering consistency on iOS. This update reduces frame delays caused by compositor backpressure, allowing smoother animations and more stable frame rates, particularly on high refresh rate devices (120Hz). Benchmarks show significantly reduced rasterization times, resulting in a more polished user experience.


Web Performance and Accessibility Enhancements

Flutter web sees significant performance and accessibility upgrades in this release:

  1. Optimized Image Decoding: Static images in Safari and Firefox now use native <img> elements, reducing jank and memory usage.
  2. Improved Platform Views: Canvas overlays were reduced for more efficient rendering.
  3. WASM Compatibility: All Flutter team-developed plugins are now fully WebAssembly-compatible.
  4. Accessibility Fixes: Enhancements for headings, dialogs, links, and scrollables improve user experience across devices.
  5. Bug Fixes: Resolved rendering issues with CanvasKit and Skwasm, including better memory management for Paint objects and improved clipping.

Swift Package Manager for iOS

Flutter has made strides in simplifying plugin management on iOS by integrating Swift Package Manager (SPM). This migration offers:

  1. Access to the Swift Ecosystem: Leverage Swift packages in your Flutter plugins.
  2. Simplified Installation: SPM eliminates the need for Ruby and CocoaPods, making it easier to set up Flutter for Apple platforms.

SPM support is now available in Flutter’s beta and stable channels but remains off by default. Plugin authors are encouraged to migrate to SPM to future-proof their packages. Popular plugins like Firebase and others have already made the switch. Furthermore, pub.dev now includes SPM compatibility checks in package scoring.


Conclusion

Flutter 3.27.1 is a feature-packed release that enhances Cupertino and Material widgets, improves rendering engines, and adds valuable developer tools. Whether you’re developing for iOS, Android, or the web, this version empowers you to create polished, high-performance apps with ease.

What features are you most excited about? Share your thoughts in the comments!

❤ ❤ Thanks for reading this article ❤❤

If I got something wrong? Let me know in the comments. I would love to improve.

Clap 👏 If this article helps you.


Reference

Flutter 3.27.0 release notes
Release notes for Flutter 3.27.0.docs.flutter.dev


From Our Parent Company Aeologic

Aeologic Technologies is a leading AI-driven digital transformation company in India, helping businesses unlock growth with AI automation, IoT solutions, and custom web & mobile app development. We also specialize in AIDC solutions and technical manpower augmentation, offering end-to-end support from strategy and design to deployment and optimization.

Trusted across industries like manufacturing, healthcare, logistics, BFSI, and smart cities, Aeologic combines innovation with deep industry expertise to deliver future-ready solutions.

Feel free to connect with us:
And read more articles from FlutterDevs.com.

FlutterDevs team of Flutter developers to build high-quality and functionally-rich apps. Hire a Flutter developer for your cross-platform Flutter mobile app project on an hourly or full-time basis as per your requirement! For any flutter-related queries, you can connect with us on FacebookGitHubTwitter, and LinkedIn.

We welcome feedback and hope that you share what you’re working on using #FlutterDevs. We truly enjoy seeing how you use Flutter to build beautiful, interactive web experiences.