クラスを介して特定のものを表すことができる基本パッケージと、この機能を拡張したい別のパッケージを取得したというシナリオを考えます。
(defpackage :test
(:use :cl)
(:nicknames :test)
(:export a-test-class
method-a
slot-a))
(in-package :test)
(defclass a-test-class ()
((slot-a
:initform 42
:reader slot-a)))
(defmethod method-a ((a-test-class a-test-class))
(setf (slot-value a-test-class 'slot-a) 21)
a-test-class)
(defpackage :exttest
(:use :cl)
(:export extended-a-test-class
method-a))
(in-package :exttest)
(defclass extended-a-test-class (test:a-test-class)
((slot-b
:reader slot-b
:initform nil)))
(defmethod method-a ((a-test-class extended-a-test-class))
(setf (slot-value a-test-class 'slot-a) 23)
a-test-class)
これで、実際には anthying を実行するのではなく、 a-test-class
andのインスタンスのリストを調べて、それぞれの型に変更されることを期待して、すべてのインスタンスextended-a-test-class
を呼び出す関数を取得しました。method-a
例えば(slot-a (method-a a-test-class-instance)) > 21
、(slot-a (method-a extended-a-test-class-instance)) > 23
しかし、これを行おうとすると、次のように method-a を正しく呼び出すという問題に遭遇します。
(defparameter *test-instance* (make-instance 'test:a-test-class))
(defparameter *ext-test-instance* (make-instance 'exttest:extended-a-test-class))
(test:slot-a (test:method-a *test-instance*))
> 21
(test:slot-a (test:method-a *ext-test-instance*))
> 21
また
(test:slot-a (exttest:method-a *test-instance*))
(test:slot-a (exttest:method-a *ext-test-instance*))
debugger invoked on a SIMPLE-ERROR in thread
#<THREAD "main thread" RUNNING {1002B03193}>:
There is no applicable method for the generic function
#<STANDARD-GENERIC-FUNCTION EXTTEST:METHOD-A (1)>
when called with arguments
(#<TEST:A-TEST-CLASS {10041148A3}>)
どちらの方法でもコンパイルできないか、メソッドの効果が期待どおりではないため、どちらも実際には機能していません。クラスとメソッド定義が同じパッケージにある場合でも、すべて正常に動作します。
したがって、対応するパッケージに対処する必要なく、インスタンスでメソッドを呼び出すにはどうすればよいですか? (それができない場合は、Common-Lisp でのオブジェクト指向プログラミングに対する私の期待がどのように間違っているのかを知りたいです)
私が望む出力の「実用的な」例として、このc++プログラムをコーディングしました。メソッドがクラスに「属さない」という事実により、CLOS は「一般的な」オブジェクト指向システムとは異なる動作をすることを私は知っています。しかし、オブジェクト指向システムが(どういうわけか)次のように動作/使用できることを期待しています:
#include <iostream>
namespace test {
class sub {
public:
virtual sub* method_a() = 0;
};
class a_test_class : public sub
{
protected:
int value;
public:
a_test_class(int val) : value(val) {
}
a_test_class* method_a() {
value = 21;
return this;
}
int get_value() {
return value;
}
};
}
namespace exttest {
class extended_a_test_class : public test::a_test_class {
public:
extended_a_test_class(int val) : a_test_class(val) { }
extended_a_test_class* method_a() {
std::cout << "calling overloaded method" << std::endl;
this->value = 23;
return this;
}
};
}
int main(int argc,const char* argv[]) {
test::a_test_class* atc = new test::a_test_class(42);
test::a_test_class* eatc = new exttest::extended_a_test_class(42);
std::cout << atc->method_a()->get_value() << std::endl;
std::cout << eatc->method_a()->get_value() << std::endl;
delete atc;
delete eatc;
}
> ./a.out
21
calling overloaded method
23