common lisp:宏如何使用以编程方式生成的名称定义其他方法/宏?
我意识到我的代码的某个部分由看起来相似的方法组组成(就像我有多个三重奏:一个由程序员的其他两个函数调用的辅助函数)。我正在尝试编写一个宏来为我定义这三个函数,以便我所需要做的就是调用该宏。但我的尝试导致 defun 和函数调用将引用字符串而不是生成的名称作为新符号。我做错了什么?
示例(不正确的代码)
(defmacro def-trio (base-name)
(let
((helper-name (format nil "helper-~a" base-name))
(method-1 (format nil "~a-1" base-name))
(method-2 (format nil "~a-2" base-name)))
`(progn
(defun ,helper-name () 'helper-called)
(defun ,method-1 () (,helper-name) '1-called)
(defun ,method-2 () (,helper-name) '2-called))))
现在发生以下情况:
(def-trio my-trio)
==>
(PROGN (DEFUN "helper-MY-TRIO" () 'HELPER-CALLED)
(DEFUN "MY-TRIO-1" () ("helper-MY-TRIO") '1-CALLED)
(DEFUN "MY-TRIO-2" () ("helper-MY-TRIO") '2-CALLED))
另外,在我学习如何让它工作之后,如果我让这个宏定义其他宏而不是其他函数,是否还会有任何额外的问题?我读了如何编写宏定义common lisp 中的宏 但我认为我的问题有点不同,因为我问的是以编程方式生成的符号/名称。不过,我愿意接受纠正:) 谢谢!
I realized that a certain section of my code consists of groups of methods that look similar (like I have multiple trios: a helper function that gets called by two other functions meant for the programmer). I'm trying to write a macro that will define these three functions for me so that all I need to do is call the macro. But my attempt results in defuns and function calls that have quoted strings instead of the generated names as new symbols. What am I doing wrong?
Example (incorrect code)
(defmacro def-trio (base-name)
(let
((helper-name (format nil "helper-~a" base-name))
(method-1 (format nil "~a-1" base-name))
(method-2 (format nil "~a-2" base-name)))
`(progn
(defun ,helper-name () 'helper-called)
(defun ,method-1 () (,helper-name) '1-called)
(defun ,method-2 () (,helper-name) '2-called))))
Now the following happens:
(def-trio my-trio)
==>
(PROGN (DEFUN "helper-MY-TRIO" () 'HELPER-CALLED)
(DEFUN "MY-TRIO-1" () ("helper-MY-TRIO") '1-CALLED)
(DEFUN "MY-TRIO-2" () ("helper-MY-TRIO") '2-CALLED))
Also, after I learn how to get this working, are there any extra gotcha's if I had this macro define other macros instead of other functions? I read How do I write a macro-defining macro in common lisp but I think my question is a little different because I'm asking about programmatically generated symbols/names. I'm open to being corrected though :) Thanks!
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(2)
试试这个:
<代码>
对原始定义进行了以下更改 - 第一个更改是关键的更改:
(intern ... package)
将每个计算符号名称插入到与基本名称相同的包中。package
,它绑定到所提供的base-name
符号的包。let
更改为let*
,以允许新引入的变量package
在后续变量中引用。Try this:
The following changes were made to your original definition -- the first change is the crucial one:
(intern ... package)
.package
which is bound to the package of the suppliedbase-name
symbol.let
tolet*
to allow the newly introduced variablepackage
to be referenced in subsequent variables.使用
INTERN
来转动将函数名称字符串生成为符号。Use
INTERN
to turn the generated function name strings into symbols.