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

时间:2009-08-09 02:25:35

标签: php c linux

自从20世纪80年代和90年代以来,我没有用自己的实验来使用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;
  }
}

2 个答案:

答案 0 :(得分:10)

此示例的扩展名。

<?php
    function hello_world() {
        return 'Hello World';
    }
?>
### config.m4
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
### php_hello.h
#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到你的php.ini来触发它。

 php -r 'echo hello_world();'

你完成了。; - )

了解更多here

轻松尝试使用zephir-lang来构建具有较少

知识的php扩展
namespace Test;

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

使用zephir编译并获取测试扩展

答案 1 :(得分:2)

尝试使用PHP 7.1.6的Saurabh示例,并发现需要进行一些小的更改:

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

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