Reputation: 2084
I am trying to create a simple local SQLite database using Xamarin.Android. The code for that is:
string folder = Environment.GetFolderPath (Environment.SpecialFolder.Personal);
SQLiteConnectiondb = new SQLiteConnection (Path.Combine (folder, "Experimental.db"));
db.CreateTable<Employee>();
My Employee class is:
[Table("Employees")]
public class Employee
{
[PrimaryKey, AutoIncrement]
int Id { get; set; }
string Name { get; set; }
}
The exception I am getting whenever the code reaches db.CreateTable is:
SQLite.SQLiteException: near ")": syntax error
at at SQLite.SQLite3.Prepare2 (intptr,string) <IL 0x0002c, 0x00160>
at at SQLite.SQLiteCommand.Prepare () <IL 0x00011, 0x0008f>
at at SQLite.SQLiteCommand.ExecuteNonQuery () <IL 0x00013, 0x000b3>
at at SQLite.SQLiteConnection.Execute (string,object[]) <IL 0x00041, 0x001ab>
at at SQLite.SQLiteConnection.CreateTable (System.Type,SQLite.CreateFlags) <IL 0x000a4, 0x005cb>
at at SQLite.SQLiteConnection.CreateTable<Core.Employee> (SQLite.CreateFlags) <0x00063>
To the inexperienced eyes of mine, this does look like an issue related to SQLite itself. Has anyone else faced this and if so - what was your work-around?
Upvotes: 3
Views: 2902
Reputation: 31
Problem is Linker Options, some times the SQLite-net package was not link with your project. Have to check linker behaviour , in iOS link SDK assemblies only and mtouch : --linkskip=SQLite-net then its working.
Upvotes: 0
Reputation: 12180
Make the properties on the Employee class public so SQLite can see them when it's creating the columns for your table:
[Table("Employees")]
public class Employee
{
[PrimaryKey, AutoIncrement]
public int Id { get; set; }
public string Name { get; set; }
}
Upvotes: 7