I'm not quite sure what are you trying to achieve here
var user = db.User.Where(x => x.UserID).Select(o => new User
{
  UserId = o.UserId, // auto populate
  Username = o.Username, // auto populate
  ........  // auto populate all properties inside User class
}
since both new User and db.User are the same type of class/entity. But let's say you have an entity model User and a DTO/View model called UserViewModel and you want automatically to map the values of User to UserViewModel you can use automapper https://docs.automapper.org/en/stable/Getting-started.html Example this is the Entity definition
public class User 
{
   public int Id {get; set;}
  
   public string FirstName {get; set;}
   public string LastName {get; set;}
 
   public int Age {get; set;}
}
And we have a UserViewModel to which you want to map the data from User
  public class UserViewModel 
  {
     public int Id {get; set;}
  
     public string FirstName {get; set;}
     public string LastName {get; set;}
 
     public int Age {get; set;}
   }
With AutoMapper you can do this
 var configuration = new MapperConfiguration(config =>
 {
     config.CreateMap<User, UserViewModel>();
 }
and then you can use the mapper configuration like this
var user = db.User.Where(x => x.UserID).First();
var userViewModel = configuration.CreateMapper().Map<UserViewModel>(user);
This will automatically populate the property values of User to UserViewModel. Alternatively you can have a view model like this
public class UserViewModel 
{
     public int Id {get; set;}
  
     public string FullName {get; set;}
 
     public int Age {get; set;}
}
This time not all properties of User and UserViewModel match one to one and you will have to set a custom mapper configuration i.e.
var configuration = new MapperConfiguration(config =>
 {
     config.CreateMap<User, UserViewModel>()
           .ForMember(uvm => uvm.FullName, o => o.MapFrom($"{u.FirstName} {u.LastName}") );
 }
This way you are configuring the automatic User to UserViewModel mapping to map the FullName property value by concatenating FirstName and LastName from User