Skip to main content

9 posts tagged with "technology"

View All Tags

· 5 min read
Mahesh Jamdade

This post is mainly to share my experience about how I used GitHub actions to deploy my open-sourced flutter web app without exposing any secrets or API keys that are crucial to my application. This approach can be used for any frontend framework and not just flutter.

Building the frontend of your application seems much interesting but once you start integrating with your backend or services like firebase or supabase etc, You need to manage API keys, JSON files, or secrets for your app, and we often end up either hardcoding those confidential keys by some kind of encryption or even the pros hardcode it as plaintext and commit it to a public repo😆, which might put your application at risk.

I wanted to develop a vocabulary app that is open-sourced and at the same time, I wanted it to be secure and wanted to make sure the app gets deployed without exposing the keys. This vocabulary app uses supabase in the backend, which is a open-sourced firebase alternative that provides a serverless solution that can get up and running in less than 2 minutes. In order to access the supabase database, it provides us with few keys which are unique to your application basically anyone with those keys could access the database, So you have to make sure those keys are safely stored.

Problem There were two challenges to make the project publicly available on Github

I have stored all those confidential keys into my flutter app in a constant file and the application can fetch those keys from that file and the app works fine locally, But the problem comes when we want to push the code to GitHub, since we cannot expose the keys publically.

Another problem is that the app uses flutter-action by subosito which is basically a CI solution using GitHub actions that automatically runs a script and deploys my flutter webapp on each commit by running some build commands, You can find the complete script here. But it is obvious that the build would fail if it finds if any of the pieces of the code are missing from the repository (Our secret keys in this case)this means the app won’t get deployed.

Image showing the build script running on each commit on a master branch

Basically, these two things wouldn’t allow my app to be deployed securely.

Solution

So for this Github Encrypted Secrets comes to the rescue if you go to any repository under settings you will see an option called secrets which basically allows you to store any sensitive information in your organization, repository, or repository environments which can be accessed in GitHub Actions workflows.

But there is another problem

The problem is you cannot access those encrypted secrets in your application, had it been the case the problem would have been solved and I would have called it a day 👋🏻. I searched a little about it but couldn’t find any solution which will allow you to access the encrypted secrets but since we have been using this amazing Q&A platform for devs called “StackOverflow” which helped me get an answer. Here is that stackoverflow question that I asked and I got a simple and amazing answer to that. Thanks to this user Xamantra for the solution.

Tell me the solution

The solution is to

  1. encode your confidential file to base64 and store the encoded output to GitHub secrets.
  2. In your GitHub workflow decode the encrypted secret and convert it back to a file and then run your build scripts.

It's that simple

Now you can add your confidential files to .gitignore and never push it to the repository since now you have GitHub encrypted secrets.

Show me how it's done

Here is how we do it step by step

  1. convert your secret file to base64 the file can be of any type. I had a dart file which has the api keys stored so convert it to base64 using this command
base64 lib/path/to/secrets.dart

This will give you a base64 string copy that string and add it to GitHub secrets as shown in the below picture.

  1. Now in your workflow script before you run the build command decode the base64 and convert it back to file with the path where it needs to be created.
run: echo $YOUR_SECRET_KEY | base64 -d > lib/somedirectory/secrets.dart env: YOUR_SECRET_KEY: ${{ secrets.YOUR_SECRET_KEY }}

And that's it, gentlemen ! that is it! you will see your build running successfully and the app getting deployed to the web, safe and secure with open-sourced code.

But there is one more problem what if you delete your local repository how do you get back those keys which you never pushed to Github?

That is still a mystery to me apart from the manual decoding let me know if you have a solution to this problem. More on this later sometimes if I find a solution.

Here is a link to the repository in case you would want to check it out.

Repository:https://github.com/maheshj01/vocabhub

Successful Builds : https://github.com/maheshj01/vocabhub/actions

Thanks for reading till the end.

Have a great day!

· 9 min read
Mahesh Jamdade

flutter logo taken from flutter.dev

Lots of apps require support for multiple languages inorder to have engagements with different kinds of users and we don't want to miss our customers just because of a language barrier.

Google language stats

I just googled and found that (As per a 2017 report) out of 7.8 billion people only 1.35 billion people speak English so that's approx 1/7 th of the population that means if you developed a software that targets humans only 1 out of 8 people will be able to understand it. Whether they would like it or would be interested in your app that's a different question 😂? If you develop something with all the effort and if people don't understand it, it's of no use. So you have to make sure your app supports the language of your targeted regions, so for this, we have to make use of L10N (aka LOCALIZATION).

So coming to the point since this post is specific to Flutter our goal is to implement localization in our flutter app and The flutter team has well documented it here about it and also there are tonnes of other blog posts and videos which explains it very nicely. But there's a problem, All those approaches suggest you to hardcode the static strings in the app.

But what if you have to make some changes to those Strings after you have deployed the app to stores?

Or

what if you want to add support for a new language or remove an existing language support?

In such cases we will need to make changes in the code and even with a single character change in the code, you will have to rebuild and redeploy your app as flutter doesn't support hot update as of today, so updating an app seems daunting.So In this post, I am gonna show you How I solved this problem using the approach shown below in one of the production apps and wanted to share it with you. The approach I will show you is less of a solution and more of "naive" workaround, If you know how to work with HTTP Requests and maintain the state of the app with a provider, This would be a piece of cake for you. This will get the work done without making a single line of change in code once it is implemented(unless you want to add new localized Strings to the app). Unfortunately, I cannot show you that mobile app, but don't worry I have a sample application built for this blog post that uses this approach. To Give you a test of the sample application this is how it looks.

Lets Approach the solution

The things that we localize in an app are basically strings, we Identify each string uniquely with a key, So basically the data that has to be dynamically changed is a JSON object. This JSON data would lie somewhere in your backend which could fetch using network request. You could also store it locally on your phone but remember we want a dynamic solution to update the languages during runtime. 

If we were to localize the app in Spanish the json object would look something like this.

{
"Hi": "Hola",
"grateful": "Gracias"
}

if we had multiple languages we could just change the values and keep the keys the same. And our consolidated JSON object would look like this.

{
"es":{ /// json object for spanish
"Hi":"Hola",
"grateful": "Gracias"
},
"en":{ // json object for english
"Hi":"Hi",
"grateful": "grateful"
},
"
/// few other languages if any
...
}

Alternatively, we could just have one JSON object in a single response, and to get a correct translation we could just pass a query param in a request to let the backend know that we are requesting a JSON object of a particular language and it would return you the correct translation object. so once we have this JSON object ready we could just make an HTTP request decode the response and display it on the UI, problem solved right? No. Also, don't forget the variables, we also have variables within our static strings which could be numbers, dates, and other types.

for instance, consider this flutter code

String toolKit = 'flutter';
String platform =. 'MacOs'
@override
Widget build(BuildContext context){
return Center(
child:Text("Hey, This app is built using $toolKit for $platform")
);
}

so for such strings, we need to make sure these variables go within those translations strings coming from the JSON object in the right place. so for this, I wrote a simple function that does this given an input it produces the respective output.

input: Hey, This app is built using ${toolKit} for ${platform}.

Here's the function that does this for us.

so for the above input, we would invoke this method like this

localize(input,[toolKit,platform]);

Then it would return the output

output:Hey, This app is built using flutter for MacOs.

Also, remember the order of the arguments in the Argument list List<String> should be the same as they appear in the translation sentence.

And the last thing to remember is we should fetch these translations before the app starts in order to prevent any issues And show a loader or the app splash screen whatever you prefer. You can also make use of the shared preferences to store the user's language preference which can be used to fetch the correct language on the next app launch.

Let's build the sample app

Now that you understand the approach (I assume) let's build the sample app. Since you are looking for a solution for localization I assume you know how to build layouts in flutter so I won't be covering that part. so let's create the flutter project and run this command in your terminal

flutter create .

Now add these dependencies in your pubspec.yaml, I have used the json_annotation and dev_dependencies just to generate the toMap and FromJson methods but these dependencies are not mandatory.

dependencies:
flutter:
sdk: flutter
http: ^0.12.0+2
json_annotation: ^3.1.1
provider: ^4.3.3
shared_preferences: ^2.0.4
dev_dependencies:
flutter_test:
sdk: flutter
build_runner: ^1.10.13
json_serializable: ^3.5.1

Now in the main.dart we need to import provider and wrap the MaterialApp in a consumer so as to rebuild the whole app when we change the language.

The LocaleModel class contains everything about localization which we are interested in and the Settings Class contains code related to changing the theme of the app, So let's focus on the LocaleModel class.

class LocaleModel with ChangeNotifier {
LocaleModel() {
fetchTranslations();
}
Map<String, dynamic> _translations = {};
Map<String, dynamic> _selectedTranslation = {};
Locale locale;
Locale get getlocale => locale;
Map<String, dynamic> get translations => _selectedTranslation;
set translations(Map<String, dynamic> map) {
_selectedTranslation = map;
notifyListeners();
Future<void> fetchTranslations({String language}) async {
try {
language = await getLanguagePreferences();
final response = await http.get(Uri.parse(translationsApi));
if (response != null) {
if (response.statusCode == 200) {
final Map decoded = json.decode(response.body);
_selectedTranslation = decoded[language ?? 'en'];
_translations = decoded;
notifyListeners();
}
}
} catch (_) {
print(_.toString());
}
}
}
}

the constructor at the top invokes this function as soon as the app starts. Remember we have a multiprovider wrapped around in main.dart that's where this call comes from.

LocaleModel() {
fetchTranslations();
}

This function basically makes a network request and stores the translations in the state of the app in these two Map Objects _translation and _selectedTranslation. The _translation holds the consolidated Map object (with All languages) that we discussed above and _selectedTranslation holds the strings of the current translation being shown in the app. we need _translation in order to fetch the translation on changing the language this prevents us from making an extra API call, we directly fetch it from the state and refresh the app without making the user to wait for the changes to take effect. Now let's see how we are making use of these translations

Let's take a look at the description for the User which has three parameters in city, state, country

red underlined variables used in the description of the user.

The description that we receive in the API response looks like this

And this is how we access this map object from _selectedTranslation. considering we have already instantiated localeModel like this in initstate to access the objects of LocaleModel class.

/// initialized in initstate
_localeModel = Provider.of<LocaleModel>(context, listen: false);

access the description in the widget using _localeModel.

localize(_localeModel.translations['description'],[user.location.city, user.location.state, user.location.country]),

And this is how the description widget looks.

And thats how we can localize the entire app,The syntax might look bit ugly but we can always simplfy it. And we can change the language of the app like this

_localeModel.changelocale(Locale('es')); // changing to spanish

And you can see few more additional things done in the source code like storing and fetching the current locale for the next launch using sharedPreference. And thats it we are at the end.

Summing up

This approach allows you to

  • Dynamically edit the translation files.

  • Add/ Remove support for a new language. both without making a single line of change in your flutter app.

  • No hassle with generating arb files and maintaining static translations Things it lacks: Numbers,Dates and Currencies translation but we can always have custom functions for these or this could also be backend driven within the same translation object. That said we are at the end of this blog post hope you like this approach, And if you have any questions or critiques feel free to drop them below in the comments I would love to discuss. And don't forget to smash the 👏🏼 button until it warns.The more you clap the more it inspires me to bring some great blog posts. And you can always

  • play with the source code here

  • checkout the demo app here.

Thank you for taking the time to read this long post and keep fluttering 💙.

· 5 min read
Mahesh Jamdade

Search as you Type in Flutter

Hello everyone in this post I will be implementing a search in Flutter, search is basically a basic requirement where you have a lot of content available and you want your users to get access to the content easily and efficiently. We won't be using any packages for this app except HTTP to make network requests. before we begin let me show you what we will be implementing by the end of this post.

Image 1Image 2

Pardon me for this ugly-looking Grid I will invest some more time to make it look good later, this post is mainly focused only on the search functionality as of now.

This blog post assumes you have a high level understanding of streams, But I have still tried to explain the basic working of it through the diagram below

I think it would be better to make you understand through a diagram how is data being loaded into the UI and how the search actually works before actually jumping into code. for this search, I will be making use of streams 😬.

Don't worry if you are afraid of streams because they are built for the Good.

Streams

so lets look at How the first part works How the UI is being loaded through streams and then we will jump to the main topic, if you are aware about streams and can understand the diagram feel free to skip this section and move on to the second one.

If you see in the UI I have a tab bar on screen, so once I click on Random Users I am calling a function called fetchRandomUsers() which looks like this,

which basically just makes a http request decodes the json and converts to list of RandomUserModel and the Last line above adds totalUsers to stream, I have wrapped the Grid UI in streamBuilder which means it will rebuild the UI whenever something has been added to stream in this case totalUsers is being added and the list will be received to UI in the form of snapshot.just remember the rule sink is where you add data, stream is where it is fetched out.

if you see the highlighted code above thats where you receive your list(List<RandomUserModel> totalUsers) in the snapshot.we pass that snapshot to randomUsers Widget to build the Grid UI with that data. so thats how the data is being loaded using streams now lets come to the actually work.

LET'S IMPLEMENT THE SEARCH.

In the UI we have a textfield it possesses a method called onChanged(), lets make use of it, this method will be called every time you type in a letter in it and it provides you with the text present in the search field,I will be calling another function _searchUser to apply our search logic. Like this

onChanged: (searchQuery) => _searchUser(searchQuery),

This is what the _searchUser method looks

Lets break it into steps to get this smooth

  1. I need a List<RandomUserModel> to store our searched List so lets create one,Note that I will be creating the list inside the method because we want our list to show only the current search result as this function is getting called every time we have an empty list.
void _searchUser(String searchQuery) {
List<RandomUserModel> searchResult = [];
  1. Next I am adding null to the stream that is because while the search is going on meanwhile I want to show some loading indicator, if you see above in streambuilder we have said when snapshot is null show loading,
userBloc.userController.sink.add(null);
  1. Also remember that we also want to handle a conditions when the textfield is empty and when it is not, we want to show the complete list to the user when it is empty, remember that we have a list called totalUsers where all our data from network resides we can simply add it to stream and show the complete list and we don't want to process further.
if (searchQuery.isEmpty) {
userBloc.userController.sink.add(totalUsers);
return;
}
  1. Now when the search field is not empty and has some text in that case we will apply the search logic believe me its very simple, dart 🎯 is super friendly to apply even the complex logic with built-in functions and loops,the main task is to
search in totalUsers[] ==> store in searchResult[]

I want to apply search on users name (firstName and LastName) and if the search query contains that simply store the model in searchResult

totalUsers.forEach((user) {
if (user.first.toLowerCase().contains(searchQuery.toLowerCase()) ||user.last.toLowerCase().contains(searchQuery.toLowerCase())) {
searchResult.add(user);
}
});

Notice that I am converting both searchQuery and user firstName or LastName to lowercase in case user searches for a user using Uppercase,it wouldn't match.

  1. that's it once our searchResult array is ready just add it to stream to show the result.
userBloc.userController.sink.add(searchResult);

And Boom 🔥 it works on the fly as you type, That's all from this blog hope this helps you in building a search for your next awesome app, if you get stuck or don't understand or feel I can improve leave a comment below, I would love to hear from you and if this post helped you in any way would you please give a clap 👏And don't forget to check out the source code here.

Cheers 😃! Have a great day and Happy Fluttering.

· 12 min read
Mahesh Jamdade

BDD testing using Cucumber

I will try to keep things as simple as possible, Before we dive into the topic, I think it is important to understand a few terms and clear some misconceptions. This post is going to be quite long so bear with me, By the end of this postm I will make sure you get something valuable out of it. By the end of this post you will understand, How we can use BDD to write the specifications of the product's behavior. That means these specifications act as test cases to ensure the product behaves as expected. By just reading these specifications you will be able to understand what this app is supposed to do. The way it differs from normal Integration testing is, these specifications are in plain English texts which anyone could understand.

BDD is not a Testing Technique

The common mistake most people make is, they think BDD/TDD are testing techniques but the thing is,

It is the process of approaching your design and forcing you to think about the desired outcome and API before you code. So that you are clear about what you are building and these tests make sure the product behaves the way it is supposed to.

In other words, BDD is about testing the behavior of your product, you still don't understand what I am talking about 😇?

Don't worry as we write test cases you will get an idea of what I am talking about. Let's First Understand the underlying things.

Cucumber and Gherkin's language

I am certainly not talking about this Cucumber 🥒 (Bad Joke😬)

Cucumber is a tool that supports Behaviour-Driven Development(BDD). In Cucumber, the BDD specifications are written in plain, simple English which is defined by the Gherkins language. In other words, Gherkin is a language that Cucumber understands. Gherkin presents the behavior of the application used, from which Cucumber can generate the acceptance test cases.

To give you a little taste this is how gherkin's language looks

Feature:check if button tap takes to homepage
Scenario:When the button is tapped
Given I have "button" on screen
When I tap the 'button'
Then I should see 'homepage' on screen

Writing Gherkin's feature file

We write the test specifications for our app in gherkins language in a feature file(file with .feature extension). The file must be written in a syntax that the cucumber understands. Here are some of the minimal keywords you need to know to start writing the specifications. As you read each keyword, I recommend you to look at the above example of gherkin's language for better understanding.

Feature: The first primary keyword in a Gherkin document must always be aFeature, followed by a : and a short text that describes the feature. You can add free-form text underneath Feature to add more description.

These description lines are ignored by Cucumber at runtime but are available for reporting.

*Scenario:*The keyword Scenario is a synonym of the keyword Example. You can have as many steps as you like, but it is recommended to keep the number at 3–5 per example. your examples are an executable specification of the system.

Examples follow this same pattern:

  • Describe an initial context (Given steps)
  • Describe an event (When steps)
  • Describe an expected outcome (Then steps)

Step Definition: Step definitions are the coded representation of a textual step in a feature file. Each step starts with either Given, Then, When, And or But. Given: Given steps are used to describe the initial context of the system - the scene of the scenario. It is typically something that happened in the past.

When: When steps are used to describe an event, or an action. This can be a person interacting with the system, or it can be an event triggered by another system.

Then: Then steps are used to describe an expected outcome, or result. And,But: If you have several Given's, When's, or Thens, you could use And or But wherever required e.g

Example: Multiple Givens
Given one thing
And another thing
And yet another thing
When I open my eyes
Then I should see something
But I shouldn't see something else

that's all you need to write the feature file and get started, again this is not the complete guide to feature file I am just introducing you to the minimal syntax which gets your work done and optimal for this post too, you can learn more about gherkin's syntax here

Now that you know the essential stuff lets get to work I will be writing test specifications for this sample app source code at the bottom of this post.

did you miss that word "Test Specifications" it simply means test cases for the app that we write to fail the app, and if it passes the case that means our app behaves as it is supposed too.

To give you a little idea about this app,As you can see below this sample app takes email and password, if email is in a specified format(abc@xyz.com) and password with a special character (*,/,_)then we can go to next page on pressing the login button. And on the next page the thumbs up button of an item increases the claps and thumb_down button decreases the claps and on pressing the favourate icon the favourate elements gets added to the favourate tab bar thats a simple working of this sample app.

Now lets start working on writing specifications by gathering the things we need

Installation

  1. Add the Gherkin's plugin to the pubsec.yaml
dependencies:
flutter_gherkin: ^1.0.5
  1. add the flutter_driver dependency in dev _dependencies
dev_dependencies:
flutter_driver:
sdk: flutter
  1. Create a directory as test_driver in the root folder of your project.

  2. Create two more directories with name features and steps in test_driver we will only be writing specifications and feature files and everything will happen in the test_driver directory. the feature directory contains all the .feature files and steps directory contains all the .dart files which implement the specifications written in the feature files.

  3. Create two files called app.dart and test_config.dart in the root of test_driver steps folder. oops a lot of files and folders take a deeeep breath its done and you did a great job.And make sure your files and folders are located in this way so that everything further works fine. your_project_directory 📁

  ...
...
test_driver 📁
feature 📁
Login_test.feature 📄
steps 📁
test_steps.dart 📄
app.dart 📄
test_config.dart 📄

Enable flutter driver extension

Add the following code to enable the flutter driver and specify which class to test.I have specified the MyApp() class from main.dart the first page of this app.

 import 'package:flutter_driver/driver_extension.dart';
 import 'package:counter_app/main.dart' as app;
 void main() {
// This line enables the extension.
  enableFlutterDriverExtension();
  runApp(MyApp());
 }

Now is the time to write the specifications in feature and implement them in steps class lets start first with the feature files.

Creating a Test Scenario

First try to understand the scenario,I have two textfields and a button on screen what it does is simply checks if the email and passwords are in desired format,if so then you can go to next page by clicking on the login button.Remember I told you we will be writing test cases to make our app fail.This is what I meant.

So this is How I want my tests to go through

check if email textfield is present on Screen
check if password textfield is present on Screen
add a input to email field in specified format
add a input to password field in a specified format
when I click on Login button
I should see home screen

Now to interact with each widget on screen we need to give them an identity "Key" almost every widget in flutter has this key property which helps the widget to be uniquely identified, so just go to all the widgets and give them a unique key. e.g for email text field I have added as

TextField(
key: Key("emailfield"),
....
....
)

Writing the Feature File

Now to implement above steps I have added the below code in my feature file so my feature file kind of looks like this ,if you are using vs code the editor senses the feature file and asks you to download the feature file plugin from market place,I recommend installing one. for a better formatting by clicking (ctrl+shift+i on linux) and (alt+shift+f on windows).

Note that the identifier in quotes(" ") are the widget keys with which the flutter driver interacts.

Now that we have added the steps,its time to implement them, open your test_steps.dart and add the below code. To implement the first step from the feature file(on line no 4).

Given I have "emailfield" and "passfield" and "LoginButton"

this step checks if these three widgets are present on screen, you need to look for two things in any step before implementing that step

  1. Type of statement (Given/Then/When)
  2. how many widget keys or identifiers in statements and their types

(e.g in above step we have 3 widget keys of type string each) so while implementing the step my class will extend from a class Given3WithWorld<String, String, String, FlutterWorld> so the step file looks someting likes this lets take a look at each step

import 'package:flutter_driver/flutter_driver.dart';
import 'package:flutter_gherkin/flutter_gherkin.dart';
import 'package:gherkin/gherkin.dart';

class CheckGivenWidgets extends Given3WithWorld<String,String,String,FlutterWorld> {
@override
Future<void> executeStep(String input1, String input2, String input3) async {
// TODO: implement executeStep
final textinput1 = find.byValueKey(input1);
final textinput2 = find.byValueKey(input2);
final button = find.byValueKey(input3);
bool input1Exists = await FlutterDriverUtils.isPresent(world.driver, textinput1);
bool input2Exists = await FlutterDriverUtils.isPresent(world.driver,textinput2);
bool buttonExists = await FlutterDriverUtils.isPresent(world.driver, button);
expect(input1Exists, true);
expect(input2Exists, true);
expect(buttonExists, true);
}

@override
// TODO: implement pattern
RegExp get pattern => RegExp(r"I have {string} and {string} and {string}");
}

As you can see the class inherits from When3WithWorld and specifies the types of the three input parameters. The fourth type FlutterWorld is a special Flutter context object that allows access to the Flutter driver instance within the step. Then we have to override the executeStep method and find the widgets by key using a finder.

final loginfinder = find.byValueKey(loginbtn);

similarly for other widgets and now we use the flutter driver to actually see if the widgets are present on screen by passing in the finder and the driver as input to the FlutterDriverUtils.isPresent() since these are all asynchronous tasks and are not immediately executed so we will make use of async and await.

await FlutterDriverUtils.isPresent(world.driver, textinput1);

and at last the Regular Expression is same as in feature file, But just indicating the type of the input parameters instead of the key or value. Also make sure the Regular Expression is exact as defined in feature file

RegExp get pattern => RegExp(r"I have {string} and {string} and {string}");

it is important to note that we dont need to implement steps(using Flutter Driver) like add text in textfield or open a drawer etc, These are already predefined so below two steps will be automatically executed.

When I fill the "emailfield" field with "myemail@gmail.com"
And I fill the "passfield" field with "passwordwith_@"

so what we need to implement now is a tap function on a widget with key "LoginButton" i.e the login button on screen.

Then I tap the "LoginButton" button

so I will add a new class in the same tests_step.dart file. I would suggest you to look closely at this file and try to relate with the previous class file explanation it is kind of similar.

class ClickLoginButton extends Then1WithWorld<String, FlutterWorld> {
@override
Future<void> executeStep(String loginbtn) async {
// TODO: implement executeStep
final loginfinder = find.byValueKey(loginbtn);
await FlutterDriverUtils.tap(world.driver, loginfinder);
}

@override
RegExp get pattern => RegExp(r"I tap the {string} button");
}

so if you still didn't get it the statement is of type "Then" with 1 paramter of type String so its extends from Then1WithWorld<String, FlutterWorld> then we found the widget using its key in the input parameter and told the driver to tap on the widget.

await FlutterDriverUtils.tap(world.driver, loginfinder);

Now that we have a feature file ready and also implemented it in a step file its time to put to test.

But wait how will the flutter driver know where to start for the execution 🤔? for this we need to add a config file that tells the driver to execute classes in order as specified so add the below code to test_config.dart.

import 'dart:async';
import 'package:flutter_gherkin/flutter_gherkin.dart';
import 'package:gherkin/gherkin.dart';
import 'package:glob/glob.dart';
import 'steps/test_steps.dart';

Future<void> main() {
final config = FlutterTestConfiguration()
..features = [Glob(r"test_driver/features/**.feature")]
..reporters = [ProgressReporter()]
..stepDefinitions = [CheckGivenWidgets(),ClickLoginButton()]
..restartAppBetweenScenarios = true
..targetAppPath = "test_driver/app.dart"
..exitAfterTestRun = true;
return GherkinRunner().execute(config);
}

Let us try running the test by running the command

dart test_driver/test_config.dart

you can see the console for the test results, it should look something like this

One more last step for this post is to check when we have tapped on the login button are we really on the homepage. Well, I would live this to you as an exercise as this post is getting too long. Heres the result of some additional tests that I have added

References:

Thank you very much for investing your time in reading this post I hope I was able to provide you something valuable. If this post really helped you out give a 👏🏻 and do you know you can clap more than once, the more you clap the more it inspires me to learn new things and share some great content. Cheers, and Have a great day 😊.

Hasta la vista, baby😎!

· 3 min read
Mahesh Jamdade

Taking Flutter Beyond Mobile

In my previous post, I did show you How you can build your First Flutter Webpage. Now that once you developed your beautiful webpage it's time to deploy it. Here's my Flutterweb page by the way linked to my portfolio on GitHub Pages.

There are several ways and places to deploy the web page but what could be the best place to showcase your work other than GitHub pages? Well before you deploy it, if you have been following my previous post there's one more thing left to do.

Go ahead to the root of your project and use the following command to do a production build to your app

flutter build web

what this basically means is the dart2js compiler converts the dart code into javascript(That's what most of the modern browsers understand) that can run in a browser. You can read more about the dart2js compiler here.

In the root folder of your project, you will see a build folder containing a web directory that contains all your release files.

Now It's the time to set up the Github pages

If you already have a GitHub page skip the First and the second step and go to the third step.

  1. Head over to Github and create a new repository named username.github.io, where the username is your username (or organization name) on GitHub.

Note: If the first part of the repository doesn't exactly match your username, it won't work, so make sure to get it right.

  1. Once you have created the repository push your files and folders under the build/web directory using git. Once you have pushed your files to yor repository your webpage will be available at this URL. 😃

http(s)://<username>.github.io/

and you don't need to follow any further steps that is all 😃.

  1. But If you already have a Github page running then you need to develop a Project page site, that means your web app will be available at a URL which looks like this http(s)://<username>.github.io/yourwebapp

So, for this, you just need to create a new folder in the root of your repository.

The red underlined folders are flutter web apps deployed on github pagesNote that this folder name will point to your webapp so name it wisely

Now commit your files from your build/web folder(locally) into this newly created folder and cheers your web app will be available at the below URL.

A Project Pages site for a personal account is available at http(s)://<username>.github.io/<your newfolder name>. A Project Pages site for an organization account is available at http(s)://<orgname>.github.io/<your folder name>.

Congratulations on Publishing your first FlutterWeb App

Now that you have your web app live and running, I hope you must be happy now. 😃 Why not give me a Clap and make me happy too 😃. And also leave your web app links in the comments, I would love to see what you guys build.

By the way here are a few links to the web apps that I have deployed using this approach

If this post helped you deploy your web app then don't forget to smash that Clap button, And yes you can click it more than once.

Thanks for taking the time to read and have a great day love💙.

· 4 min read
Mahesh Jamdade

Taking Flutter Beyond Mobile

Flutter is a great way to build mobile apps for iOS and Android from a single codebase. But did you know that Flutter is expanding beyond mobile to run on desktop, web, TV, smartwatch and almost any device you can think of?

Yes you read that right even on a smart Watch!! with some little hacking and play around And I hope we will soon get Flutter across all of these devices with a stable build. Well this post is only limited to Web so let us stick around with the topic and get started. Here are few things you need to Build your Flutter Web Page

Requirements

  • Flutter 1.5.4
  • Dart 2.3
  • Dart Plugin V.3.0.0
  • Flutter Plugin V3.0.0

Additionally, you may need to upgrade your IDE, I am using Vs Code and I am on the latest version 1.33.1

Installing tools that come handy with dart and flutter SDK (optional for this post )

And I would also recommend you to install some tools that come handy with flutter sdk, so that they can be accessed directly from the command line. We wont be using them right now but will require it later.

we will be setting the path for the pub tool in the environment variable in Windows (ofcourse)

Pub: Pub is the package manager for the Dart programming language, containing reusable libraries & packages for Flutter, AngularDart, and general Dart programs. Go to the location where you have installed your dart sdk for me it is C:\Users\mahesh\AppData\Local\Temp\dart-sdk\2.2.0\dartsdk-windows-x64-release.zip\dart-sdk\bin copy the path and add to the path environment variale and you should be ready to use the pub tool in the command prompt.(restart cmd if it already running). and hit pub on the command line you should get some results.

Now that you have pub installed 😃 and ready to run. you need to install a webdev tool 😟

webdev : A command-line tool for developing and deploying web applications with Dart. dont worry its easy to install and take only few seconds 😅 simply run this command pub global activate webdev

Once you are all set We are ready to get this party Started 😎

open VS Code hit ctrl+shift+p to open the command Pallete and choose Flutter New Web Project

Choose a Name For your project in lower case

Wait for it to download the required dependencies and hit F5 to run.

Alternatively to run from the command line,go to the root of the project folder and run the command

webdev serve

and open chrome browser at specified port number (e.g localhost:8080 by default)

Boom 🚀🚀 !! your app is running in the browser

Here are a few things I want you to consider using Flutter for Web there are few problems with it as of today (09th May 2019)

  • Web support for Flutter is not yet stable, it's in technical preview and you may encounter lags and break things and may not work as expected.
  • Not all Flutter APIs are implemented on Flutter for the web yet. So you cannot expect to have all - Flutter Widgets ready for the web too. The Flutter Web is designed to work only on Chrome Browsers as of today.

I tried a few basic things that aren't working and need a 🔧. here are some of the snapshots

Image 1Image 2

As you can see in the above images, Icons on Button not visible. I added a Drawer on the left and a floating action button on the right.

Some Important Links for your reference

I hope this post helped you out thanks for taking your 🕐 to read. If this post helped you out in any way, please feel free to give a 👏 and this will encourage me to write more… 😄

Heres How to deploy your Flutterweb app to Github Pages.

Bye for now and keep fluttering 😄

· 8 min read
Mahesh Jamdade

This is my first Story on Medium and it's about Flutter, If you are reading this, it probably means you must have heard about Flutter. Well for those who are not aware of it

Flutter is Google's new Mobile Sdk that helps you build beautiful, crossplatform, high performant apps with a Single code base real quick. Flutter is changing the way we use and experience building apps.

The coolest mobile apps so far we have seen has clicks, touches, gestures double taps and adding these features in a mobile app was so painful. You will feel the pain if you have built Apps using Native Android. But Flutter comes to the rescue and helps you build the most Beautiful app experiences across different platforms with the same codebase. You can experience one of the most Beautiful apps and My favourate app of all developed by Flutter team, its called The History of Everything. Well, my Post is not about what flutter is, if you would like to know more about Flutter, I recommend checking out the official flutter website, which will give you a good overview of its capabilities.


In this story, I will show you How to implement different Cupertino Pickers in Flutter by the end of this story we will be implementing this,

Cupertino Picker in Flutter

This is a basic flutter app that adds a "Hello World" text in the center of the screen

Scaffold(
body: Container(
color: Colors.blueGrey,
child: Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text("Hello World")
],
),
),
),
);

basic flutter widget with a hello world in the center of the screen.

Now let's remove the Text Widget and add a MaterialButton that opens an empty BottomSheet when Pressed, We will use this Button to show a CupertinoDatePicker.

CupertinoDatePicker

The CupertinoDatePicker is capable of Showing the DateTime, or the Date or only Time on the Picker as shown below.

MaterialButton(
child: Text(
"Cupertino date Picker",
style: TextStyle(color: Colors.white),
),
color: Colors.redAccent,
onPressed: () {
showModalBottomSheet(
context: context,
builder: (BuildContext builder) {
return Container(
height: MediaQuery.of(context)
.copyWith().size.height / 3,
);
});
},
),

This code adds a simple Material Button and opens a ModalBottomSheet onpress the height of the Bottom Sheet is indicated by the height attribute that takes in 1/3 rd height of the Device.

Now let us add the child to the Container of the BottomSheet Now we will add the actual CupertinoDatePicker as the child it takes in a couple of Arguments and it's mandatory to pass in the onDateTimeChanged argument

Required Arguments

onDateTimeChanged: this is a Callback called when the selected date and/or time changes, and it must not be null, it takes in an Argument of type DateTime that gives the changed DateTime every time this method is called. In simple words, this gets called every time the picker is scrolled.

onDateTimeChanged: (DateTime newdate) {
print(newdate);
},

watch out the DebugConsole it should print the selected DateTime every time you scroll the picker.

Optional Arguments

initialDateTime: the time that is selected when the picker is shown you can set it to current date and time by assigning it to DateTime.now().

use24hFormat: Takes in a Boolean Value either or True or False to set The 24 hr Time Format depending on the value.

maximumDate: The Maximum date you can Scroll the Picker Specified by the type DateTime(), e.g new DateTime(2018,12,30), would allow us to scroll until Dec 30 2018 ,you can also specify the time on that Date separated by Commas DateTime(2018,12,30,11,30). The DateTime() class takes in following arguments

DateTime(int year,[int month = 1,int day = 1,int hour = 0,int minute = 0,int second = 0,int millisecond = 0,int microsecond = 0])

Note that the arguments in [] are Optional

minimumYear: takes in the minimum year in Integer you wanna scroll from

maximumYear: takes in the Maximum year in Integer you wanna scroll up too.

minuteInterval: The interval between two successive minute pickers should be an integer factor of 60, e.g minuteInterval:2 would increment minute picker by 2

mode: The format of the Picker, whether you want to show only Date or DateTime or only Time on the Picker, you can provide one of the following options

CupertinoDatePickerMode.dateAndTime,
CupertinoDatePickerMode.date
CupertinoDatePickerMode.time
Container(
height: MediaQuery.of(context).copyWith().size.height / 3,
child: CupertinoDatePicker(
initialDateTime: DateTime.now(),
onDateTimeChanged: (DateTime newdate) {
print(newdate);
},
use24hFormat: true,
maximumDate: new DateTime(2018, 12, 30),
minimumYear: 2010,
maximumYear: 2018,
minuteInterval: 1,
mode: CupertinoDatePickerMode.dateAndTime,
));

CupertinoTimerPicker

The TimePicker Widget shows only time on the picker

required Arguments

onTimerDurationChanged: Callback called when the timer duration changes. It gets called every time you scroll the TimePicker and the changed value is received in the arguments of type Duration. SetState to reload the Widget tree when the updated state has to be rendered on the screen.

onTimerDurationChanged: (Duration changedtimer) {
SetState((){});
}

if you want the timer to retain the timer previously scrolled you need to create a variable of type Duration and keep reassigning the value.

Duration initialtimer = new Duration();

And then set the value of initalTimerDuration to initialtimer which holds previously scrolled value, everytime the onTimerDurationChanged is called we store the changedtimer (i.e current selected value) in initialtimer. now if you scroll the timer and then again open the picker you should see the timer selected to previously scrolled value.

initialTimerDuration: initialtimer,
onTimerDurationChanged: (Duration changedtimer) {
SetState(() {
initialtimer = changedtimer;
});
}

Optional Arguments

mode: the Format of the Picker which displays the picker in one of the following formats

  1. hours minutes seconds
  2. hours minutes
  3. minutes seconds
   CupertinoTimerPickerMode.hms
CupertinoTimerPickerMode.hm
CupertinoTimerPickerMode.ms

minuteInterval: the difference between two successive minute pickers should be a positive integer factor of 60. secondInterval: the difference between two successive second pickers should be a positive integer factor of 60. initialTimerDuration: The time Duration that is displayed when the picker is shown you can initialize it to zero by assigning Duration.zero or assigning it to a duration variable to retain the previous timer.

Note: the initialtimer is a variable of type Duration and is used to retain the previous timer.

CupertinoPicker

This Widget helps us Creates a picker from a concrete list of children. and provides quite a few customizations. and we can add different widgets to our pickers.

required Arguments

itemExtent: specifies the height of each Widget child in the picker, must not be null and must be positive. onSelectedItemChanged: An optional callback when the currently centered item changes.Value changes when the item closest to the center changes.

Optional Arguments

diameterRatio: Relative ratio between this picker's height and the simulated cylinder's diameter. Smaller values create more pronounced curvatures in the scrollable wheel.

backgroundColor: The background color of the picker magnification: to magnify the size of the widget 1.0 indicates the original size, looping: The looping argument decides whether the child list loops and can be scrolled infinitely. If set to true, scrolling past the end of the list will loop the list back to the beginning. If set to false, the list will stop scrolling when you reach the end of the beginning.

Scaffold(
appBar: AppBar(
title: Text(
"CupertinoPicker",
textAlign: TextAlign.justify,
),
backgroundColor: Colors.teal,
actions: <Widget>[
IconButton(
icon: Icon(Icons.send),
onPressed: () {},
)],
),
body: Container(
child: CupertinoPicker(
magnification: 1.5,
backgroundColor: Colors.black87,
children: <Widget>[
Text(
"TextWidget",
style: TextStyle(
color: Colors.white, fontSize: 20),
),
MaterialButton(
child: Text(
"Button Widget",
style: TextStyle(color: Colors.white),
),
color: Colors.redAccent,
),
IconButton(
icon: Icon(Icons.home),
color: Colors.white,
iconSize: 40,
onPressed: () {},
)
],
itemExtent: 50, //height of each item
looping: true,
onSelectedItemChanged: (int index) {
selectitem = index;
},
),
));
});
},)
],),
),),
);

You can find the complete source code here of the demo app that we just built If you have any questions feel free to comment below and if you liked this story and found this helpful don't forget to appreciate by a clap :)

Image 1

Since This post got a good response I tried implementing a custom Timepicker using the CupertinoPicker. You can find the source code to this here

Thanks for taking the time to read. And if you have any questions or you think something is not right or could be improved feel free to drop a comment I would love to discuss it. Happy Fluttering

· 4 min read
Mahesh Jamdade

This post is a transcription of the youtube video I made, you can watch the full video at the bottom of this post

Hey guys welcome back in this post I will show you How you can sync files in between your computer and Google Drive automatically. This is specifically useful in cases when you make some edits to your file offline and forget to upload the files to your drive. With the solution I will share today teh files will get automatically synced to drive and you don't have to manually do it ever. So for this you will need a small tool called backup and sync, I have been using this tool for almost one year and I've found it really helpful so I thought to share it with you guys.

so open up your browser and search for backup and sync,

Screenshot (33).png 1.png

you should see this first link from google just go to that link and you will see the download option it's a very small tool basically less than 2 megabytes.

2.png 3.png

I have already downloaded the tool on my computer so I won't be downloading it again once you have downloaded the tool install and run it and you should see this Google sign in screen, so sign in with your Google account

Screenshot (15).png

once you have successfully signed in with your google account you need to choose a folder on your computer that you would want to be backed up automatically to the Google Drive.

Screenshot (16).png

you can see here, I have desktop documents and pictures I don't want in all of those to be backed up automatically, so I'm just unchecking these things I want my custom folders stored on the desktop you can see syncit folder here I want this folder to be automatically backed up.

Screenshot (17).png

So, I'll choose this folder here once I select this folder you can see here I have it will validate the folder and and once its validated and down here we have an option for photos and videos and its about whether we want to upload with the compresed size or with the original quality we can also choose to store our photos on google photos by ticking this option I'll just hit next

Screenshot (19).png

and then we need to choose the folders on a Google Drive that we want to sync with the local Drive.

Screenshot (20).png

make sure to tick this option and by default it will be checked I don't want all the contents on myGoogle Drive to be synced automatically so I'll just uncheck that option here, you can see that I don't have anything on my Google Drive so it's showing no folders in my drive and I'll just check the second option here.

Screenshot (21).png

so I'll just hit start and it'll say that you are merging with Google Drive content

Screenshot (23).png

so just click continue you'll see that google drive folder is created on my desktop you can see down here below it is preparing to sync these are some of my contents of my Google Drive folder that have been recently synced from Google Drive

Screenshot (24).png

and it says updated just now and you can also see that it is syncing one of two it is actually uploading my contents of sync-it folder to the Google Drive you can see these are the contents the same contents that are being uploaded to my Google Drive I'll show you these folders in my Google Drive actually you can see this is my drive this is the same folder as mydrive on my desktop let's put these two windows side by sides so you will get a clear idea what I am talking about so these two folders are the same actually one on the cloud and one on my computer,so any changes I make to these any of the folder those will be reflectd to another folder

Screenshot (25).png

Make sure to check out this complete video from More on Tech to know how this backup and sync actually works.

thank you very much for taking your time to read this post I hope this post helped you out and if did please make sure to appreciate with an upvote this will help me a lot and inspire me to make more such posts in th future.

· 6 min read
Mahesh Jamdade

Softwares have made our life so interesting and easy, people are experiencing best of the softwares available they are using the rich content available they have started to realize what kind of features can be embedded into a system to improve the look and feel and enhance the experience.people wish the best of the features to be embedded into their system,And they want it to be done fast and expect it to be perfect at the same time.

But people are'nt looking at the dedication, the time and effort required to develop the master piece, and I agree not everyone has a Computer Science background,this is why I thought to write regarding this topic to give people a basic idea what it takes to develop a software or an app for a developer. Software Development is not a Rocket Science though but its not a child's play too.

last week I and my developer friend went to see a prospect, who wanted to get a software built for their organization. We got their software requirements and had a talk on the interface and their previous software and the last thing he asked us was when will you deliver us the software, Could you do it in two days ?? that was quite shocking, Because even the best professionals take atleast 20 days, Then I realized that people need to be educated about the software development process.Well we were just a beginner though we Still told them we would show up in 10 days, We were so excited with our project and we were able to successfully deliver our first version of the software in 7-8 days.

"People need to realize that Great things take time specially when it comes to developing complex things"

I confess, this example is not mine. It was devised by extremely talented creative director (Emma), and I think it’s brilliant to help explain some of the complexities involved in software development.

Take any button within any software application you are currently using. Look at it closely. What colour is it? How big is it? Does it have rounded or straight corners? Does it have a border? What text is on it? What font is being used? What color is the text? Inside, how much padding is there around the text? Does it have an icon? What spacing is there around the button? Does it change color/shape/position when you hover on the button?

Each one of these things had to be designed and built. That’s right, the text on the button had to be typed in by someone. The spacing had to be figured out in relation to other buttons or things around it. In your mind’s eye, start thinking how long it might take to figure out and build all of the things I just outlined - for a single button.

These are the general software development phases involved in every software Development process.

f3c806219021f02101fe807bb2c2a2a7b0a160e7.png

As I said this will just give you a basic idea about the development process so I am not going to go into details just a rough cycle of the development process.Theres much detailing involved in the formal process but I will break down into 4-5 phases to keep things simple and explanatory in an informal way.

  1. Get The Requirements The developers have to first find out,What are the requirements of the software,The user must provide the requirement in as much detail as possible,the details may include the task and operations the software will accomplish. the user may also specify the layout of the software what features are expected . The developers must also consider the Hardware capabilities and the environment of the system on which the software has to run, This will save the time for the developers and give them a direction to work on.

  2. Gather the tools required Once the requirements have been gathered the Develoepers must now work on to find the right tool required to develop the software that includes what programming languages,frameworks,databases to choose and in what kind of environment the software will be developed that includes the type of Operating system.Whether you will be developing on a Windows Mac Or Linux System.

  3. Designing Process After gathering the required tools to fight the battle the developers must devise a design,How the interface or GUI of a software will look,at every corner of the software and this is where flow diagrams come into picture basically these flow diagrams include the Class Diagram, the Sequence diagram etc. I recommend using a paper and pen to be clear about the design process.Because this will keep you sticked to the plan and you can consistently be focused on developing the further design rather than thinking what design is required.

  4. Coding This is the core stage of the Entire software development process, This stage is also known as programming phase where all the important stuff happens,At this stage the developers actually start building the software by writing an error free code in the programming language choosen during the second phase.Error free code doesn't actually mean our code does what the customer expects,it simply means our code is running but we cannot guarantee the requirements of the customers are met.We must ensure the code does what it is supposed to do in the next phase that is Testing.

  5. Testing the product At this stage, the developers must test that the software works in every worst case possible and more importantly the software meets the expectations of the customer.At this stage, the software can be delivered to the customer so as to involve the customer in the testing process and the customer can provide the valueable feedback by using the software in the real environment.And if any changes are required or bugs are detected the developer must take care of those.

  6. Delivery and Maintenance Once every functionality is well tested and changes are integrated the stable version of the software is delivered to the customer. Well no product is completely perfect and stable there's always a space for improvement, customers can expect the Devs to provide updates and incorporate any features that are demanded by the customer.

This is how every Software Development has to go through this kind of similar cycle and I believe this post gives people idea and understanding what challenges the software developers has to go through.And Inspires other Developers around the World to build cool stuffs for the community and make this world a better place.

"Softwares should not be seen as a product because people ultimatey use softwares to build a product"