Johan
Johan

Reputation: 35194

Expression<Func<T, bool>> method argument

I'm trying to make a generic method that returns the string version of an expression:

public string GetExpressionString(Expression<Func<T, bool>> expr) where T: class
{
    return exp.Body.ToString();
}

Cannot resolve symbol T

Works well if I change T to a hard coded type.

What did I miss?

Upvotes: 2

Views: 1448

Answers (2)

p.s.w.g
p.s.w.g

Reputation: 149020

You'll need to declare T as a generic type parameter on the method:

public string GetExpressionString<T>(Expression<Func<T, bool>> exp)
    where T: class
{
    return exp.Body.ToString();
}

// call like this
GetExpressionString<string>(s => false);
GetExpressionString((Expression<Func<string, bool>>)(s => false));

Or on the parent class:

public class MyClass<T>
    where T: class
{
    public string GetExpressionString(Expression<Func<T, bool>> exp)
    {
        return exp.Body.ToString();
    }
}

// call like this
var myInstance = new MyClass<string>();
myInstance.GetExpressionString(s => false);

Further Reading:

Upvotes: 7

Rune FS
Rune FS

Reputation: 21742

It's a syntax error. You haven't declared T as a generic type argument

public string GetExpressionString<T>(Expression<Func<T, bool>> expr) where T: class
{
    return exp.Body.ToString();
}

notice the <T>

Upvotes: 6

Related Questions