Last night I had several thought about RAII and want to discuss a bit.
Why doesn't CSharp support destructors in structs? Wouldn't that make RAII
possible like in C++? When the struct goes out of scope, the dtor could be
immediately be called (no GC needed).
For that, you don't have to declare the whole File class as a struct (which
would be not good for performance when File has a lot of data-members).
Instead creating a thin wrapper would be a good solution:
public struct MyFile
{
File f;
public MyFile(string p) { f=new File(p); }
~MyFile() { f.Close(); }
}
That would do it.
I have a second though which got through my mind. What about introducing an
interface which is recognized by the compiler and forces usage of the
using() statement.
public interface IDisposableForce : IDisposable{}
A second possibility could be declaring an attribute which marks
IDisposable-implementing-classes wheather using() should be mandatory or at
least suggested.
enum WarnLevel {NoWarn,WarnLvl1,WarnLvl2,WarnLvl3,WarnLvl4,Genera teError};
class UsingAttribute{UsingAttribute(WarnLevel w){}}
[Using(WarnLvl3)] // that means if warnlevel 3 or higher is set a warning
is issued when this class is used without using()-statement
public class MyFile : File
{
public class MyFile(string p) :base(p){}
}
What do you think?
--
cody
[Freeware, Games and Humor] www.deutronium.de.vu || www.deutronium.tk 26 2237
> For that, you don't have to declare the whole File class as a struct
(which would be not good for performance when File has a lot of data-members). Instead creating a thin wrapper would be a good solution:
public struct MyFile { File f; public MyFile(string p) { f=new File(p); } ~MyFile() { f.Close(); } }
Or you can just call f.Close(); yourself. Don't see the benefit here.
I have a second though which got through my mind. What about introducing
an interface which is recognized by the compiler and forces usage of the using() statement.
public interface IDisposableForce : IDisposable{}
A second possibility could be declaring an attribute which marks IDisposable-implementing-classes wheather using() should be mandatory or
at least suggested.
using() is a C#-specific thing. It's just a try/finally and a call to
dispose at the end. using() just saves a few lines of code, that's all.
Nothing magical.
enum WarnLevel {NoWarn,WarnLvl1,WarnLvl2,WarnLvl3,WarnLvl4,Genera teError};
class UsingAttribute{UsingAttribute(WarnLevel w){}}
[Using(WarnLvl3)] // that means if warnlevel 3 or higher is set a warning is issued when this class is used without using()-statement public class MyFile : File { public class MyFile(string p) :base(p){} }
Any class that implements IDisposable should have it's Dispose method
(sometimes named Close) called. Simple as that. It's not too hard (check
to see if there's IDisposable, and if so, dispose it!).
-mike
MVP
I was just talking about something similar last week. What came out of it is
the notion of a helper class that can help detect cases where a user forgot
to Dispose/Close an object whose class implements IDisposable. The idea is
cause exceptions, throw up message boxes, or at least log these things, to
force people into proper coding form. I am putting this into practice in my
stuff.
It's not quite the same as constructs that are an explicit part of the
CLR/CTS or a particular language such as what you are suggesting, but IMO
it's a reasonable substitute in the absence of thsoe things. (Though for the
record I agree with another poster about the dubious nature of an
IDisposableForce. I originally suggested that perhaps the system could
invoke an operator on a class whenever a reference is added or released,
which could allow classes to automatically perform their own disposal.)
"codymanix" <do*********************@gmx.de> wrote in message
news:eu**************@TK2MSFTNGP09.phx.gbl... Last night I had several thought about RAII and want to discuss a bit.
Why doesn't CSharp support destructors in structs? Wouldn't that make RAII possible like in C++? When the struct goes out of scope, the dtor could be immediately be called (no GC needed).
For that, you don't have to declare the whole File class as a struct
(which would be not good for performance when File has a lot of data-members). Instead creating a thin wrapper would be a good solution:
public struct MyFile { File f; public MyFile(string p) { f=new File(p); } ~MyFile() { f.Close(); } }
That would do it.
I have a second though which got through my mind. What about introducing
an interface which is recognized by the compiler and forces usage of the using() statement.
public interface IDisposableForce : IDisposable{}
A second possibility could be declaring an attribute which marks IDisposable-implementing-classes wheather using() should be mandatory or
at least suggested.
enum WarnLevel {NoWarn,WarnLvl1,WarnLvl2,WarnLvl3,WarnLvl4,Genera teError};
class UsingAttribute{UsingAttribute(WarnLevel w){}}
[Using(WarnLvl3)] // that means if warnlevel 3 or higher is set a warning is issued when this class is used without using()-statement public class MyFile : File { public class MyFile(string p) :base(p){} }
What do you think?
-- cody
[Freeware, Games and Humor] www.deutronium.de.vu || www.deutronium.tk
Michael Giagnocavo [MVP] wrote: For that, you don't have to declare the whole File class as a struct (which would be not good for performance when File has a lot of data-members). Instead creating a thin wrapper would be a good solution:
public struct MyFile { File f; public MyFile(string p) { f=new File(p); } ~MyFile() { f.Close(); } }
Or you can just call f.Close(); yourself. Don't see the benefit here.
The benefit of and the idea behind RAII (resource acquisition is
initialization) is that it causes the cleanup code to be called
automatically upon exit, even when an exception is thrown earlier in the
function.
In my opinion, the absence of deterministic destruction, and hence the
impossibility of RAII, is something that Java and C# got totally wrong.
Gerhard Menzl
--
Replace "spambucket" with "kapsch" to reply
This is probably a good idea, perhaps a base class in the framework
"BaseRAII" that is either recognized by the compiler as a special class
[like the Debug class in System.Diagnostics] or decorated with attributes to
warn of improper use.
In my mind the destructor of these BaseRAII classes should always be called
to release the resource immediately.
--
Eric Newton
C#/ASP Application Developer http://ensoft-software.com/ er**@cc.ensoft-software.com [remove the first "CC."]
"Ted Miller" <te*@nwlink.com> wrote in message
news:vs************@corp.supernews.com... I was just talking about something similar last week. What came out of it
is the notion of a helper class that can help detect cases where a user
forgot to Dispose/Close an object whose class implements IDisposable. The idea is cause exceptions, throw up message boxes, or at least log these things, to force people into proper coding form. I am putting this into practice in
my stuff.
It's not quite the same as constructs that are an explicit part of the CLR/CTS or a particular language such as what you are suggesting, but IMO it's a reasonable substitute in the absence of thsoe things. (Though for
the record I agree with another poster about the dubious nature of an IDisposableForce. I originally suggested that perhaps the system could invoke an operator on a class whenever a reference is added or released, which could allow classes to automatically perform their own disposal.)
"codymanix" <do*********************@gmx.de> wrote in message news:eu**************@TK2MSFTNGP09.phx.gbl... Last night I had several thought about RAII and want to discuss a bit.
Why doesn't CSharp support destructors in structs? Wouldn't that make
RAII possible like in C++? When the struct goes out of scope, the dtor could
be immediately be called (no GC needed).
For that, you don't have to declare the whole File class as a struct (which would be not good for performance when File has a lot of data-members). Instead creating a thin wrapper would be a good solution:
public struct MyFile { File f; public MyFile(string p) { f=new File(p); } ~MyFile() { f.Close(); } }
That would do it.
I have a second though which got through my mind. What about introducing an interface which is recognized by the compiler and forces usage of the using() statement.
public interface IDisposableForce : IDisposable{}
A second possibility could be declaring an attribute which marks IDisposable-implementing-classes wheather using() should be mandatory or at least suggested.
enum WarnLevel
{NoWarn,WarnLvl1,WarnLvl2,WarnLvl3,WarnLvl4,Genera teError}; class UsingAttribute{UsingAttribute(WarnLevel w){}}
[Using(WarnLvl3)] // that means if warnlevel 3 or higher is set a
warning is issued when this class is used without using()-statement public class MyFile : File { public class MyFile(string p) :base(p){} }
What do you think?
-- cody
[Freeware, Games and Humor] www.deutronium.de.vu || www.deutronium.tk
"codymanix" <do*********************@gmx.de> wrote in message <news:eu**************@TK2MSFTNGP09.phx.gbl>... Last night I had several thought about RAII and want to discuss a bit.
Why doesn't CSharp support destructors in structs? Wouldn't that make RAII possible like in C++? When the struct goes out of scope, the dtor could be immediately be called (no GC needed).
For that, you don't have to declare the whole File class as a struct (which would be not good for performance when File has a lot of data-members). Instead creating a thin wrapper would be a good solution:
public struct MyFile { File f; public MyFile(string p) { f=new File(p); } ~MyFile() { f.Close(); } }
That would do it.
This would be tantamount to admitting that castrating Visual Basic
was a mistake and, therefore, must be considered unnecessary and
"looking backwards" instead of Looking Towards The Future. You
might as well argue for the reintroduction of reference counting!
I have a second though which got through my mind. What about introducing an interface which is recognized by the compiler and forces usage of the using() statement.
public interface IDisposableForce : IDisposable{}
A second possibility could be declaring an attribute which marks IDisposable-implementing-classes wheather using() should be mandatory or at least suggested.
enum WarnLevel {NoWarn,WarnLvl1,WarnLvl2,WarnLvl3,WarnLvl4,Genera teError};
class UsingAttribute{UsingAttribute(WarnLevel w){}}
[Using(WarnLvl3)] // that means if warnlevel 3 or higher is set a warning is issued when this class is used without using()-statement public class MyFile : File { public class MyFile(string p) :base(p){} }
What do you think?
If you want real destructors, use C++ or Visual FoxPro. Get over it!
Anyway, what happens when (not if) existing classes are changed to
implement IDisposableForce in addition to or instead of IDisposable?
Do you force everyone to go back and rewrite their code? Oh wait, this
has already been done to Visual Basic, so it must be OK. Never mind...
--
Joe Foster <mailto:jlfoster%40znet.com> DC8s in Spaace: <http://www.xenu.net/>
WARNING: I cannot be held responsible for the above They're coming to
because my cats have apparently learned to type. take me away, ha ha!
"Joe "Nuke Me Xemu" Foster" <jo*@bftsi0.UUCP> wrote in message
news:uk**************@TK2MSFTNGP11.phx.gbl... This would be tantamount to admitting that castrating Visual Basic was a mistake and, therefore, must be considered unnecessary and "looking backwards" instead of Looking Towards The Future. You might as well argue for the reintroduction of reference counting!
Actually, I sorta do argue for the reintroduction of refcounting -- but not
for lifetime control. I think there should be a 'reference' operator,
because (I believe) the system (compiler and runtime) know when references
are added and removed from an object; this would allow an object to use a
sort of refcounting scheme to implement auto destruction.
If you want real destructors, use C++ or Visual FoxPro. Get over it!
If you want to target the CLR (i.e., if you want to program for .Net), this
is not possible. (Managed C++ destructors have similar semantics to C#
destructors.)
Anyway, what happens when (not if) existing classes are changed to implement IDisposableForce in addition to or instead of IDisposable? Do you force everyone to go back and rewrite their code? Oh wait, this has already been done to Visual Basic, so it must be OK. Never mind...
This isn't so sifferent from the notion of breaking binary compatibility
that existed in earlier versions of VB. There's an interface contract, and
changing it requires changes to consumers of the class, just as it always
has.
> Actually, I sorta do argue for the reintroduction of refcounting -- but
not for lifetime control. I think there should be a 'reference' operator, because (I believe) the system (compiler and runtime) know when references are added and removed from an object; this would allow an object to use a sort of refcounting scheme to implement auto destruction.
The compiler knows it when references are added or released. Reference
counting would be fine for some classes that:
- Does not contain References of reference-counted types (to avoid situation
where objects references each other but nowbody can reach them)
- That aren't copied and passed much (Sorting an array of reference counted
objects would be very slow since each swap involves lots of decrementing
and incrementing the reference count)
If structs would be allowed to have dtors, reference counting could simply
be implemented by developers.
--
cody
[Freeware, Games and Humor] www.deutronium.de.vu || www.deutronium.tk
> I was just talking about something similar last week. What came out of it
is the notion of a helper class that can help detect cases where a user
forgot to Dispose/Close an object whose class implements IDisposable. The idea is cause exceptions, throw up message boxes, or at least log these things, to force people into proper coding form. I am putting this into practice in
my stuff.
The compilers should generate a warning when they see an IDisposable that is
not disposed (a local or a non-public field). As far as forcing people into
proper coding form, I'd take whatever approach is normally taken when people
write poor code.
-mike
MVP
"codymanix" <do*********************@gmx.de> wrote in message news:eu**************@TK2MSFTNGP09.phx.gbl... Last night I had several thought about RAII and want to discuss a bit.
Why doesn't CSharp support destructors in structs? Wouldn't that make
RAII possible like in C++? When the struct goes out of scope, the dtor could
be immediately be called (no GC needed).
For that, you don't have to declare the whole File class as a struct (which would be not good for performance when File has a lot of data-members). Instead creating a thin wrapper would be a good solution:
public struct MyFile { File f; public MyFile(string p) { f=new File(p); } ~MyFile() { f.Close(); } }
That would do it.
I have a second though which got through my mind. What about introducing an interface which is recognized by the compiler and forces usage of the using() statement.
public interface IDisposableForce : IDisposable{}
A second possibility could be declaring an attribute which marks IDisposable-implementing-classes wheather using() should be mandatory or at least suggested.
enum WarnLevel
{NoWarn,WarnLvl1,WarnLvl2,WarnLvl3,WarnLvl4,Genera teError}; class UsingAttribute{UsingAttribute(WarnLevel w){}}
[Using(WarnLvl3)] // that means if warnlevel 3 or higher is set a
warning is issued when this class is used without using()-statement public class MyFile : File { public class MyFile(string p) :base(p){} }
What do you think?
-- cody
[Freeware, Games and Humor] www.deutronium.de.vu || www.deutronium.tk
Thats a more difficult subject, you may be returning the IDisposable class
to another method that is disposing it properly... in that case the compiler
would have to get very sophisticated to detect that situation I think...
and what if the calling method isnt even in the same project?
I'm not sure if there's a good answer here except for a new Base Object
class built into the framework that DOES have reference counting built in...
unfortunately once you build two of them and point them at each other you've
got a classic COM style memory leak.
--
Eric Newton
C#/ASP Application Developer http://ensoft-software.com/ er**@cc.ensoft-software.com [remove the first "CC."]
"Michael Giagnocavo [MVP]" <mg*******@Atrevido.net> wrote in message
news:%2****************@TK2MSFTNGP10.phx.gbl... I was just talking about something similar last week. What came out of
it is the notion of a helper class that can help detect cases where a user forgot to Dispose/Close an object whose class implements IDisposable. The idea
is cause exceptions, throw up message boxes, or at least log these things,
to force people into proper coding form. I am putting this into practice in my stuff.
The compilers should generate a warning when they see an IDisposable that
is not disposed (a local or a non-public field). As far as forcing people
into proper coding form, I'd take whatever approach is normally taken when
people write poor code.
-mike MVP
"codymanix" <do*********************@gmx.de> wrote in message news:eu**************@TK2MSFTNGP09.phx.gbl... Last night I had several thought about RAII and want to discuss a bit.
Why doesn't CSharp support destructors in structs? Wouldn't that make RAII possible like in C++? When the struct goes out of scope, the dtor
could be immediately be called (no GC needed).
For that, you don't have to declare the whole File class as a struct (which would be not good for performance when File has a lot of
data-members). Instead creating a thin wrapper would be a good solution:
public struct MyFile { File f; public MyFile(string p) { f=new File(p); } ~MyFile() { f.Close(); } }
That would do it.
I have a second though which got through my mind. What about
introducing an interface which is recognized by the compiler and forces usage of the using() statement.
public interface IDisposableForce : IDisposable{}
A second possibility could be declaring an attribute which marks IDisposable-implementing-classes wheather using() should be mandatory
or at least suggested.
enum WarnLevel {NoWarn,WarnLvl1,WarnLvl2,WarnLvl3,WarnLvl4,Genera teError}; class UsingAttribute{UsingAttribute(WarnLevel w){}}
[Using(WarnLvl3)] // that means if warnlevel 3 or higher is set a warning is issued when this class is used without using()-statement public class MyFile : File { public class MyFile(string p) :base(p){} }
What do you think?
-- cody
[Freeware, Games and Humor] www.deutronium.de.vu || www.deutronium.tk
> Thats a more difficult subject, you may be returning the IDisposable class to another method that is disposing it properly... in that case the
compiler would have to get very sophisticated to detect that situation I think...
and what if the calling method isnt even in the same project?
I'm not sure if there's a good answer here except for a new Base Object class built into the framework that DOES have reference counting built
in... unfortunately once you build two of them and point them at each other
you've got a classic COM style memory leak.
Yes I see, IDisposable is a crappy and unsafe pattern for disposing things.
So the question still is:
Why doesn't c# structs dtors? That would allow reference counting techniques
for special things like files or connections. The classical problem with
objects referencing each other will not occur because not file, bitmap,
handle, connection contains each other since that are special classes.
--
cody
Freeware Tools, Games and Humour http://www.deutronium.de.vu
[noncommercial and no fucking ads]
Also, nothing says that the refcounting can or should be used for lifetime
control. It would, however, potentially allow me to perform my own automatic
disposal. Whether or not the objects were actually garbage collected is of
much less importance than whether the (unmanaged) resources they control
have been disposed in a timely fashion.
"cody" <de********@gmx.net> wrote in message
news:%2******************@TK2MSFTNGP10.phx.gbl... Thats a more difficult subject, you may be returning the IDisposable
class to another method that is disposing it properly... in that case the compiler would have to get very sophisticated to detect that situation I think...
and what if the calling method isnt even in the same project?
I'm not sure if there's a good answer here except for a new Base Object class built into the framework that DOES have reference counting built in... unfortunately once you build two of them and point them at each other you've got a classic COM style memory leak.
Yes I see, IDisposable is a crappy and unsafe pattern for disposing
things. So the question still is: Why doesn't c# structs dtors? That would allow reference counting
techniques for special things like files or connections. The classical problem with objects referencing each other will not occur because not file, bitmap, handle, connection contains each other since that are special classes.
-- cody
Freeware Tools, Games and Humour http://www.deutronium.de.vu [noncommercial and no fucking ads]
Cody, Yes I see, IDisposable is a crappy and unsafe pattern for disposing things. So the question still is: Why doesn't c# structs dtors?
Because this only works properly as long as you don't put a struct
object on the heap (via boxing). In contrast to stack objects heap
objects have non-deterministic finalization what inevitably also makes
RAII non-deterministic, which is a contradiction. In a GCed language
deterministic RAII can only work when there is a guarantee that
certain objects can only be allocated on the stack. Thinking about
that, you pretty soon find out that you'd end up with a .NET framework
having many more classes than it has today, as anything requiring
clean-up would exist in a struct and a class version. When you need
deterministic clean-up you go for the struct version, otherwise you go
for the class.
IMO, the using keyword is the best solution possible, as it does more
or less the same as a stack-only struct but without the need provide
two versions.
You'll find a much longer version of the above here: http://discuss.develop.com/archives/...OTNET&P=R28572
That would allow reference counting techniques for special things like files or connections. The classical problem with objects referencing each other will not occur because not file, bitmap, handle, connection contains each other since that are special classes.
GC was introduced to solve the circular reference problem. If .NET
supported a special type of class that is reference-counted then there
would be no way to keep people from introducing cycles.
BTW, reference counting is still useful for pooling & sharing things
(see e.g. Regex).
Regards,
Andreas
> > Yes I see, IDisposable is a crappy and unsafe pattern for disposing
things. So the question still is: Why doesn't c# structs dtors? Because this only works properly as long as you don't put a struct object on the heap (via boxing). In contrast to stack objects heap objects have non-deterministic finalization what inevitably also makes RAII non-deterministic, which is a contradiction. In a GCed language deterministic RAII can only work when there is a guarantee that certain objects can only be allocated on the stack.
Yes, when you box the struct you will lose this ability. Do it will be a
good idea that these "special refcounted structs" do not support implicit
boxing, you must explicitly cast them to (object) when you need to box them.
Thinking about that, you pretty soon find out that you'd end up with a .NET framework having many more classes than it has today, as anything requiring clean-up would exist in a struct and a class version. When you need deterministic clean-up you go for the struct version, otherwise you go for the class.
Yes there will, but maybe the struct versions could be genereated implicitly
by the compiler. Maybe you don't need 2 types. One could introduce a new
"type" besides class and struct, maybe "nativeresourcewrapper", which is
just like a normal class but with reference counting. there must be one
restriction: these types cannot contain another object of type
"nativeresourcewrapper".
IMO, the using keyword is the best solution possible, as it does more or less the same as a stack-only struct but without the need provide two versions.
You'll find a much longer version of the above here: http://discuss.develop.com/archives/...OTNET&P=R28572
That would allow reference counting techniques for special things like files or connections. The classical problem with objects referencing each other will not occur because not file, bitmap, handle, connection contains each other since that are special classes. GC was introduced to solve the circular reference problem. If .NET supported a special type of class that is reference-counted then there would be no way to keep people from introducing cycles.
There would be no problem: the mark&sweep GC can easily detect such lost
objects. using refcounting & mark/sweep together can be a poweful feature
IMO.
What about a class-attribute that enables reference counting for a certain
class which implements dispsable? When the refcount==0 Dispose() is
automatically called.
[ReferenceCounted(true)]
class File : IDisposable
{
// stuff
}
BTW, reference counting is still useful for pooling & sharing things (see e.g. Regex).
agreed!
--
cody
[Freeware, Games and Humor] www.deutronium.de.vu || www.deutronium.tk
You're exactly right on several points, cody.
Sometimes reference counting IS a good thing, and I believe that instead of
the IDisposable pattern being the catch all (and henceforth ungauranteed
because of .Net newbies not realizing that say, a SqlConnection really needs
to be "Close"d or "Dispose"d before it goes out of scope) that a special
type that the compiler can look at and disallow the type to reference OTHER
reference counted types (and prevent the memory leak of two ref-counted
objects pointing at each other)
that would be cool to have the compilers enforce this...
--
Eric Newton er**@ensoft-software.com.cc (Remove the CC) www.ensoft-software.com
C#/ASP.net Solutions developer
"cody" <do*********************@gmx.de> wrote in message
news:bq*************@ID-176797.news.uni-berlin.de... Yes I see, IDisposable is a crappy and unsafe pattern for disposing things. So the question still is: Why doesn't c# structs dtors? Because this only works properly as long as you don't put a struct object on the heap (via boxing). In contrast to stack objects heap objects have non-deterministic finalization what inevitably also makes RAII non-deterministic, which is a contradiction. In a GCed language deterministic RAII can only work when there is a guarantee that certain objects can only be allocated on the stack.
Yes, when you box the struct you will lose this ability. Do it will be a good idea that these "special refcounted structs" do not support implicit boxing, you must explicitly cast them to (object) when you need to box
them. Thinking about that, you pretty soon find out that you'd end up with a .NET framework having many more classes than it has today, as anything requiring clean-up would exist in a struct and a class version. When you need deterministic clean-up you go for the struct version, otherwise you go for the class. Yes there will, but maybe the struct versions could be genereated
implicitly by the compiler. Maybe you don't need 2 types. One could introduce a new "type" besides class and struct, maybe "nativeresourcewrapper", which is just like a normal class but with reference counting. there must be one restriction: these types cannot contain another object of type "nativeresourcewrapper".
IMO, the using keyword is the best solution possible, as it does more or less the same as a stack-only struct but without the need provide two versions.
You'll find a much longer version of the above here: http://discuss.develop.com/archives/...OTNET&P=R28572
That would allow reference counting techniques for special things like files or connections. The classical problem
with objects referencing each other will not occur because not file,
bitmap, handle, connection contains each other since that are special classes.
GC was introduced to solve the circular reference problem. If .NET supported a special type of class that is reference-counted then there would be no way to keep people from introducing cycles.
There would be no problem: the mark&sweep GC can easily detect such lost objects. using refcounting & mark/sweep together can be a poweful feature IMO.
What about a class-attribute that enables reference counting for a certain class which implements dispsable? When the refcount==0 Dispose() is automatically called.
[ReferenceCounted(true)] class File : IDisposable { // stuff }
BTW, reference counting is still useful for pooling & sharing things (see e.g. Regex).
agreed!
-- cody
[Freeware, Games and Humor] www.deutronium.de.vu || www.deutronium.tk
cody,
[snip] Because this only works properly as long as you don't put a struct object on the heap (via boxing). In contrast to stack objects heap objects have non-deterministic finalization what inevitably also makes RAII non-deterministic, which is a contradiction. In a GCed language deterministic RAII can only work when there is a guarantee that certain objects can only be allocated on the stack.
Yes, when you box the struct you will lose this ability. Do it will be a good idea that these "special refcounted structs" do not support implicit boxing, you must explicitly cast them to (object) when you need to box them.
Even an explicit cast does not remove the contradiction. It still
means that a type requiring deterministic cleanup is subjected to
non-deterministic cleanup. That is not normally a good idea and would
more often than not lead to subtle errors, IMO.
[snip] GC was introduced to solve the circular reference problem. If .NET supported a special type of class that is reference-counted then there would be no way to keep people from introducing cycles.
There would be no problem: the mark&sweep GC can easily detect such lost objects. using refcounting & mark/sweep together can be a poweful feature IMO.
I don't think so. The initial rationale for introducing
RAII/refcounting in .NET was that it would help to implement classes
that need deterministic clean-up, right? If you let GC clean up the
cycles then those objects are finalized non-determinisitically what
defeats the original purpose.
I think deterministic clean-up via RAII/refcouting and
non-deterministic clean-up via GC are two very different beasts. IMO,
there is no way to mix the two without running into contradictions.
Therefore, for some situations manual cleanup through
IDisposable/using() is pretty much inevitable.
Regards,
Andreas
> > > Because this only works properly as long as you don't put a struct object on the heap (via boxing). In contrast to stack objects heap objects have non-deterministic finalization what inevitably also makes RAII non-deterministic, which is a contradiction. In a GCed language deterministic RAII can only work when there is a guarantee that certain objects can only be allocated on the stack. Yes, when you box the struct you will lose this ability. Do it will be a good idea that these "special refcounted structs" do not support
implicit boxing, you must explicitly cast them to (object) when you need to box
them. Even an explicit cast does not remove the contradiction. It still means that a type requiring deterministic cleanup is subjected to non-deterministic cleanup. That is not normally a good idea and would more often than not lead to subtle errors, IMO.
This is no error but just a performanceproblem. Forcing the programmer to
use explicit cast is good to prevent unintentionally boxings. Maybe one
could go so far to forbid boxing with refcounted objects. GC was introduced to solve the circular reference problem. If .NET supported a special type of class that is reference-counted then there would be no way to keep people from introducing cycles.
There would be no problem: the mark&sweep GC can easily detect such lost objects. using refcounting & mark/sweep together can be a poweful
feature IMO.
I don't think so. The initial rationale for introducing RAII/refcounting in .NET was that it would help to implement classes that need deterministic clean-up, right? If you let GC clean up the cycles then those objects are finalized non-determinisitically what defeats the original purpose. I think deterministic clean-up via RAII/refcouting and non-deterministic clean-up via GC are two very different beasts. IMO, there is no way to mix the two without running into contradictions.
Where is the problem? These Disposable classes use referencecounting for
deterministic GC. The mark&sweep GC is just as a failsafe just for the case
when refcounting fails for some reason, to prevent memory leaks.
Therefore, for some situations manual cleanup through IDisposable/using() is pretty much inevitable.
It is still unsafe and crappy. It is not very funny to note that you can
write programs in C++ more safe than in C#.
Wasn't that C# was invented for? Safety? No more memory leaks? Mission
failed.
--
cody
Freeware Tools, Games and Humour http://www.deutronium.de.vu
[noncommercial and no fucking ads]
GC is a truly good demonstration that there is no silver bullet technology
;-).
GC supposed to make our life easier, but did it?
Timely manual disposition of unmanaged resources isn't ultimate resource
management task that multithreaded application (like ASP.NET) should really
care about.
There is another rarely discussed, but also important task- multithreaded
application must care about setting to null all unused managed resources
ASAP especially before any operation that may block the thread.
Otherwise these managed resources may end up in generation 2 objects and
after some time require really expensive complete GC making the process
using 30%-50% time in garbage collector instead of real processing. Check: http://weblogs.asp.net/ricom/posts/41281.aspx for excellent discussion of
why managed ASP.NET code should looks like:
MyManagedClass mc = new MyManagedClass();
//use mc here
//.
mc= null; //set mc to null immediately after last usage of mc
....
-Valery.
Eric, Sometimes reference counting IS a good thing, and I believe that instead of the IDisposable pattern being the catch all (and henceforth ungauranteed because of .Net newbies not realizing that say, a SqlConnection really needs to be "Close"d or "Dispose"d before it goes out of scope) that a special type that the compiler can look at and disallow the type to reference OTHER reference counted types (and prevent the memory leak of two ref-counted objects pointing at each other)
The following questions come to mind:
- Could a refcounted (RCed) object hold references to GCed objects?
- Could a GCed object hold references to RCed objects?
Regards,
Andreas
Cody, Even an explicit cast does not remove the contradiction. It still means that a type requiring deterministic cleanup is subjected to non-deterministic cleanup. That is not normally a good idea and would more often than not lead to subtle errors, IMO. This is no error but just a performanceproblem. Forcing the programmer to use explicit cast is good to prevent unintentionally boxings. Maybe one could go so far to forbid boxing with refcounted objects.
> GC was introduced to solve the circular reference problem. If .NET > supported a special type of class that is reference-counted then there > would be no way to keep people from introducing cycles.
There would be no problem: the mark&sweep GC can easily detect such lost objects. using refcounting & mark/sweep together can be a poweful feature IMO.
I don't think so. The initial rationale for introducing RAII/refcounting in .NET was that it would help to implement classes that need deterministic clean-up, right? If you let GC clean up the cycles then those objects are finalized non-determinisitically what defeats the original purpose. I think deterministic clean-up via RAII/refcouting and non-deterministic clean-up via GC are two very different beasts. IMO, there is no way to mix the two without running into contradictions.
Where is the problem? These Disposable classes use referencecounting for deterministic GC. The mark&sweep GC is just as a failsafe just for the case when refcounting fails for some reason, to prevent memory leaks.
What is your rationale for introducing reference counting then? More
specifically: Why is reference-counted *memory* management better than
garbage collection?
In the title of this thread IDisposable & using are mentioned. You
don't need those for *memory* management! Therefore, for some situations manual cleanup through IDisposable/using() is pretty much inevitable.
It is still unsafe and crappy.
You're not alone with that thinking (I once had similar concerns).
Many people have tried to come up with a better solution but to my
knowledge none has ever come up with something substantial. Have you
followed the link I posted? The guy that worte that article is an MS
person involved in the design of .NET. He explains how he also once
was a strong proponent of refcounting but became more and more
convinced that a GC-only strategy is better the more he explored the
exact semantics of a twin (GC and refcounting) solution.
Moreover, isn't it interesting that all other GCed languages (Java,
Python, etc.) work just like .NET does? There is always something
similar to the .NET dispose pattern. Scores of very smart people have
designed those languages and it speaks volumes that they haven't come
up with a better solution either.
BTW, to my knowledge, none of the other GCed languages supports
something similar to using.
It is not very funny to note that you can write programs in C++ more safe than in C#. Wasn't that C# was invented for? Safety? No more memory leaks? Mission failed.
You cannot produce what is classically known as a *memory* leak in a
garbage collected language. This because of the very definition of how
a garbage collector works.
If you believe you can, please post a program that does produce
*memory* leaks.
Regards,
Andreas
> > > I don't think so. The initial rationale for introducing RAII/refcounting in .NET was that it would help to implement classes that need deterministic clean-up, right? If you let GC clean up the cycles then those objects are finalized non-determinisitically what defeats the original purpose. I think deterministic clean-up via RAII/refcouting and non-deterministic clean-up via GC are two very different beasts. IMO, there is no way to mix the two without running into contradictions. Where is the problem? These Disposable classes use referencecounting for deterministic GC. The mark&sweep GC is just as a failsafe just for the
case when refcounting fails for some reason, to prevent memory leaks.
What is your rationale for introducing reference counting then? More specifically: Why is reference-counted *memory* management better than garbage collection?
I didn't talk about memory management, I talk about freeing native resources
such as handles. With mark&sweep you can run into problems because it takes
time until gc kicks in and frees it. But native resource handles may be very
limited so you can quickly run out of them.
With refcounting, you can guarantee that dispose() is called immediately
when the refcount is zero. Note that disposing an object does not mean
freeing the object itself. The managed object itself can then freed later by
mark & sweep. It is still unsafe and crappy.
You're not alone with that thinking (I once had similar concerns). Many people have tried to come up with a better solution but to my knowledge none has ever come up with something substantial. Have you followed the link I posted? The guy that worte that article is an MS person involved in the design of .NET. He explains how he also once was a strong proponent of refcounting but became more and more convinced that a GC-only strategy is better the more he explored the exact semantics of a twin (GC and refcounting) solution.
I understand that mark&sweep is better for freeing normal memory (when there
is enough of it). But you will run into problems when using mark&sweep with
limited resources. Make a loop that opens network connections. The
mark&sweep system cannot react so fast, there will be thousands of open
connections and the mark&sweep still does nothing. It doesn't even have a
clue that the app will run out of handles soon. With memory management, the
gc notices when there is not enough memory and runs automatically.
I will follow the link you posted maybe i get further insight.
Moreover, isn't it interesting that all other GCed languages (Java, Python, etc.) work just like .NET does? There is always something similar to the .NET dispose pattern. Scores of very smart people have designed those languages and it speaks volumes that they haven't come up with a better solution either.
Maybe they was very smart but nobody is perfect. When they did a perfect job
then we never would need further inventions and improvements. In hundred
years the people would still use .NET which its mark&sweep because it is the
perfect solution which cannot be improved. Years ago when they invented
assembler they would have never even though that is would be possible that
unused memory can automatically freed.
You cannot produce what is classically known as a *memory* leak in a garbage collected language.
Maybe not memory leak but native resources leak. Aditionally, finalizers are
not even guaranteed to run even when the program exits.
I wish you a happy Nikolaustag (Not sure what its name is in english) :-)
--
cody
[Freeware, Games and Humor] www.deutronium.de.vu || www.deutronium.tk
Cody,
[snip] Where is the problem? These Disposable classes use referencecounting for deterministic GC. The mark&sweep GC is just as a failsafe just for the case when refcounting fails for some reason, to prevent memory leaks. What is your rationale for introducing reference counting then? More specifically: Why is reference-counted *memory* management better than garbage collection?
I didn't talk about memory management, I talk about freeing native resources such as handles.
Ok, you meant resource management.
With mark&sweep you can run into problems because it takes time until gc kicks in and frees it. But native resource handles may be very limited so you can quickly run out of them.
Resources limited by other factors than memory are just one problem
and not even the worst because the GC can still clean up for you when
you need very few resources.
The following two problems are much worse:
1. Cleanup affecting multiple objects. For example, a StreamWriter
object internally holds its own buffer and a reference to a Stream
object. If you forget to call Dispose on the StreamWriter object and
it is finalized later there is *no way* it could empty the buffer into
the Stream. This is because the Stream also has a finalizer, which
might have been called before the finalizer of the StreamWriter
object. The effect is that the Stream is closed all right but you will
inevitably lose the data in the StreamWriter buffer. Please note that
garbage collection can *never* save you here. The data is always lost!
2. Non-shareable resources like e.g. FileStream. A FileStream object
holds an *exclusive* lock on the file it is currently writing to. If
you fail to call Dispose here and try to reopen the file a bit later
you are almost guaranteed to be greeted with an exception. This is
because the first FileStream object has most probably not yet been
finalized and therefore never had the chance to close the file.
Please note that GC can almost never save you here because it is
unlikely that it will consistently kick in before you try to reopen
the file.
Now, let's get back to your original proposal: You wanted to use
refcounting for classes that need deterministic clean-up. If
refcounting fails because there are cycles you wanted to let the GC
take care of it.
I think it should be pretty obvious that ***neither refcounting nor
GC*** is capable of cleaning up correctly when you have objects of
type 1 or 2 forming cycles. The programmer needs to say when to clean
up such objects and that's exactly what Dispose() is for.
Yes, there is a way to fix problem 1 but it is not very convincing as
it forces programmers to avoid certain types of cycles and hurts
finalization performance. Since problem no. 2 cannot be fixed anyway
the .NET designers decided to not trade implementation difficulties
and worse performance for only slightly easier cleanup.
With refcounting, you can guarantee that dispose() is called immediately when the refcount is zero.
Only when there are no cycles.
Note that disposing an object does not mean freeing the object itself. The managed object itself can then freed later by mark & sweep.
I am very aware of that. You're not alone with that thinking (I once had similar concerns). Many people have tried to come up with a better solution but to my knowledge none has ever come up with something substantial. Have you followed the link I posted? The guy that worte that article is an MS person involved in the design of .NET. He explains how he also once was a strong proponent of refcounting but became more and more convinced that a GC-only strategy is better the more he explored the exact semantics of a twin (GC and refcounting) solution.
I understand that mark&sweep is better for freeing normal memory (when there is enough of it). But you will run into problems when using mark&sweep with limited resources. Make a loop that opens network connections. The mark&sweep system cannot react so fast, there will be thousands of open connections and the mark&sweep still does nothing. It doesn't even have a clue that the app will run out of handles soon. With memory management, the gc notices when there is not enough memory and runs automatically.
Again, I'm very aware of that. However, what you say here is not *the*
problem why the Dispose pattern is necessary. For example, you could
imagine a system that has its own GC for every shareable resource type
that is limited by other factors than memory.
[snip] Moreover, isn't it interesting that all other GCed languages (Java, Python, etc.) work just like .NET does? There is always something similar to the .NET dispose pattern. Scores of very smart people have designed those languages and it speaks volumes that they haven't come up with a better solution either.
Maybe they was very smart but nobody is perfect. When they did a perfect job then we never would need further inventions and improvements. In hundred years the people would still use .NET which its mark&sweep because it is the perfect solution which cannot be improved. Years ago when they invented assembler they would have never even though that is would be possible that unused memory can automatically freed.
As I tried to explain above, the problem is *systemic* and has nothing
to do with language designers not being smart enough or a GC not being
perfect or technology not being available. There simply is no
practical way that certian types of cleanup could be performed
automatically *and* correctly.
In theory fully automatic cleanup is possible though: You simply let
the GC run whenever a reference goes out of scope. However, it should
be clear that doing so wastes ridiculous amounts of precious cycles on
something humans are so much better.
Aditionally, finalizers are not even guaranteed to run even when the program exits.
This is only true if your program does funny or very lengthy things
during finalization (e.g. creating objects or writing s..tloads of
data to the disk). The finalizer thread will call all finalizers as
long as the number of finalizable objects does not increase and the
whole finalization does not take longer than somewhere around 40
seconds (I forgot the actual number). I wish you a happy Nikolaustag (Not sure what its name is in english) :-)
Thanks, I wish you the same. I know I'm late ;-). BTW, I'm actually
Swiss, so there's no need to translate...
Regards,
Andreas
Andreas, (without thoroughly examining the idea), wouldnt it be fine to
A) create a refcounted type
B) refcounted type may NOT directly or indirectly refer to another
refcounted type, verifiable via compiler and runtime (when using generic
object references, or not all reftypes to hold object references at all...)
I believe that could work... and prevents the circular reference that
plagued rich COM object models...
(And BTW, how did MS ever prevent memory leaks in the MSXML parsing object
model??? I just gotta know!)
--
Eric Newton
C#/ASP Application Developer http://ensoft-software.com/ er**@cc.ensoft-software.com [remove the first "CC."]
"Andreas Huber" <ah****@gmx.net> wrote in message
news:3e**************************@posting.google.c om... Cody,
[snip] > Where is the problem? These Disposable classes use referencecounting
for > deterministic GC. The mark&sweep GC is just as a failsafe just for
the case > when refcounting fails for some reason, to prevent memory leaks.
What is your rationale for introducing reference counting then? More specifically: Why is reference-counted *memory* management better than garbage collection? I didn't talk about memory management, I talk about freeing native
resources such as handles.
Ok, you meant resource management.
With mark&sweep you can run into problems because it takes time until gc kicks in and frees it. But native resource handles may be
very limited so you can quickly run out of them.
Resources limited by other factors than memory are just one problem and not even the worst because the GC can still clean up for you when you need very few resources. The following two problems are much worse: 1. Cleanup affecting multiple objects. For example, a StreamWriter object internally holds its own buffer and a reference to a Stream object. If you forget to call Dispose on the StreamWriter object and it is finalized later there is *no way* it could empty the buffer into the Stream. This is because the Stream also has a finalizer, which might have been called before the finalizer of the StreamWriter object. The effect is that the Stream is closed all right but you will inevitably lose the data in the StreamWriter buffer. Please note that garbage collection can *never* save you here. The data is always lost! 2. Non-shareable resources like e.g. FileStream. A FileStream object holds an *exclusive* lock on the file it is currently writing to. If you fail to call Dispose here and try to reopen the file a bit later you are almost guaranteed to be greeted with an exception. This is because the first FileStream object has most probably not yet been finalized and therefore never had the chance to close the file. Please note that GC can almost never save you here because it is unlikely that it will consistently kick in before you try to reopen the file.
Now, let's get back to your original proposal: You wanted to use refcounting for classes that need deterministic clean-up. If refcounting fails because there are cycles you wanted to let the GC take care of it. I think it should be pretty obvious that ***neither refcounting nor GC*** is capable of cleaning up correctly when you have objects of type 1 or 2 forming cycles. The programmer needs to say when to clean up such objects and that's exactly what Dispose() is for. Yes, there is a way to fix problem 1 but it is not very convincing as it forces programmers to avoid certain types of cycles and hurts finalization performance. Since problem no. 2 cannot be fixed anyway the .NET designers decided to not trade implementation difficulties and worse performance for only slightly easier cleanup.
With refcounting, you can guarantee that dispose() is called immediately when the refcount is zero.
Only when there are no cycles.
Note that disposing an object does not mean freeing the object itself. The managed object itself can then freed
later by mark & sweep.
I am very aware of that. You're not alone with that thinking (I once had similar concerns). Many people have tried to come up with a better solution but to my knowledge none has ever come up with something substantial. Have you followed the link I posted? The guy that worte that article is an MS person involved in the design of .NET. He explains how he also once was a strong proponent of refcounting but became more and more convinced that a GC-only strategy is better the more he explored the exact semantics of a twin (GC and refcounting) solution.
I understand that mark&sweep is better for freeing normal memory (when
there is enough of it). But you will run into problems when using mark&sweep
with limited resources. Make a loop that opens network connections. The mark&sweep system cannot react so fast, there will be thousands of open connections and the mark&sweep still does nothing. It doesn't even have
a clue that the app will run out of handles soon. With memory management,
the gc notices when there is not enough memory and runs automatically.
Again, I'm very aware of that. However, what you say here is not *the* problem why the Dispose pattern is necessary. For example, you could imagine a system that has its own GC for every shareable resource type that is limited by other factors than memory.
[snip] Moreover, isn't it interesting that all other GCed languages (Java, Python, etc.) work just like .NET does? There is always something similar to the .NET dispose pattern. Scores of very smart people have designed those languages and it speaks volumes that they haven't come up with a better solution either.
Maybe they was very smart but nobody is perfect. When they did a perfect
job then we never would need further inventions and improvements. In hundred years the people would still use .NET which its mark&sweep because it is
the perfect solution which cannot be improved. Years ago when they invented assembler they would have never even though that is would be possible
that unused memory can automatically freed.
As I tried to explain above, the problem is *systemic* and has nothing to do with language designers not being smart enough or a GC not being perfect or technology not being available. There simply is no practical way that certian types of cleanup could be performed automatically *and* correctly. In theory fully automatic cleanup is possible though: You simply let the GC run whenever a reference goes out of scope. However, it should be clear that doing so wastes ridiculous amounts of precious cycles on something humans are so much better.
Aditionally, finalizers are not even guaranteed to run even when the program exits.
This is only true if your program does funny or very lengthy things during finalization (e.g. creating objects or writing s..tloads of data to the disk). The finalizer thread will call all finalizers as long as the number of finalizable objects does not increase and the whole finalization does not take longer than somewhere around 40 seconds (I forgot the actual number).
I wish you a happy Nikolaustag (Not sure what its name is in english)
:-) Thanks, I wish you the same. I know I'm late ;-). BTW, I'm actually Swiss, so there's no need to translate...
Regards,
Andreas
Eric, Andreas, (without thoroughly examining the idea), wouldnt it be fine to A) create a refcounted type B) refcounted type may NOT directly or indirectly refer to another refcounted type, verifiable via compiler and runtime (when using generic object references, or not all reftypes to hold object references at all...)
I believe that could work... and prevents the circular reference that plagued rich COM object models...
Yes it would work fine, given that such a type couldn't contain
references to GCed objects and GCed objects couldn't contain
references to such refcounted types. However, how useful would such a
type be?
(And BTW, how did MS ever prevent memory leaks in the MSXML parsing object model??? I just gotta know!)
Sorry, I don't understand. What property of the MSXML lib are you
referring to?
Regards,
Andreas
P.S. I won't be able to answer further post before Jan 5th...
comments inline:
"Andreas Huber" <ah****@gmx.net> wrote in message
news:3e**************************@posting.google.c om... Eric,
Andreas, (without thoroughly examining the idea), wouldnt it be fine to A) create a refcounted type B) refcounted type may NOT directly or indirectly refer to another refcounted type, verifiable via compiler and runtime (when using generic object references, or not all reftypes to hold object references at
all...) I believe that could work... and prevents the circular reference that plagued rich COM object models... Yes it would work fine, given that such a type couldn't contain references to GCed objects and GCed objects couldn't contain references to such refcounted types. However, how useful would such a type be?
(And BTW, how did MS ever prevent memory leaks in the MSXML parsing
object model??? I just gotta know!)
Sorry, I don't understand. What property of the MSXML lib are you referring to?
well i was actually referring to the whole library, since the MSXML nodes
all point to a DOMDocument and the DOMDocument points to all the Nodes
through a collection, (a circuclar reference) how on earth did this not leak
memory when you set DOMDocument instance to nothing without some kind of
Release or Dispose or whatever...? Regards,
Andreas
P.S. I won't be able to answer further post before Jan 5th...
and by the way, Chris B on the CLR team has introduced the HandleCollector,
basically a referencing counting mechanism that will collect on a new
instantiation of a finite resource, instead of on release... fascinating how
if you look at a problem from a different perspective you can achieve the
same result (in a sense...)
--
Eric Newton
C#/ASP Application Developer http://ensoft-software.com/ er**@cc.ensoft-software.com [remove the first "CC."]
Eric, (And BTW, how did MS ever prevent memory leaks in the MSXML parsing object model??? I just gotta know!) Sorry, I don't understand. What property of the MSXML lib are you referring to?
well i was actually referring to the whole library, since the MSXML nodes all point to a DOMDocument and the DOMDocument points to all the Nodes through a collection, (a circuclar reference) how on earth did this not leak memory when you set DOMDocument instance to nothing without some kind of Release or Dispose or whatever...?
I don't know the library at all. The main strategy to prevent
circular-reference-memory-leaks is to use weak pointers: http://www.boost.org/libs/smart_ptr/weak_ptr.htm
So, while a DOMDocument would hold ordinary refcounted pointers to its
nodes, the nodes themselves would internally hold only weak pointers to
their DOMDocument. I know that COM does not have the weak pointer concept
but you can just as well use plain C++ pointers instead (i.e. you don't call
AddRef). The node member function returning the DOMDocument pointer simply
calls AddRef on the DOMDocument object...
[snip] and by the way, Chris B on the CLR team has introduced the HandleCollector, basically a referencing counting mechanism that will collect on a new instantiation of a finite resource, instead of on release... fascinating how if you look at a problem from a different perspective you can achieve the same result (in a sense...)
I guess I fail to get your point. How would such a HandleCollector be able
to provide *deterministic* clean-up? In other words, HandleCollector solves
the resources-limited-by-other-factors-than-memory problem but it does not
solve the other clean-up problems that I described in an earlier post...
Regards,
Andreas
news.bluewin.ch wrote:
[snip]
Ooops, sorry for the bogous name... This thread has been closed and replies have been disabled. Please start a new discussion. Similar topics
by: codymanix |
last post by:
Last night I had several thought about RAII and want to discuss a bit.
Why doesn't CSharp support destructors in structs? Wouldn't that make RAII
possible like in C++? When the struct goes out of...
|
by: Kemmylinns12 |
last post by:
Blockchain technology has emerged as a transformative force in the business world, offering unprecedented opportunities for innovation and efficiency. While initially associated with cryptocurrencies...
|
by: Naresh1 |
last post by:
What is WebLogic Admin Training?
WebLogic Admin Training is a specialized program designed to equip individuals with the skills and knowledge required to effectively administer and manage Oracle...
|
by: Arjunsri |
last post by:
I have a Redshift database that I need to use as an import data source. I have configured the DSN connection using the server, port, database, and credentials and received a successful connection...
|
by: WisdomUfot |
last post by:
It's an interesting question you've got about how Gmail hides the HTTP referrer when a link in an email is clicked. While I don't have the specific technical details, Gmail likely implements measures...
|
by: Matthew3360 |
last post by:
Hi,
I have been trying to connect to a local host using php curl. But I am finding it hard to do this. I am doing the curl get request from my web server and have made sure to enable curl. I get a...
|
by: Oralloy |
last post by:
Hello Folks,
I am trying to hook up a CPU which I designed using SystemC to I/O pins on an FPGA.
My problem (spelled failure) is with the synthesis of my design into a bitstream, not the C++...
|
by: Rahul1995seven |
last post by:
Introduction:
In the realm of programming languages, Python has emerged as a powerhouse. With its simplicity, versatility, and robustness, Python has gained popularity among beginners and experts...
|
by: ezappsrUS |
last post by:
Hi,
I wonder if someone knows where I am going wrong below. I have a continuous form and two labels where only one would be visible depending on the checkbox being checked or not. Below is the...
|
by: jack2019x |
last post by:
hello, Is there code or static lib for hook swapchain present?
I wanna hook dxgi swapchain present for dx11 and dx9.
| | |