Digamos que tengo un protocolo:
public protocol Printable {
typealias T
func Print(val:T)
}
Y aquí está la implementación
class Printer<T> : Printable {
func Print(val: T) {
println(val)
}
}
Mi expectativa era que debería poder usar la Printable
variable para imprimir valores como este:
let p:Printable = Printer<Int>()
p.Print(67)
El compilador se queja de este error:
"el protocolo 'Imprimible' solo se puede utilizar como una restricción genérica porque tiene requisitos de tipo propio o asociados"
Estoy haciendo algo mal ? Cualquier forma de arreglar esto ?
**EDIT :** Adding similar code that works in C#
public interface IPrintable<T>
{
void Print(T val);
}
public class Printer<T> : IPrintable<T>
{
public void Print(T val)
{
Console.WriteLine(val);
}
}
//.... inside Main
.....
IPrintable<int> p = new Printer<int>();
p.Print(67)
EDICIÓN 2: Ejemplo del mundo real de lo que quiero. Tenga en cuenta que esto no se compilará, pero presentará lo que quiero lograr.
protocol Printable
{
func Print()
}
protocol CollectionType<T where T:Printable> : SequenceType
{
.....
/// here goes implementation
.....
}
public class Collection<T where T:Printable> : CollectionType<T>
{
......
}
let col:CollectionType<Int> = SomeFunctiionThatReturnsIntCollection()
for item in col {
item.Print()
}