It's not built into EF Core by default, but you can create your own function mapping. Assuming this is in .NET 6, you can do something like this:
public class MyDbContext : DbContext
{
    //snip other stuff
    // Add a stub method we can use later...
    public int? DatePart(string datepart, DateTime? date) => throw new NotImplementedException();
    protected override void OnModelCreating(ModelBuilder builder)
    {
        base.OnModelCreating(builder);
        // Get a reference to the stub method
        var methodInfo = typeof(MyDbContext)
            .GetRuntimeMethod(nameof(DatePart), new[] { typeof(string), typeof(DateTime?) });
        // Now tell the context how to map the stub method to the actual SQL
        builder
            .HasDbFunction(methodInfo)
            .HasTranslation(args =>
            {
                var datepartFragment = new SqlFragmentExpression(((SqlConstantExpression)args[0]).Value.ToString());
                var datePropertyFragment = new SqlFragmentExpression(((ColumnExpression)args[1]).Name);
                return new SqlFunctionExpression(
                    nameof(DatePart),
                    new SqlExpression[] { datepartFragment, datePropertyFragment },
                    true,
                    new[] { true, true },
                    typeof(int?),
                    RelationalTypeMapping.NullMapping
                );
            });
    }
}
Now you can call this method in your Linq queries like this:
var products = _context.Products
    .Select(p => new 
    {
        Name = p.Name,
        IsoWeekCreated = _context.DatePart("iso_week", p.DateCreated) // <--- The clever bit here
    })
    .ToList();