Create New Xamarin.Form solution after that clear unwanted target project. If you required to add project on feature.

You can add new platform projects to the Xamarin.Forms solution.

In the Add New Project dialog, you can create Xamarin.iOS project by selecting the iOS project Universal type and Blank App template.

Create a Xamarin.Android project with the Android Blank App template, or a Windows project by selecting Universal under the Windows heading (for a UWP project), or Windows or Windows Phone under the Windows 8 heading, and then Blank App.

Introduction:

Xamarin.Forms is a cross platform UI toolkit that allow user to efficiently create native user interface layout. Code can be shared all the device (IOS,Android , Windows Phone and Win store app) .

System Requirement:

Mac / Windows 7++ Machine with 8 GB RAM
Xamarin Studio 5.0 or new version/ Visual Studio 2012 or new version

Support Devices:

Xamarin.Forms applications can be support following operating systems devices
Android 4.0.3 (API 15) or higher

iOS 6.1 or higher

Windows Phone 8.1

Windows 8.1

Windows 10 Universal Apps

Windows Phone 8 Silverlight


How to create First Xamarin.Form Application?

Step 1:

Open Visual Studio ( Run ➔ Devenv.exe)

My system having following VS version with xamarin


Step 2:

Create New Project ( File ➔ New ➔ Project )


Step 3:

Open New Project template Cross Platform ➔ Blank App(Xamarin .Forms .Portable)



*** Solution and project name is DevXamarinForms

Visual Studio automatically creates following projects,

DevXamarinForms.Android, DevXamarinForms.iOS, DevXamarinForms.UWP, etc and a shared Portable Class Library (PCL) project named called DevXamarinForms (Refer below)

After create project solution should be like below


Step 4:

Right Click on Portable Project (DevXamarinForms) ➔ Add ➔ New Item ➔Cross-Platform ➔ Forms Xaml Page and name it HomePage.CS



After that two new file are created under portable library HomePage.XAML and HomePage.XAML.cs

In HomePage.XAMl , the below code will automatically added into xaml page


<?xml version="1.0" encoding="utf-8" ?>
<ContentPage xmlns="http://xamarin.com/schemas/2014/forms"
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
x:Class="DevXamarinForms.HomePage">
<Entry x:Name="txtresult" Text="welcome Devenvexe.com" /> <!--Add this TextBox-->
</ContentPage>

The xml two name space (xmls) are added into xaml page and refered xamarin and micrsoft url with version.

The HomePage.xaml.cs code-behind file looks like this.

using Xamarin.Forms;
namespace DevXamarinForms
{
public partial class HomePage : ContentPage
{
public HomePage()
{
InitializeComponent();
}
}
}

Where Can find InitializeComponent() Method :

InitializeComponent() method will generate during build so build your portable library , C# code file is generated from the XAML file. If you look in the \DevXamarinForms\DevXamarinForms\obj\Debug directory, you’ll find a file named DevXamarinForms.HomePage.xaml.g.cs. The ‘g’ stands for generated.



namespace DevXamarinForm {
using System;
using Xamarin.Forms;
using Xamarin.Forms.Xaml;
public partial class HomePage : global::Xamarin.Forms.ContentPage {
[System.CodeDom.Compiler.GeneratedCodeAttribute("Xamarin.Forms.Build.
Tasks.XamlG", "0.0.0.0")]
private global::Xamarin.Forms.Entry txtresult;
[System.CodeDom.Compiler.GeneratedCodeAttribute("Xamarin.Forms.Build.
Tasks.XamlG", "0.0.0.0")]

private void InitializeComponent() {
this.LoadFromXaml(typeof(HomePage));
txtresult = this.FindByName<global::Xamarin.Forms.Entry>("txtresult");
}
}
}

Just Modify App.CS file, like below

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using Xamarin.Forms;
namespace DevXamarinForm
{
public class App : Application
{
public App()
{
// The root page of your application
//MainPage = new ContentPage
//{
// Content = new StackLayout
// {
// VerticalOptions = LayoutOptions.Center,
// Children = {
// new Label {
// HorizontalTextAlignment = TextAlignment.Center,
// Text = "Welcome to Xamarin Forms!"
// }
// }
// }
//};
MainPage = new HomePage(); // Add this code
}
}
}

Build and Run Application:










Introduction

Let we look regarding list view binding. The cross-platform applications with Xamarin.iOS, Xamarin.Android the ListView control binding is structurally similar.

Xamarin.IOS

UITableViewSource

Xamarin.Android

BaseAdapter

Your need follow Below steps for customizing a list view appearance


Step 1: Layout:

We need to create layout with List View controls.

HelloApp (ProjectName) è Resources è layout (Right Click) è Add New Item è Select ( Android layout ) è Click Add

File Name: ListDemo.axaml and drag drop List View control into layout page

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:orientation="vertical"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:minWidth="25px"
android:minHeight="25px">
<ListView
android:minWidth="25px"
android:minHeight="25px"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:id="@+id/UserList" />
</LinearLayout>
****ListView Control name : UserList

Step 2: Model :

Create Model and add whatever property is required.

Model Name: User

Namespace :HelloApp.Model

namespace HelloApp.Model
{
public class User
{
public string UName;
}
}

Step 3: Adapter

Create adapter class and derived from BaseAdapter .

BaseAdapter is abstract class. we need implement following methods. We need select Row template and

namespace HelloApp.Adapters
{
class UserAdapters : BaseAdapter<User>
{
List<User> userlist;
Activity useractivity;
public UserAdapters(Activity context ,List<User> item):base()
{
useractivity = context;
userlist = item;
}
public override User this[int position]
{
get
{
throw new NotImplementedException();
}
}
public override int Count
{
get
{
return userlist.Count;
}
}
public override long GetItemId(int position)
{
return position;
}

public override View GetView(int position, View convertView, ViewGroup parent)
{
var item = userlist[position];
if(convertView == null)
{
convertView = useractivity.LayoutInflater.Inflate(Android.Resource.Layout
SimpleExpandableListItem1,null);
}
convertView.FindViewById<TextView>(Android.Resource.Id.Text1).Text = item.uname;
return convertView;
}
}
}

Step 4: Activity

HelloApp (ProjectName) (Right Click) è Add New Item è Select ( Activity) è Click Add

Source Code :

namespace HelloApp
{
[Activity(Label = "ListDemoActivity" , MainLauncher = true)]
public class ListDemoActivity : Activity
{
private ListView UserListView;
private List<User> userlist;
protected override void OnCreate(Bundle savedInstanceState)
{
base.OnCreate(savedInstanceState);
base.SetContentView(Resource.Layout.ListDemo);
UserListView = FindViewById<ListView>(Resource.Id.UserList);
userlist = new List<User>();
userlist.Add(new User { UName = "Sutahahr" });
userlist.Add(new User { UName = "Suresh" });
userlist.Add(new User { UName = "Sumathi" });
userlist.Add(new User { UName = "Sujatha" });
UserListView.Adapter = new UserAdapters(this, userlist);
}
}
}

Source code explanation:

1. [Activity(Label = "ListDemoActivity (Title Of Text)" , MainLauncher = true(Initial launcher))]

2. private ListView UserListView – Find Control and assign to local variable

3. private List<User> userlist; - Assign Collection value

4. base.SetContentView(Resource.Layout.ListDemo); - Assign layout content in activity

5. UserListView = FindViewById<ListView>(Resource.Id.UserList); - Find user control from layout page

6. userlist = new List<User>(); - add collection

7. UserListView.Adapter = new UserAdapters(this, userlist); - Assign user collection into adapters








Microsoft Visual Studio 2015 includes an Android emulator that you can use as a target for debugging your Xamarin.Android app .This emulator uses the Hyper-V capabilities of your development computer same like Windows phone .

Here we have found one issue in VS Emulator : VS 2015 can launch the VS emulator but can't deploy the app.

- I have create blank xamarin android project without add any code when I debug this project debugging without problem but when I run app with visual studio emulator for android is running but not starting my app .

Solution :

I was able to solve the issue like below

1. Run Xamarin.Android app using VS and select VS Emulator.

2. Launch the emulator

3. Cancel deployment ( Build => Cancel Build)

4. Click on the chevron icon in the toolbar to the right of the emulator

5. Select the Network tab

6. Locate the preferred network ip address

7. Back to Visual Studio , click on the Open Adb Command Prompt toolbar button

8. Type adb connect [the emulator ip address]



9. Run application again it will start work .



***Adb -Android Debug Bridge

At the Build 2016 conference, Microsoft introduced the exciting news that Xamarin will now be available for all existing MSDN users at no extra cost.

Windows Developer:

Xamarin is included in Visual Studio. Now you can develop mobile cross application using windows machine.

Mac Developer:

MSDN subscription users can download Xamarin Studio for Mac machine, no need to pay any payment.

Step 1:

Login to MSDN subscription - https://msdn.microsoft.com/en-us/subscriptions

Step 2:

Click on Register and Download


Step 3:

Click checkbox on “I Agree “& Click on “Subscribe” button


Step 4:

Now you can develop mobile cross application. Free Licensing will allow only one machine at a time.If you want to use different machine, you want to disable previous machine licensing like below

Step 4.1:

Login to Xamarin.com

Step 4.2:

Go to https://store.xamarin.com/account/my/subscription/computers

Step 4.3:

Click on Deactivate and Enable different machine .

Local Storage (SQLite) Using Windows 10 UWP Apps

The Windows 10 Universal app local storage using SQLite database. Step-by-step implementation.

Step 1:

Create new universal project / library using VS2015 RTM Version

Step 2:

Install “sqlite-uap-3081101.VSIX “from Extensions and Updates
VS 2015 --Tools --Extensions and update --search sqlite-uap -- Click Install -- Restart VS 2015

Step 3:

The next step is to add the SQLite.Net-PCL library to your project

Step 4:

Now, remember the sqlite-uap (Visual Studio extension) installed earlier. It installs SQLite extensions that you need to reference by right-clicking on Project References and choosing "Add Reference..." and then finding the right reference under Windows Universal è Extensions.

Step 5:

Coding:

class LocalDatabase
{
public static void CreateDatabase()
{
var sqlpath = System.IO.Path.Combine(Windows.Storage.ApplicationData.Current.LocalFolder.Path, "Contactdb.sqlite");
using (SQLite.Net.SQLiteConnection conn = new SQLite.Net.SQLiteConnection(new SQLite.Net.Platform.WinRT.SQLitePlatformWinRT(), sqlpath))
{
conn.CreateTable();
}
}
}
public class Contact
{
public int Id { get; set; }
public string Name { get; set; }
public string Address { get; set; }
public string Mobile { get; set; }
}
Great news for Microsoft developer . Developers don’t need to buy a $3,000 HoloLens device. Microsoft Visual Studio team will be releasing a HoloLens emulator that can be used to build and test apps. The preview of HoloLens emulator will look below



HoloLens Emulator

The HoloLens emulator allows you to test holographic apps on your PC without a physical HoloLens and comes with the HoloLens development toolset. The emulator uses a Hyper-V virtual machine (same like Phone emulator).

Read More about Emulator: https://dev.windows.com/en-US/holographic/using_the_hololens_emulator

Two Different type of Application:

Currently, there are two different type of HoloLens apps we can develop
2D apps
Holographic apps.
2D apps can use any tools for building Universal Windows Apps suited for environments like Windows Phone, PC and tablets.
For Holographic apps need tools designed to take advantage of the Windows Holographic APIs .Just read for more API guideline info: https://dev.windows.com/en-US/holographic/documentation.

List of tools for Build HoloLens Apps:

Windows 10 or higher operating system.
VS 2015 Update 2 and latest version of windows SDK for related HoloLens sdk.
Device Portal setting Refer : https://dev.windows.com/en-US/holographic/using_the_windows_device_portal
Need to Install HoloLens Emulator : https://dev.windows.com/en-US/holographic/using_the_hololens_emulator



Note: Build Hololens app developer should more aware about XAML and c#




















At the Build 2016 conference, Microsoft introduced the exciting news that Xamarin will now be available for all existing MSDN users at no extra cost.

Windows Developer:

Xamarin is included in Visual Studio. Now you can develop mobile cross application using windows machine.

Mac Developer:

MSDN subscription users can download Xamarin Studio for Mac machine, no need to pay any payment.

Step 1:

Login to MSDN subscription - https://msdn.microsoft.com/en-us/subscriptions

Step 2:

Click on Register and Download


Step 3:

Click checkbox on “I Agree “& Click on “Subscribe” button


Step 4:

Now you can develop mobile cross application. Free Licensing will allow only one machine at a time.If you want to use different machine, you want to disable previous machine licensing like below

Step 4.1:

Login to Xamarin.com

Step 4.2:

Go to https://store.xamarin.com/account/my/subscription/computers

Step 4.3:

Click on Deactivate and Enable different machine .









Solution 1:

For this issue download sqlite3.dll from http://www.sqlite.org/download.html. File name - sqlite-dll-win32-x86-3071602.zip That will contain sqlite3.dll. add dll in your project's bin directory so that SQLite-net can find it.

Solution 2:

add below nuget package in your project .same name differnt nuget package is avilable so please find below attribute nuget package
Created by: Frank A. Krueger
Id: sqlite-net-pcl
NuGet link: sqlite-net-pcl

More Info : http://developer.xamarin.com/guides/cross-platform/xamarin-forms/working-with/databases/

C# 6.0 New Feature



How to get C# Updated Version?
Two ways we can update C# 6.0
Updated Visual Studio into VS 2014
Or
Installing Roslyn Package in VS 2013

$ Sign :

Its simplify String indexing

Example:

var value = new Dictionary() {
// using inside the initialize
$first = "Nikhil"
}

Assign value to member

C# 5.0
 C# 6.0
Value[first] =”Nikhile”
Value. $first = “Nikhil”

Exception Filters:

Exception filter already support in Vb.net now C#.net as well start to support .Exception filter is nothing but in catch block we can specify If Condition.
IF condition is fail inside catch block statement it won’t execute.

         C# 5.0
 C# 6.0
          try
            {       }
            catch (Exception ex)
            {       }

  Try  {
     throw new Exception("Null Error");
          }
catch (Exception ex) if (ex.Message == " IndexError")
            {
                // this one will not execute.
            }
            catch (Exception ex) if (ex.Message == " Null Error ")
            {
             // this one will execute
            }

await in Catch block and finally block :

Previous version C# not support await keyword in catchblock and finally block ,Now in c# 6.0 start supporting

         C# 5.0
 C# 6.0

            try
            {
                DoSomething();
            }
            catch (Exception)
            {
             //Its not Support here
                await LogService.LogAsync(ex);
            }

            try
            {
                DoSomething();
            }
            catch (Exception)
            {
               // New feature it will support
                await LogService.LogAsync(ex);
            }

Declaration Expression:

This feature allows you to declare local variable in the middle of an expression. It is as simple as that but really destroys a pain.

         C# 5.0
 C# 6.0
Int  Qty;
Int.TryParse(txtnumber.Text, out Qty)

Int.TryParse(txtnumber.Text, Int out Qty)

Auto Property Initialize:

In C# 6.0 added new feature called auto propertyinitialize like below

public class Person
{
// You can use this feature on both
//getter only and setter / getter only properties
public string FirstName { get; set; } = "Nikhil";
public string LastName { get; } = "Jagathesh";
}

Primary constructors:

A primary constructor allows us to define a constructor for a type and capture the constructor parameters to use in initialization expressions throughout the rest of the type definition. Here’s one 

simple example:

//this is primary constructor

public Class Money(string currency, decimal amount)
{
public string Currency { get; } = currency;
public decimal Amount { get; } = amount;
}

Dictionary Initialize:

         C# 5.0
 C# 6.0
Dictionary country = new Dictionary()
            {
                { "India", "TN" },
                { "United States", "Washington" },
                { "Some Country", "Some Capital " }
            };
Dictionary country = new Dictionary()
            {
                // Look at this!
                ["Afghanistan"] = "Kabul",
                ["Iran"] = "Tehran",
                ["India"] = "Delhi"
            };

Null-Conditional Operator

This is an exception that almost always indicates a bug because the developer didn’t perform sufficient null checking before invoking a member on a (null) object.

Look below new feature very interesting

         C# 5.0
 C# 6.0
public static string Truncate(string value, int length)
{
  string result = value;
//this pain work for us
  if (value != null) // Skip empty string check for elucidation
  {
    result = value.Substring(0, Math.Min(value.Length, length));
  }
  return result;
}
public static string Truncate(string value, int length)
{         
  return value?.Substring(0, Math.Min(value.Length, length));
}




How to load UIImage from web URL ?

UIImage img=Images.Fromuri("www.google.com/my.jpg");

Common Class :

public static Class Images
{
Public static UIImage FromUrl (string uri)
{
using (var url = new NSUrl (uri))
using (var data = NSData.FromUrl (url))
return UIImage.LoadFromData (data);
}
}
How to choose a photo From Phone album?

In Xamarin.iOS Application for choose a photo from album .we need to use UIImagePickerController

Follow below step for show photo album Controller

1. Create the image picker control

Var Imagepicker=new UIImagePickerController();

2. Set the Source and media Type

Imagepicker.SourceType = UIImagePickerControllerSourceType.PhotoLibrary;

Imagepicker.MediaTypes = UIImagePickerController.AvailableMediaTypes (UIImagePickerControllerSourceType.PhotoLibrary);

3.Create Delegate event for image chose & cancel image selection.

Imagepicker.FinishedPickingMedia += Handle_FinishedPickingMedia;

Imagepicker.Canceled += Handle_Canceled;

4.Show Image controller

NavigationController.PresentModalViewController(Imagepicker, true);

5. Implement Image choose event

protected void Handle_FinishedPickingMedia (object sender, UIImagePickerMediaPickedEventArgs e)
{
// determine what was selected, video or image
bool isImage = false;
switch(e.Info[UIImagePickerController.MediaType].ToString()) {
case "public.image":
// get the original image
UIImage originalImage = e.Info[UIImagePickerController.OriginalImage] as UIImage;
if(originalImage != null) {
// do something with the image
Console.WriteLine ("got the original image");
imageView.Image = originalImage; // display
break;
case "public.video":
Console.WriteLine("Video selected");
break;
}
// dismiss the picker
imagePicker.DismissModalViewControllerAnimated (true);
}
6 .Cancel Image controller
void Handle_Canceled (object sender, EventArgs e) {
Imagepicker.DismissModalViewControllerAnimated(true);
}
3. Which controller we can use for Phone photo album access?

UIImagePickerController
For testing if you want access local storage or local database you can use Windows Phone Poser Tools (http://wptools.codeplex.com/)

How to run and deploy an app for Windows Phone ? Or How to deploy Xap file into Device ?

We can run your app in Windows Phone Emulator and windows phone device connected to development computer.

While you are developing Windows phone app .you can test your app two component

1. Windows Phone Emulator
2. Windows Phone ( before publish windows store you should test in your device as well )

App Publish and running apps on a Windows phone device
  • Register your device for development for windows phone
  • Connect your computer (unlock phone screen)
  • Select Target to deploy Device
*** You can deploy up to 10 apps on a registered device

App Publish using Application Deployment Tool:

You are not having source code .your developer sent only xap file during time we need to use xapDeploy.exe

Where I can find xapDeploye.exe file?

You can only use the version of the Application Deployment tool installed in the folder C:\Program Files (x86)\Microsoft SDKs\Windows Phone\v7.1\Tools\XAPDeployment to deploy apps that target Windows Phone OS 7.1



In xamarin Scan providing online support for our library how much platform Specific .we need to follow 3 steps, after that we will get know how much % it will support

Select compiled .NET libraries or executable (.exe or .dll files) and the scanner will identify platform-specific dependencies in your code, as well as provide suggestions for how you can make your code mobile-ready.

click below link for scan your executable file

http://scan.xamarin.com/



Questions

1 Can you tell about Xamarin ?
2 History of Xamarin
3 What is Xamarin.iOS Application compiler?
4 What Xamarin.Android Application compiler?
5 Can we develop Windows mobile application using xamarin Studio in mac OS?
6 Can we develop iOS application using VS in Windows machine?
7 Can we develop iOS application using Xamarin Studio in Windows machine?
8 Did we develop Xamarin Mobile cross platform Application using Visual Studio?
9 Can you share iOS,Android,Windows Mobile application design guide line?
10 What is TestFlight?
11 What is hockeyapp?
12 How to use version control in Xamarin Studio?
13 What are the way to share the code to different platform?
14 What is Portable class libraries?
15 What are the benefits for PCL?
16 What is Shared Project?
17 Do we have any output file for share project?
18 What is the Version of xamain Studio and Visual Studio will support Share project?
19 What is iOS platform SDK Access?
20 What is Android Platform SDK Access?
21 What is Windows Platform SDK Access?
22 What is use of __MOBILE__ Conditional Compilation?
23 How to get library path in Xamarin.Android?
24 How to get library path in Xamarin.iOS?
25 How to get library path from UWP?
26 What is HttpClient ?
27 Did we have Xamarin.iOS unit testing framework?
28 How to make iOS native libraries accessible in Xamarin apps?

Xamarin. Android

29 What is Xamarin.Android ?
30 What is the file format for Android Designer File and where its located?
31 How to setup first PAGE (Launch page) in xamarin android?
32 What all Contains in AndroidManifest.xml file?
33 How to enable Debugging on Android Device?
34 How to Set Icons for Different Android Screen Densities?
35 Can you Explain about Activities?
36 Differentiate Activities from Services?
37 What is adb?
38 What are the four essential states of an activity?
39 What is ANR?
40 What is a Fragment?
41 How to specify Control ID in xamarin.Android?
42 How to Register button control in MainActivity Class?
43 How to add button click event?
44 Can you explain about Activity State?
45 Can You explain about Activity lifecycle?
46 When open the app, what are activity method will execute?
47 When Back Button Pressed, what are activity method will execute?
48 When home button pressed, what are activity method will execute?
49 When open App another app from notification bar or while open SETTING, WHAT are the activity method will EXECUTE?
50 When any dialog open on screen, What are the activity method will execute ?
51 After dismiss the dialog or back button from dialog, What are the activity method will execute ?
52 Any phone is ringing and user in the app, What are the activity method will EXECUTE?
53 What is Different between Home and back button?
54 What is use of OnSaveInstanceState ?
55 What is use of OnRestoreInstanceState ?
56 What is indent?
57 Can You explain about 2 Different type of Intent?
58 How to Add Androidmanifest.xml file? If the application does not already have an AndroidManifest.xml .
59 How to Add Required Permission from Android Application? ( eg: Camera ,Call Phone )
60 How to Prevent orientation change for a page?
61 How you can use animation in xamarin android application?
62 What are different type Animation in Xamarin.Android?
63 How to Specify Supported Architectures?
64 How do you handle orientation changes on Activity?
65 What are two different type orientation technique?
66 How to Identify Orientation status?
67 How to play Audio in ANDROID?
68 How to recording Audio in Android ?
69 Do we need to Enable any required permission for Debug recording Audio?
70 Is there a way to disable screenshot?
71 How to Send SMS ?
72 How to Initializing and Playing Audio?
73 What is local Notification in Xamarin.Android ?
74 What are the Two Daffern type of Notification layout ?
75 What are the two different Android notification layouts?
76 What is the class will use for Notification?
77 How to Enable Notification SOUND?
78 How to Enable Notification Vibrate?
79 What is Google Cloud messaging?
80 What is a Push notification on Android?
81 How to implement Local Storage in Xamarin.Android?
82 What are the different way for Local storage?
83 What are the Advantages of using a Database?
84 How to retrieve library path in xamarin.Android?
85 What is CardView widget?
86 How to create Splash Activity?
87 What is use Grid View control?
88 What is different Grid View and Grid Layout ?
89 What is LinearLayout?
90 What is Android Beam?
91 How Android Beam will work?
92 What are the required device permission for Fingerprint Authentication?
93 What is App-Linking?
94 What is ProGuard?
95 How to Disable Debugging in release mode using conditional compile?
96 How to use Localization?
97 How Launch Android Emulator using Command line?
98 Can we develop Android Wear application ?

Xamarin.iOS

99 Can you tell about Xamarin.iOS?
100 Can we develop ios Application using Xamarin Studio in Windows machine?
101 What is use of Appdelegate.cs file?
102 What is use of info.Plist file?
103 How to read Custom .Plist file ?
104 What is use of entitlements.plist file?
105 What is UIViewController lifecycle?
106 What is content View Hierarchy?
107 How to change button text in Runtime?
108 How to enable to disable Button?
109 How to dismiss keyboard while button click?
110 What is use of NSURl?
111 What is code for Show alert?
112 How to deploy application to Device?
113 What is Device Provisioning?
114 What is storyboard?
115 How to use PushViewController on UIViewContoller ?
116 Can you explain about Navigation Controllers and Segues?
117 What Event with UIKit?
118 What is delegate?
119 What is use of NSAutoReleasePool?
120 What is UNUserNotificationCenter?
121 How to add Image in code behind file ?
122 How to set Launch Screens with Storyboards?
123 What is Different FromBundle VS FromFile?
124 Can we create Resource folder from iOS project ?
125 What is Build Action for image ?
126 What are the .plist file?
127 What is use info.plist file?
128 What is class we can use for FileSystem?
129 How to get subdirectory from Current Directory?
130 How to read the files?
131 How to get MyDocument Folder path?
132 How to write file to ios local storage?
133 How to create DIRECTORY?
134 What is use of UIFileSharingEnabled?
135 What is of SetSkipBackupAttribute?
136 How to generate unique ID?
137 How to create App URL Scheme in Xamarin.iOS?
138 How to Use or Debug App URL Scheme in Xamarin.ios?
139 How to open Setting in Iphone?
140 How to add Control inside the View ?
141 What is use of VieDidLoad()?
142 What is the use of LoadView() ?
143 What is Background Task?
144 What are the Application State?
145 What are the Application lifecycle?
146 What is App Switcher?
147 What are the different type of Background Fetch Interval?
148 What is use of BackgroundFetchIntervalNever ?
149 What is use of BackgroundFetchIntervalMinimum ?
150 What is use of BackgroundFetchIntervalCustom ?
151 What are setting need to Enable for implement Location in your application?
152 How to Check Location Service Enable or Not?
153 What is NSUserDefault?
154 How to use NSUserDefault?
155 What is use of Auto layout?
156 What is Storyboard?
157 How can show a pdf, stored on the device, in an UIWebView?
158 What is different between UITextField vs UITextView?
159 How can we get selected text index in UITextView in IOS?
160 How to Set TextView as Read only?
161 What is UIControlState?
162 What is use of Slider control?
163 What is use of Switch Control?
164 What are the UITableView Parts ?
165 What is UICollectionView?
166 What is use of Tabbed Application?
167 What is Binding Objective-C?
168 What is use of new Reference Counting System?

Xamarin .Forms

169 Can you tell about Xamarin.Forms?
170 Can you tell what are the platform will support xamarin.Forms?
171 What s version visual Studio Will support Xamarin.Forms?
172 How to convert Portable solution to Xamarin.Forms Applications?
173 How to Show Alert Box on all the platform ?
174 What is Page in Xamarin.Forms ?
175 What is different type of pages in xamarin.Forms ?
176 What is ContentPage?
177 What is MasterDetailpage?
178 What is NavigationPage?
179 What is TabbedPage
180 What is TemplatePage?
181 What is CarouselPage?
182 What is Layouts?
183 What are the different type of layouts?
184 What is Xamarin.Forms View?
185 What is StackLayout?
186 What is Xamarin.Forms ListView?
187 Can you tell about different type ContentPage Navigation?
188 What is Hierarchical Navigation?
189 Can you write code for Create RootPagenavigation ?
190 What is PushingPage NAVIGATION?
191 What is PoppingPage Navigation?
192 What is PopToRoot Navigation?
193 How to disable back action from login Success screen?
194 How to pass Data through BindingContext?
195 What is Model Navigation?
196 How to disable back Button press?
197 What is ResourceDictionary?
198 What is differentness between Static vs. StaticResources?
199 How to Set as Home page in xamarin Forms?
200 What is “MainPage” property from App Class?
201 What is Property Dictionary?
202 How to Save Property Dictionary?
203 How to Get Property Dictionary?
204 How to access Application.Current.Properties from a Native Class?
205 What is App Lifecycle?
206 What is Behaviors?
207 Why we need Behaviors?
208 What is Attached Property?
209 How to Create Custom Entry Control?
210 How to Consume Custom Control in Xaml Page?
211 How to Consume custom Control in C# Page?
212 What is Custom Render?
213 How to create Custom Render Class?
214 What are the steps to create PageRenderer?
215 How to IMPLEMENT Camera page using PAGERENDERER?
216 What is DependencyService?
217 How DependencyService Wokrs?
218 How to Dismiss Keyboard after entry using xamarin.forms ?
219 How to use FileSystem?
220 Do we have any Common Package for File System?
221 What is use of TapGestureRecognizera()?
222 What is use of PinchGestureRecognizer?
223 What is use of PanGestureRecognizer?
224 What is MessagingCenter?
225 How the messagingcenter Works?
226 What is Subscribe Message?
227 What is Send Message?
228 How to send message?
229 How to Subscribe message?
230 How to PASSING / receiving as argument from messaging?
231 How to unsubscribe Message?
232 What is Action Sheet?
233 How to display UIActionSheet?
234 What is Xamarin Forms Control Templates?
235 What is Data Templates?
236 What is trigger?
237 What are the Different type TRIGGER?
238 What is property Trigger?
239 What is Data Trigger?
240 What is Event Trigger?
241 What is Multi Trigger?
242 What are the build a Color instance?
243 How to assign Web Image from Image control?
244 What is different between Entry VS Editor?
245 How to Fix the Image size to the Screen?
246 What is WebView?
247 How to display website inside the apps?
248 How to Display Html Design inside the apps?
249 How to Send email from Shared code in Xamarin.Forms?
250 What is CocosSharp?
251 What are the COCOSSharp features ?
252 What is SkiaSharp?
253 What is urhoSharp?

Questions

1 Can you tell about Xamarin ?
2 History of Xamarin
3 What is Xamarin.iOS Application compiler?
4 What Xamarin.Android Application compiler?
5 Can we develop Windows mobile application using xamarin Studio in mac OS?
6 Can we develop iOS application using VS in Windows machine?
7 Can we develop iOS application using Xamarin Studio in Windows machine?
8 Did we develop Xamarin Mobile cross platform Application using Visual Studio?
9 Can you share iOS,Android,Windows Mobile application design guide line?
10 What is TestFlight?
11 What is hockeyapp?
12 How to use version control in Xamarin Studio?
13 What are the way to share the code to different platform?
14 What is Portable class libraries?
15 What are the benefits for PCL?
16 What is Shared Project?
17 Do we have any output file for share project?
18 What is the Version of xamain Studio and Visual Studio will support Share project?
19 What is iOS platform SDK Access?
20 What is Android Platform SDK Access?
21 What is Windows Platform SDK Access?
22 What is use of __MOBILE__ Conditional Compilation?
23 How to get library path in Xamarin.Android?
24 How to get library path in Xamarin.iOS?
25 How to get library path from UWP?
26 What is HttpClient ?
27 Did we have Xamarin.iOS unit testing framework?
28 How to make iOS native libraries accessible in Xamarin apps?

Xamarin. Android 

29 What is Xamarin.Android ?
30 What is the file format for Android Designer File and where its located?
31 How to setup first PAGE (Launch page) in xamarin android?
32 What all Contains in AndroidManifest.xml file?
33 How to enable Debugging on Android Device?
34 How to Set Icons for Different Android Screen Densities?
35 Can you Explain about Activities?
36 Differentiate Activities from Services?
37 What is adb?
38 What are the four essential states of an activity?
39 What is ANR?
40 What is a Fragment?
41 How to specify Control ID in xamarin.Android?
42 How to Register button control in MainActivity Class?
43 How to add button click event?
44 Can you explain about Activity State?
45 Can You explain about Activity lifecycle?
46 When open the app, what are activity method will execute?
47 When Back Button Pressed, what are activity method will execute?
48 When home button pressed, what are activity method will execute?
49 When open App another app from notification bar or while open SETTING, WHAT are the activity method will EXECUTE?
50 When any dialog open on screen, What are the activity method will execute ?
51 After dismiss the dialog or back button from dialog, What are the activity method will execute ?
52 Any phone is ringing and user in the app, What are the activity method will EXECUTE?
53 What is Different between Home and back button?
54 What is use of OnSaveInstanceState ?
55 What is use of OnRestoreInstanceState ?
56 What is indent?
57 Can You explain about 2 Different type of Intent?
58 How to Add Androidmanifest.xml file? If the application does not already have an AndroidManifest.xml .
59 How to Add Required Permission from Android Application? ( eg: Camera ,Call Phone )
60 How to Prevent orientation change for a page?
61 How you can use animation in xamarin android application?
62 What are different type Animation in Xamarin.Android?
63 How to Specify Supported Architectures?
64 How do you handle orientation changes on Activity?
65 What are two different type orientation technique?
66 How to Identify Orientation status?
67 How to play Audio in ANDROID?
68 How to recording Audio in Android ?
69 Do we need to Enable any required permission for Debug recording Audio?
70 Is there a way to disable screenshot?
71 How to Send SMS ?
72 How to Initializing and Playing Audio?
73 What is local Notification in Xamarin.Android ?
74 What are the Two Daffern type of Notification layout ?
75 What are the two different Android notification layouts?
76 What is the class will use for Notification?
77 How to Enable Notification SOUND?
78 How to Enable Notification Vibrate?
79 What is Google Cloud messaging?
80 What is a Push notification on Android?
81 How to implement Local Storage in Xamarin.Android?
82 What are the different way for Local storage?
83 What are the Advantages of using a Database?
84 How to retrieve library path in xamarin.Android?
85 What is CardView widget?
86 How to create Splash Activity?
87 What is use Grid View control?
88 What is different Grid View and Grid Layout ?
89 What is LinearLayout?
90 What is Android Beam?
91 How Android Beam will work?
92 What are the required device permission for Fingerprint Authentication?
93 What is App-Linking?
94 What is ProGuard?
95 How to Disable Debugging in release mode using conditional compile?
96 How to use Localization?
97 How Launch Android Emulator using Command line?
98 Can we develop Android Wear application ? 

Xamarin.iOS


99 Can you tell about Xamarin.iOS?
100 Can we develop ios Application using Xamarin Studio in Windows machine?
101 What is use of Appdelegate.cs file?
102 What is use of info.Plist file?
103 How to read Custom .Plist file ?
104 What is use of entitlements.plist file?
105 What is UIViewController lifecycle?
106 What is content View Hierarchy?
107 How to change button text in Runtime?
108 How to enable to disable Button?
109 How to dismiss keyboard while button click?
110 What is use of NSURl?
111 What is code for Show alert?
112 How to deploy application to Device?
113 What is Device Provisioning?
114 What is storyboard?
115 How to use PushViewController on UIViewContoller ?
116 Can you explain about Navigation Controllers and Segues?
117 What Event with UIKit?
118 What is delegate?
119 What is use of NSAutoReleasePool?
120 What is UNUserNotificationCenter?
121 How to add Image in code behind file ?
122 How to set Launch Screens with Storyboards?
123 What is Different FromBundle VS FromFile?
124 Can we create Resource folder from iOS project ?
125 What is Build Action for image ?
126 What are the .plist file?
127 What is use info.plist file?
128 What is class we can use for FileSystem?
129 How to get subdirectory from Current Directory?
130 How to read the files?
131 How to get MyDocument Folder path?
132 How to write file to ios local storage?
133 How to create DIRECTORY?
134 What is use of UIFileSharingEnabled?
135 What is of SetSkipBackupAttribute?
136 How to generate unique ID?
137 How to create App URL Scheme in Xamarin.iOS?
138 How to Use or Debug App URL Scheme in Xamarin.ios?
139 How to open Setting in Iphone?
140 How to add Control inside the View ?
141 What is use of VieDidLoad()?
142 What is the use of LoadView() ?
143 What is Background Task?
144 What are the Application State?
145 What are the Application lifecycle?
146 What is App Switcher?
147 What are the different type of Background Fetch Interval?
148 What is use of BackgroundFetchIntervalNever ?
149 What is use of BackgroundFetchIntervalMinimum ?
150 What is use of BackgroundFetchIntervalCustom ?
151 What are setting need to Enable for implement Location in your application?
152 How to Check Location Service Enable or Not?
153 What is NSUserDefault?
154 How to use NSUserDefault?
155 What is use of Auto layout?
156 What is Storyboard?
157 How can show a pdf, stored on the device, in an UIWebView?
158 What is different between UITextField vs UITextView?
159 How can we get selected text index in UITextView in IOS?
160 How to Set TextView as Read only?
161 What is UIControlState?
162 What is use of Slider control?
163 What is use of Switch Control?
164 What are the UITableView Parts ?
165 What is UICollectionView?
166 What is use of Tabbed Application?
167 What is Binding Objective-C?
168 What is use of new Reference Counting System?

Xamarin .Forms


169 Can you tell about Xamarin.Forms?
170 Can you tell what are the platform will support xamarin.Forms?
171 What s version visual Studio Will support Xamarin.Forms?
172 How to convert Portable solution to Xamarin.Forms Applications?
173 How to Show Alert Box on all the platform ?
174 What is Page in Xamarin.Forms ?
175 What is different type of pages in xamarin.Forms ?
176 What is ContentPage?
177 What is MasterDetailpage?
178 What is NavigationPage?
179 What is TabbedPage
180 What is TemplatePage?
181 What is CarouselPage?
182 What is Layouts?
183 What are the different type of layouts?
184 What is Xamarin.Forms View?
185 What is StackLayout?
186 What is Xamarin.Forms ListView?
187 Can you tell about different type ContentPage Navigation?
188 What is Hierarchical Navigation?
189 Can you write code for Create RootPagenavigation ?
190 What is PushingPage NAVIGATION?
191 What is PoppingPage Navigation?
192 What is PopToRoot Navigation?
193 How to disable back action from login Success screen?
194 How to pass Data through BindingContext?
195 What is Model Navigation?
196 How to disable back Button press?
197 What is ResourceDictionary?
198 What is differentness between Static vs. StaticResources?
199 How to Set as Home page in xamarin Forms?
200 What is “MainPage” property from App Class?
201 What is Property Dictionary?
202 How to Save Property Dictionary?
203 How to Get Property Dictionary?
204 How to access Application.Current.Properties from a Native Class?
205 What is App Lifecycle?
206 What is Behaviors?
207 Why we need Behaviors?
208 What is Attached Property?
209 How to Create Custom Entry Control?
210 How to Consume Custom Control in Xaml Page?
211 How to Consume custom Control in C# Page?
212 What is Custom Render?
213 How to create Custom Render Class?
214 What are the steps to create PageRenderer?
215 How to IMPLEMENT Camera page using PAGERENDERER?
216 What is DependencyService?
217 How DependencyService Wokrs?
218 How to Dismiss Keyboard after entry using xamarin.forms ?
219 How to use FileSystem?
220 Do we have any Common Package for File System?
221 What is use of TapGestureRecognizera()?
222 What is use of PinchGestureRecognizer?
223 What is use of PanGestureRecognizer?
224 What is MessagingCenter?
225 How the messagingcenter Works?
226 What is Subscribe Message?
227 What is Send Message?
228 How to send message?
229 How to Subscribe message?
230 How to PASSING / receiving as argument from messaging?
231 How to unsubscribe Message?
232 What is Action Sheet?
233 How to display UIActionSheet?
234 What is Xamarin Forms Control Templates?
235 What is Data Templates?
236 What is trigger?
237 What are the Different type TRIGGER?
238 What is property Trigger?
239 What is Data Trigger?
240 What is Event Trigger?
241 What is Multi Trigger?
242 What are the build a Color instance?
243 How to assign Web Image from Image control?
244 What is different between Entry VS Editor?
245 How to Fix the Image size to the Screen?
246 What is WebView?
247 How to display website inside the apps?
248 How to Display Html Design inside the apps?
249 How to Send email from Shared code in Xamarin.Forms?
250 What is CocosSharp?
251 What are the COCOSSharp features ?
252 What is SkiaSharp?
253 What is urhoSharp?

Questions

1 Can you tell about Xamarin ?
2 History of Xamarin
3 What is Xamarin.iOS Application compiler?
4 What Xamarin.Android Application compiler?
5 Can we develop Windows mobile application using xamarin Studio in mac OS?
6 Can we develop iOS application using VS in Windows machine?
7 Can we develop iOS application using Xamarin Studio in Windows machine?
8 Did we develop Xamarin Mobile cross platform Application using Visual Studio?
9 Can you share iOS,Android,Windows Mobile application design guide line?
10 What is TestFlight?
11 What is hockeyapp?
12 How to use version control in Xamarin Studio?
13 What are the way to share the code to different platform?
14 What is Portable class libraries?
15 What are the benefits for PCL?
16 What is Shared Project?
17 Do we have any output file for share project?
18 What is the Version of xamain Studio and Visual Studio will support Share project?
19 What is iOS platform SDK Access?
20 What is Android Platform SDK Access?
21 What is Windows Platform SDK Access?
22 What is use of __MOBILE__ Conditional Compilation?
23 How to get library path in Xamarin.Android?
24 How to get library path in Xamarin.iOS?
25 How to get library path from UWP?
26 What is HttpClient ?
27 Did we have Xamarin.iOS unit testing framework?
28 How to make iOS native libraries accessible in Xamarin apps?

Xamarin. Android

29 What is Xamarin.Android ?
30 What is the file format for Android Designer File and where its located?
31 How to setup first PAGE (Launch page) in xamarin android?
32 What all Contains in AndroidManifest.xml file?
33 How to enable Debugging on Android Device?
34 How to Set Icons for Different Android Screen Densities?
35 Can you Explain about Activities?
36 Differentiate Activities from Services?
37 What is adb?
38 What are the four essential states of an activity?
39 What is ANR?
40 What is a Fragment?
41 How to specify Control ID in xamarin.Android?
42 How to Register button control in MainActivity Class?
43 How to add button click event?
44 Can you explain about Activity State?
45 Can You explain about Activity lifecycle?
46 When open the app, what are activity method will execute?
47 When Back Button Pressed, what are activity method will execute?
48 When home button pressed, what are activity method will execute?
49 When open App another app from notification bar or while open SETTING, WHAT are the activity method will EXECUTE?
50 When any dialog open on screen, What are the activity method will execute ?
51 After dismiss the dialog or back button from dialog, What are the activity method will execute ?
52 Any phone is ringing and user in the app, What are the activity method will EXECUTE?
53 What is Different between Home and back button?
54 What is use of OnSaveInstanceState ?
55 What is use of OnRestoreInstanceState ?
56 What is indent?
57 Can You explain about 2 Different type of Intent?
58 How to Add Androidmanifest.xml file? If the application does not already have an AndroidManifest.xml .
59 How to Add Required Permission from Android Application? ( eg: Camera ,Call Phone )
60 How to Prevent orientation change for a page?
61 How you can use animation in xamarin android application?
62 What are different type Animation in Xamarin.Android?
63 How to Specify Supported Architectures?
64 How do you handle orientation changes on Activity?
65 What are two different type orientation technique?
66 How to Identify Orientation status?
67 How to play Audio in ANDROID?
68 How to recording Audio in Android ?
69 Do we need to Enable any required permission for Debug recording Audio?
70 Is there a way to disable screenshot?
71 How to Send SMS ?
72 How to Initializing and Playing Audio?
73 What is local Notification in Xamarin.Android ?
74 What are the Two Daffern type of Notification layout ?
75 What are the two different Android notification layouts?
76 What is the class will use for Notification?
77 How to Enable Notification SOUND?
78 How to Enable Notification Vibrate?
79 What is Google Cloud messaging?
80 What is a Push notification on Android?
81 How to implement Local Storage in Xamarin.Android?
82 What are the different way for Local storage?
83 What are the Advantages of using a Database?
84 How to retrieve library path in xamarin.Android?
85 What is CardView widget?
86 How to create Splash Activity?
87 What is use Grid View control?
88 What is different Grid View and Grid Layout ?
89 What is LinearLayout?
90 What is Android Beam?
91 How Android Beam will work?
92 What are the required device permission for Fingerprint Authentication?
93 What is App-Linking?
94 What is ProGuard?
95 How to Disable Debugging in release mode using conditional compile?
96 How to use Localization?
97 How Launch Android Emulator using Command line?
98 Can we develop Android Wear application ?

Xamarin.iOS

99 Can you tell about Xamarin.iOS?
100 Can we develop ios Application using Xamarin Studio in Windows machine?
101 What is use of Appdelegate.cs file?
102 What is use of info.Plist file?
103 How to read Custom .Plist file ?
104 What is use of entitlements.plist file?
105 What is UIViewController lifecycle?
106 What is content View Hierarchy?
107 How to change button text in Runtime?
108 How to enable to disable Button?
109 How to dismiss keyboard while button click?
110 What is use of NSURl?
111 What is code for Show alert?
112 How to deploy application to Device?
113 What is Device Provisioning?
114 What is storyboard?
115 How to use PushViewController on UIViewContoller ?
116 Can you explain about Navigation Controllers and Segues?
117 What Event with UIKit?
118 What is delegate?
119 What is use of NSAutoReleasePool?
120 What is UNUserNotificationCenter?
121 How to add Image in code behind file ?
122 How to set Launch Screens with Storyboards?
123 What is Different FromBundle VS FromFile?
124 Can we create Resource folder from iOS project ?
125 What is Build Action for image ?
126 What are the .plist file?
127 What is use info.plist file?
128 What is class we can use for FileSystem?
129 How to get subdirectory from Current Directory?
130 How to read the files?
131 How to get MyDocument Folder path?
132 How to write file to ios local storage?
133 How to create DIRECTORY?
134 What is use of UIFileSharingEnabled?
135 What is of SetSkipBackupAttribute?
136 How to generate unique ID?
137 How to create App URL Scheme in Xamarin.iOS?
138 How to Use or Debug App URL Scheme in Xamarin.ios?
139 How to open Setting in Iphone?
140 How to add Control inside the View ?
141 What is use of VieDidLoad()?
142 What is the use of LoadView() ?
143 What is Background Task?
144 What are the Application State?
145 What are the Application lifecycle?
146 What is App Switcher?
147 What are the different type of Background Fetch Interval?
148 What is use of BackgroundFetchIntervalNever ?
149 What is use of BackgroundFetchIntervalMinimum ?
150 What is use of BackgroundFetchIntervalCustom ?
151 What are setting need to Enable for implement Location in your application?
152 How to Check Location Service Enable or Not?
153 What is NSUserDefault?
154 How to use NSUserDefault?
155 What is use of Auto layout?
156 What is Storyboard?
157 How can show a pdf, stored on the device, in an UIWebView?
158 What is different between UITextField vs UITextView?
159 How can we get selected text index in UITextView in IOS?
160 How to Set TextView as Read only?
161 What is UIControlState?
162 What is use of Slider control?
163 What is use of Switch Control?
164 What are the UITableView Parts ?
165 What is UICollectionView?
166 What is use of Tabbed Application?
167 What is Binding Objective-C?
168 What is use of new Reference Counting System?

Xamarin .Forms

169 Can you tell about Xamarin.Forms?
170 Can you tell what are the platform will support xamarin.Forms?
171 What s version visual Studio Will support Xamarin.Forms?
172 How to convert Portable solution to Xamarin.Forms Applications?
173 How to Show Alert Box on all the platform ?
174 What is Page in Xamarin.Forms ?
175 What is different type of pages in xamarin.Forms ?
176 What is ContentPage?
177 What is MasterDetailpage?
178 What is NavigationPage?
179 What is TabbedPage
180 What is TemplatePage?
181 What is CarouselPage?
182 What is Layouts?
183 What are the different type of layouts?
184 What is Xamarin.Forms View?
185 What is StackLayout?
186 What is Xamarin.Forms ListView?
187 Can you tell about different type ContentPage Navigation?
188 What is Hierarchical Navigation?
189 Can you write code for Create RootPagenavigation ?
190 What is PushingPage NAVIGATION?
191 What is PoppingPage Navigation?
192 What is PopToRoot Navigation?
193 How to disable back action from login Success screen?
194 How to pass Data through BindingContext?
195 What is Model Navigation?
196 How to disable back Button press?
197 What is ResourceDictionary?
198 What is differentness between Static vs. StaticResources?
199 How to Set as Home page in xamarin Forms?
200 What is “MainPage” property from App Class?
201 What is Property Dictionary?
202 How to Save Property Dictionary?
203 How to Get Property Dictionary?
204 How to access Application.Current.Properties from a Native Class?
205 What is App Lifecycle?
206 What is Behaviors?
207 Why we need Behaviors?
208 What is Attached Property?
209 How to Create Custom Entry Control?
210 How to Consume Custom Control in Xaml Page?
211 How to Consume custom Control in C# Page?
212 What is Custom Render?
213 How to create Custom Render Class?
214 What are the steps to create PageRenderer?
215 How to IMPLEMENT Camera page using PAGERENDERER?
216 What is DependencyService?
217 How DependencyService Wokrs?
218 How to Dismiss Keyboard after entry using xamarin.forms ?
219 How to use FileSystem?
220 Do we have any Common Package for File System?
221 What is use of TapGestureRecognizera()?
222 What is use of PinchGestureRecognizer?
223 What is use of PanGestureRecognizer?
224 What is MessagingCenter?
225 How the messagingcenter Works?
226 What is Subscribe Message?
227 What is Send Message?
228 How to send message?
229 How to Subscribe message?
230 How to PASSING / receiving as argument from messaging?
231 How to unsubscribe Message?
232 What is Action Sheet?
233 How to display UIActionSheet?
234 What is Xamarin Forms Control Templates?
235 What is Data Templates?
236 What is trigger?
237 What are the Different type TRIGGER?
238 What is property Trigger?
239 What is Data Trigger?
240 What is Event Trigger?
241 What is Multi Trigger?
242 What are the build a Color instance?
243 How to assign Web Image from Image control?
244 What is different between Entry VS Editor?
245 How to Fix the Image size to the Screen?
246 What is WebView?
247 How to display website inside the apps?
248 How to Display Html Design inside the apps?
249 How to Send email from Shared code in Xamarin.Forms?
250 What is CocosSharp?
251 What are the COCOSSharp features ?
252 What is SkiaSharp?
253 What is urhoSharp?

Featured Post

How to Get an Free Azure Subscription for Learning

This guide will help you get started with Microsoft Azure for free. It explains three easy ways: using a Free Azure Account Signing up for A...

MSDEVBUILD - English Channel

MSDEVBUILD - Tamil Channel

Popular Posts