Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Why am I getting "The modifier 'virtual' is not valid for this item" error?

I'm trying to create mvc application with model below: (the code is large. I think it will be more understandable for you)

public class Job
{
    public int JobId { get; set; }
    public string Name { get; set; }

    public List<Job> GetJobs()
    {
        List<Job> jobsList = new List<Job>();
        jobsList.Add(new Job { JobId = 1, Name = "Operator" });
        jobsList.Add(new Job { JobId = 2, Name = "Performer" });
        jobsList.Add(new Job { JobId = 3, Name = "Head" });
        return jobsList;
    }
}

public class Person
{
    public virtual int PersonId { get; set; }
    public string FullName { get; set; }
    public int JobId { get; set; }
    public virtual Job Job;
    public string Phone { get; set; }
    public string Address { get; set; }
    public string Passport { get; set; }
    [DataType(DataType.MultilineText)]
    public string Comments { get; set; }
}

public class PersonPaidTo : Person
{
    [Key]
    public override int PersonId { get; set; }
    public virtual List<Order> Orders { get; set; }
}

public class Head : Person
{
    [Key]
    public override int PersonId { get; set; }
    public Job Job { get; set; }
    public Head()
    {
        Job.Id = 3;
    }
}

I have an error in class Person in the field Job:

The modifier 'virtual' is not valid for this item

like image 487
bragin.www Avatar asked Oct 15 '12 16:10

bragin.www


1 Answers

Yes, this code is invalid:

public virtual Job Job;

That's declaring a field, and fields can't be virtual. You either want it to be a property:

public virtual Job Job { get; set; }

Or just a field:

// Ick, public field!
public Job Job;

(My guess is that you want the former, but both are valid C#.)

like image 65
Jon Skeet Avatar answered Oct 04 '22 02:10

Jon Skeet