Database seeding
Database seeding is the initial seeding of a database with data.
This is often an automated process that is executed upon the initial setup of an application.
The data can be dummy data or necessary data such as an initial administrator account.
Entity Framework
Main article: Entity Framework
\Migrations\Configuration.cs
public class ApplicationDatabaseInitializer : DropCreateDatabaseIfModelChanges<DbContext>
{
protected override void Seed(DbContext context)
{
var UserManager = new UserManager<ApplicationUser>(new UserStore<ApplicationUser>(context));
var RoleManager = new RoleManager<IdentityRole>(new RoleStore<IdentityRole>(context));
var username = "Alice";
var password = "password123";
var role = "Admin";
// Create role Admin if it does not exist
if (!RoleManager.RoleExists(role))
{
RoleManager.Create(new IdentityRole(role));
}
// Create user Alice
var user = new ApplicationUser() { UserName = username; };
var result = UserManager.Create(user, password);
// Add user Admin to role Admin
if (result.Succeeded)
{
var result = UserManager.AddToRole(user.Id, role);
}
}
}
Laravel PHP Framework
Main article: Laravel
app/database/seeds/users.php
class DatabaseSeeder extends Seeder {
public function run()
{
$this->call('UserTableSeeder');
$this->command->info('User table seeded!');
}
}
class UserTableSeeder extends Seeder {
public function run()
{
DB::table('users')->delete();
User::create(array('email' => '[email protected]'));
}
}
External links
- http://laravel.com/docs/migrations
- https://msdn.microsoft.com/en-us/library/gg679410%28v=vs.113%29.aspx
This article is issued from Wikipedia - version of the 1/26/2015. The text is available under the Creative Commons Attribution/Share Alike but additional terms may apply for the media files.