如何在 Linux GCC 上用 C 语言构建我的第一个 PHP 扩展?

2022-08-30 20:07:28

自1980年代和1990年代以来,我还没有在自己的实验中使用过C。我希望能够再次拿起它,但这次是在里面构建小东西,然后把它加载到Linux上的PHP中。

有没有人有一个非常短的教程让我在C中制作一个foo()函数作为加载在php.ini中的共享对象扩展?我假设我需要使用GCC,但不知道我的Ubuntu Linux工作站上还需要什么才能实现这一点,或者如何编写文件。

我看到的一些例子已经展示了如何在C++中做到这一点,或者将其显示为必须编译成PHP的静态扩展。我不想那样 - 我想把它作为一个C扩展,而不是C++,并通过php.ini加载它。

我想到了一些东西,我称之为foo('hello'),如果它看到传入的字符串是“hello”,它会返回“world”。

例如,如果这是用100%PHP编写的,则该函数可能是:

function foo($s) {
  switch ($s)
    case 'hello':
      return 'world';
      break;
    default:
      return $s;
  }
}

答案 1

此示例的扩展名。

<?php
    function hello_world() {
        return 'Hello World';
    }
?>
### config.m4 ### php_hello.h #### hello.c
PHP_ARG_ENABLE(hello, whether to enable Hello
World support,
[ --enable-hello   Enable Hello World support])
if test "$PHP_HELLO" = "yes"; then
  AC_DEFINE(HAVE_HELLO, 1, [Whether you have Hello World])
  PHP_NEW_EXTENSION(hello, hello.c, $ext_shared)
fi
#ifndef PHP_HELLO_H
#define PHP_HELLO_H 1
#define PHP_HELLO_WORLD_VERSION "1.0"
#define PHP_HELLO_WORLD_EXTNAME "hello"

PHP_FUNCTION(hello_world);

extern zend_module_entry hello_module_entry;
#define phpext_hello_ptr &hello_module_entry

#endif
#ifdef HAVE_CONFIG_H
#include "config.h"
#endif
#include "php.h"
#include "php_hello.h"

static function_entry hello_functions[] = {
    PHP_FE(hello_world, NULL)
    {NULL, NULL, NULL}
};

zend_module_entry hello_module_entry = {
#if ZEND_MODULE_API_NO >= 20010901
    STANDARD_MODULE_HEADER,
#endif
    PHP_HELLO_WORLD_EXTNAME,
    hello_functions,
    NULL,
    NULL,
    NULL,
    NULL,
    NULL,
#if ZEND_MODULE_API_NO >= 20010901
    PHP_HELLO_WORLD_VERSION,
#endif
    STANDARD_MODULE_PROPERTIES
};

#ifdef COMPILE_DL_HELLO
ZEND_GET_MODULE(hello)
#endif

PHP_FUNCTION(hello_world)
{
    RETURN_STRING("Hello World", 1);
}

构建您的扩展 $ phpize $ ./configure --enable-hello $ make

运行这些命令中的每一个后,您应该有一个 hello.so

extension=hello.so to your php.ini来触发它。

 php -r 'echo hello_world();'

你完成了.;-)

在这里阅读更多

对于简单的方法,只需尝试zephir-lang来构建php扩展,而知识较少

namespace Test;

/**
 * This is a sample class
 */
class Hello
{
    /**
     * This is a sample method
     */
    public function say()
    {
        echo "Hello World!";
    }
}

用zephir编译它并获得测试扩展


答案 2

在 PHP 7.1.6 中尝试了 Saurabh 的示例,发现需要进行一些小的更改:

  • 更改为function_entryzend_function_entry
  • 替换为RETURN_STRING("Hello World", 1)RETURN_STRING("Hello World")

这是开始PHP扩展开发的一个很好的示例代码!谢谢!


推荐