C++编程语言的应用方式和其他语言特别是C语言有很多不同之处。那么今天大家就可以从C++ static的应用方法来分析一下它的不同之处到底体现在哪里。同时又能让大家进一步掌握C++语言的编程方法。
C++ static具体应用方式代码示例:
- public class C {
- public static void M() {
- Console.WriteLine("call in class C");
- }
- }
- public class D : C {
- public new static void M() {
- Console.WriteLine("call in class D");
- }
- }
- public class E<T> where T : C {
- public static void N() {
- T.M();
- }
- }
代码是错误的,不允许一个instance来call一个static method。如果你编译的话,会提示:
- Error 2 'T' is a 'type parameter',
which is not valid in the given context
为什么?从语言设计的角度来看,针对上面的代码,下面的三种情况只能有一种为true。#t#
1. 本身就是错误的写法
2. E.N() calls C.M() no matter what T is.
3. E.N() calls C.M() but E.N() calls D.M().
如果按照2设计,会有用户期望当T是class D的时候,执行class D的method M,而不是C。Static之所以是static,因为它在编译时刻就可以被确切的determined,或者说,在静态代码分析阶段,这个方法就可以被确定了。所以,如果按照3的方式来设计,我们就违背了这个原则。这样,只有1了。
另外的解释:
1. virtual static,为什么没这个东西?
2. 没有this指针而已(以上内容转自同事的一个blog,做了简单的修改)
不过,不清楚C++里面为什么允许这么做?
- public class Test{
- public static void Say(){}
- }
- Test t;
- Test* t2 = new Test();
- t.Say();
- t2->Say();
以上就是对C++ static的相关应用方法。