찾다
백엔드 개발PHP 튜토리얼转载 kestrel php 讯息队列

转载 kestrel php 消息队列

We've been using Twitter's kestrel queue server for a while now at work, but only from our service layer, which is written in python.? Now that we have some queueing needs from our application layer, written in PHP, I spent a few days this week adding queue support to our web application.? I thought I'd share what I learned, and how I implemented it.

Goals

The kestrel server itself was pretty straightforward to get up and running.? The only thing I would point out is that I recommend sticking to release branches, as master was fairly unstable when I tried to use it.? Regarding implementing the client, there were a few goals I had in mind when I started:

??? Since kestrel is built on the memcache protocol, try and leverage an existing memcache client rather than build one from scratch
??? Utilize our existing batch job infrastructure, which I covered previously here, and make sure our multi-tenant needs are met
??? Keep the queue interface generic in case we change queue servers later
??? Utilize existing kestrel management tools, only build out the the functionality we need

With these goals in mind, I ended up with 4 components: a kestrel client, a producer, a consumer, and a very small CLI harness for running the consumer.? But before I even coded anything, I set up kestrel web, a web UI for kestrel written by my co-worker Matt Erkkila.? Kestrel web allows you to view statistics on kestrel, manage queues, as well as sort and filter queues based on manual inputs.? Having this tool up and running from the get go made it easy to watch jobs get added and consumed from my test queue, and also easily flush out the queues as needed.

The Kestrel Client

I couldn't find any existing kestrel clients for PHP, so I started looking at the two memcache extensions: the older memcache, and Andrei Zmievski's memcached, the latter of which is based on the libmemcached library.? I started with memcache, and while it worked fine initially, I quickly found that I could not modify timeouts.? This interfered with the way? kestrel recommends you poll it for new jobs, and I would see timeout errors from the memcache extension if you tried to set the poll timeout to 1 second or higher (the memcache default).? The memcached extension does not have these issues, so I went with it.

The first gotcha I ran into was serialization.? You can use memcached's serializer for writing to kestrel, but when it reads the data back, it doesn't recognize that it is serialized.? So I just serialize the data manually in my client, and things work fine. One other thing to note is that you'll want to disable compression, or do it manually, as the memcached extension will automatically compress anything over 100 bytes by default, and will not decompress it when reading from kestrel.

The other issue is that if you want to use any custom kestrel commands, you can't.? Since the application layer doesn't need anything fancy, the memcached extension will work fine for it.? Once we need support for the upcoming monitor (batching) in kestrel 2, we may need to implement a kestrel client from scratch.? Kestrel web supplies everything else we need right now.

Once the decision was made to use memcached, I wrote a light decorator for it, EC_KestrelClient.? This handles instantiation of the memcached client, serialization, and helpers for some kestrel specific options to the GET command.? It also has support for passing memcached specific options through it.? The class ended up looking like this:

?

<?php /** * A thin kestrel client that wraps Memcached (libmemcached extension) * * @author Bill Shupp <[email&#160;protected]> * @copyright 2010-2011 Empower Campaigns */ class EC_KestrelClient {     /** * The Memcached instance * * @var Memcached */     protected $_memcached = null;     /** * The Kestrel server IP * * @var string */     protected $_host = '127.0.0.1';     /** * The Kestrel server port * * @var string */     protected $_port = 22133;     /** * Optional options, not currently used * * @var array */     protected $_options = array();     /** * Sets the host, port, and options to be used * * @param string $host The host to use, defaults to 127.0.0.1 * @param int $port The port to use, defaults to 22133 * @param array $options Memcached options, not currently used * * @return void */     public function __construct(         $host = '127.0.0.1', $port = 22133, array $options = array()     )     {         $this->_host = $host;         $this->_port = $port;         $this->setOptions($options);     }     /** * Sets job data on the queue, json_encoding the value to avoid problematic * serialization. * * @param string $queue The queue name * @param mixed $data The data to store * * @return bool */     public function set($queue, $data)     {         // Local json serialization, as kestrel doesn't send serialization flags         return $this->getMemcached()->set($queue, json_encode($data));     }     /** * Reliably read an item off of the queue. Meant to be run in a loop, and * call closeReliableRead() when done to make sure the final job is not left * on the queue. * * @param mixed $queue The queue name to read from * @param int $timeout The timeout to wait for a job to appear * * @return array|false * @see closeReliableRead() */     public function reliableRead($queue, $timeout = 1000)     {         $queue = $queue . '/close/open/t=' . $timeout;         $result = $this->getMemcached()->get($queue);         if ($result === false) {             return $result;         }         // Local json serialization, as kestrel doesn't send serialization flags         return json_decode($result, true);     }     /** * Closes any existing open read * * @param string $queue The queue name * * @return false */     public function closeReliableRead($queue)     {         $queue = $queue . '/close';         return $this->getMemcached()->get($queue);     }     /** * Aborts an existing reliable read * * @param string $queue The queue name * * @return false */     public function abortReliableRead($queue)     {         $queue = $queue . '/abort';         return $this->getMemcached()->get($queue);     }     /** * Set an option to be used with the Memcached client. Not used. * * @param string $name The option name * @param value $value The option value * * @return void */     public function setOption($name, $value)     {         $this->_options[$name] = $value;     }     /** * Sets multiple options * * @param array $options Array of key/values to set * * @return void */     public function setOptions(array $options)     {         foreach ($options as $name => $value) {             $this->setOption($name, $value);         }     }     /** * Gets a current option's value * * @param string $name The option name * * @return mixed */     public function getOption($name)     {         if (isset($this->_options[$name])) {             return $this->_options[$name];         }         return null;     }     /** * Gets all current options * * @return array */     public function getOptions()     {         return $this->_options;     }     /** * Gets a singleton instance of the Memcached client * * @return Memcached */     public function getMemcached()     {         if ($this->_memcached === null) {             $this->_initMemcached();         }         return $this->_memcached;     }     /** * Initialized the Memcached client instance * * @return void */     protected function _initMemcached()     {         $this->_memcached = $this->_getMemcachedInstance();         foreach ($this->_options as $option => $value) {             $this->_memcached->setOption($option, $value);         }         $this->_memcached->addServer($this->_host, $this->_port);         $this->_memcached->setOption(Memcached::OPT_COMPRESSION, false);     }     // @codeCoverageIgnoreStart     /** * Returns a new instance of Memcached. Abstracted for testing. * * @return Memcached */     protected function _getMemcachedInstance()     {         return new Memcached();     }     // @codeCoverageIgnoreEnd } 

?

?

view raw EC_KestrelClient.php This Gist brought to you by GitHub.

The Producer

The producer is very simple.? It just formats the data into a standard structure, including current tenant information, namespaces the queue so it doesn't collide with other projects, and adds it to the queue.? The producer looks like this:

?

<?php /** * Interface for adding jobs to a queue server * * @author Bill Shupp <[email&#160;protected]> * @copyright 2010-2011 Empower Campaigns */ class EC_Producer {     /** * Adds a job onto a queue * * @param string $queue The queue name to add a job to * @param string $jobName The job name for the consumer to run * @param mixed $data Optional additional data to pass to the job * * @return bool */     public function addJob($queue, $jobName, $data = null)     {         $item = array(             'instance' => EC::getCurrentInstanceName(),             'jobName' => $jobName         );         if ($data !== null) {             $item['data'] = $data;         }         // Namespace queue with project         $queue = 'enterprise_' . $queue;         $client = $this->_getKestrelClient();         return $client->set($queue, $item);     }     // @codeCoverageIgnoreStart     /** * Gets a single instance of EC_KestrelClient. Abstracted for testing. * * @return void */     protected function _getKestrelClient()     {         if (APPLICATION_ENV === 'testing') {             throw new Exception(__METHOD__ . ' was not mocked when testing');         }         static $client = null;         if ($client === null) {             $host = EC::getConfigOption('kestrel.host');             $port = EC::getConfigOption('kestrel.port');             $client = new EC_KestrelClient($host, $port);         }         return $client;     }     // @codeCoverageIgnoreEnd } 

?

?

?

view raw EC_Producer.php This Gist brought to you by GitHub.

The Consumer

The consumer has a bit more to it, though still pretty straightforward.? It's intended to be run from a monitoring tool like daemontools or supervisord, so there is a very small CLI harness that just passes the CLI arguments into EC_Consumer and runs it.? After parsing the CLI arguments, EC_Consumer polls kestrel for new jobs, and runs them through our standard batch job infrastructure.? Until we have more confidence in PHP's long running process ability, I added an optional maxium jobs argument, which will stop the consumer from processing more than X jobs and then terminate.? The monitoring service (supervisord) will then just restart it in a matter of seconds.? I also added an optional debug argument for testing, so you can see every action as it happens.? The CLI harness looks like this:

?

#!/bin/env php <?php // External application bootstrapping require_once __DIR__ . '/cli_init.php'; // Instantiate and run the consumer $consumer = new EC_Consumer($argv); $consumer->run(); 

?

view raw consumer_cli.php This Gist brought to you by GitHub.

And the main consumer class, EC_Consumer, looks something like this:

<?php /** * Enterprise queue consumer interface, called by bin/consumer_cli.php * * @author Bill Shupp <[email&#160;protected]> * @copyright 2010-2011 Empower Campaigns */ class EC_Consumer {     /** * Instance of [email&#160;protected] Zend_Console_Getopt} * * @var Zend_Console_Getopt */     protected $_opt = null;     /** * Which APPLICATION_ENV to run under (see -e) * * @var string */     protected $_environment = null;     /** * The kestrel server IP * * @var string */     protected $_host = null;     /** * The kestrel server port * * @var int */     protected $_port = null;     /** * The kestrel queue name to connect to * * @var string */     protected $_queue = null;     /** * Whether we should show debug output * * @var bool */     protected $_debug = false;     /** * Maximum # of jobs for this process to perform (for memory fail safe) * * @var int */     protected $_maxJobs = null;     /** * Current job count * * @var int */     protected $_jobCount = 0;     /** * Parses arguments from the command line and does error handling * * @param array $argv The $argv from bin/ecli.php * * @throw Zend_Console_Getopt_Exception on failure * @return void */     public function __construct(array $argv)     {         try {             $opt = new Zend_Console_Getopt(                 array(                     'environment|e=s' => 'environment name (e.g. development)'                                          . ', required',                     'server|s=s' => 'kestrel server, format of host:port'                                          . ', required',                     'queue|q=s' => 'queue name (e.g. crawler_campaign)'                                          . ', required',                     'max-jobs|m=s' => 'max jobs to run before exiting'                                          . ', optional',                     'debug|d' => 'show debug output'                                          . ', optional',                 )             );             $opt->setArguments($argv);             $opt->parse();             // Set environment             if ($opt->e === null) {                 throw new Zend_Console_Getopt_Exception(                     'Error: missing environment'                 );             }             $this->_environment = $opt->e;             // @codeCoverageIgnoreStart             if (!defined('APPLICATION_ENV')) {                 define('APPLICATION_ENV', $this->_environment);             }             // @codeCoverageIgnoreEnd             // Set server             if ($opt->s === null) {                 throw new Zend_Console_Getopt_Exception(                     'Error: missing server'                 );             }             $parts = explode(':', $opt->s);             if (count($parts) !== 2) {                 throw new Zend_Console_Getopt_Exception(                     'Error: invalid server: ' . $opt->s                 );             }             $this->_host = $parts[0];             $this->_port = $parts[1];             // Set queue             if ($opt->q === null) {                 throw new Zend_Console_Getopt_Exception(                     'Error: missing queue'                 );             }             $this->_queue = $opt->q;             // Set max-jobs             if ($opt->m !== null) {                 $this->_maxJobs = $opt->m;             }             // Set debug             if ($opt->d !== null) {                 $this->_debug = true;             }         } catch (Zend_Console_Getopt_Exception $e) {             echo "\n" . $e->getMessage() . "\n\n";             echo $opt->getUsageMessage();             // @codeCoverageIgnoreStart             if (!defined('APPLICATION_ENV') || APPLICATION_ENV !== 'testing') {                 exit(1);             }             // @codeCoverageIgnoreEnd         }         $this->_opt = $opt;     }     /** * Polls the queue server for jobs and runs them as they come in * * @return void */     public function run()     {         $client = $this->_getKestrelClient();         $queue = 'enterprise_' . $this->_queue;         while ($this->_keepRunning()) {             // Pull job from queue             $job = $client->reliableRead($queue, 500);             if ($job === false) {                 $this->_debug('Nothing on queue ' . $queue);                 continue;             }             if (!isset($job['instance'])) {                 echo 'Instance not set in queue job: ' . print_r($job, true);                 continue;             }             $instance = $job['instance'];             if (!isset($job['jobName'])) {                 echo 'Job name not set in queue job: ' . print_r($job, true);                 continue;             }             $jobName = $job['jobName'];             $data = null;             if (isset($job['data'])) {                 $data = $job['data'];             }             // Run the job             $returnCode = $this->runJob($instance, $jobName, $data);             if ($returnCode !== 0) {                 $client->abortReliableRead($queue);                 continue;             }         }         $client->closeReliableRead($queue);     }     /** * Runs the job via bin/ecli.php * * @param string $instance The instance name to run the job under * @param string $jobName The job name * @param string $data Optional extra data * * @return int */     public function runJob($instance, $jobName, $data)     {         $cmd = BASE_PATH . '/bin/ecli.php '             . '-e ' . $this->_environment             . ' -i ' . $instance             . ' -j ' . $jobName;         if ($data) {             $cmd .= " '" . base64_encode(json_encode($data)) . "'";         }         $returnCode = $this->_passthru($cmd);         $this->_jobCount++;         $this->_debug('Job count: ' . $this->_jobCount);         return $returnCode;     }     /** * Check to see if the job limit has been reached * * @return bool */     protected function _keepRunning()     {         return ($this->_maxJobs === null) ? true                : ($this->_jobCount < $this->_maxJobs);     }     /** * Show debug messages * * @param mixed $message * * @return void */     protected function _debug($message)     {         if (!$this->_debug) {             return;         }         echo $message . "\n";     }     // @codeCoverageIgnoreStart     /** * Calls the passthru() function and returns the exit code. Abstracted * for testing. * * @param string $cmd The command to execute * * @return int */     protected function _passthru($cmd)     {         passthru($cmd, $returnCode);         return $returnCode;     }     /** * Gets a single instance of EC_KestrelClient. Abstracted for testing. * * @return void */     protected function _getKestrelClient()     {         if (APPLICATION_ENV === 'testing') {             throw new Exception(__METHOD__ . ' was not mocked when testing');         }         return new EC_KestrelClient($this->_host, $this->_port);     }     // @codeCoverageIgnoreEnd } 

?

?

view raw EC_Consumer.php This Gist brought to you by GitHub.

Putting it together

Now that all the pieces are put together, let's take a look at in action. Adding example job "HelloWorld" to the queue "hello_world" from within our application looks something like this:

<?php $producer = new EC_Producer(); $producer->addJob('hello_world', 'HelloWorld', array('foo' => 'bar')); ?> view raw gistfile1.php This Gist brought to you by GitHub. 

?

?

And finally, here's an example of running the consumer from the CLI harness, along with some example debug output of processing the job:

./bin/consumer_cli.php -e development -s 127.0.0.1:22133 -q hello_world -d -m 2
Nothing on queue enterprise_hello_world
Nothing on queue enterprise_hello_world
Nothing on queue enterprise_hello_world
Nothing on queue enterprise_hello_world
Running EC_Job_HelloWorld on instance dev under environment development
Hello, world! Here is my data array:
stdClass Object
(
??? [foo] => bar
)
And here are my args: ./bin/ecli.php eyJmb28iOiJiYXIifQ==
Completed job in 0 seconds.
Job count: 1
Nothing on queue enterprise_hello_world
Nothing on queue enterprise_hello_world
Nothing on queue enterprise_hello_world
Nothing on queue enterprise_hello_world
Running EC_Job_HelloWorld on instance dev under environment development
Hello, world! Here is my data array:
stdClass Object
(
??? [foo] => bar
)
And here are my args: ./bin/ecli.php eyJmb28iOiJiYXIifQ==
Completed job in 0 seconds.
Job count: 2

view raw example.txt This Gist brought to you by GitHub.

That's it! I'd be interested to hear how other folks are interfacing with kestrel from PHP.

성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
스칼라 유형, 반환 유형, 노조 유형 및 무효 유형을 포함한 PHP 유형의 힌트 작업은 어떻게 작동합니까?스칼라 유형, 반환 유형, 노조 유형 및 무효 유형을 포함한 PHP 유형의 힌트 작업은 어떻게 작동합니까?Apr 17, 2025 am 12:25 AM

PHP 유형은 코드 품질과 가독성을 향상시키기위한 프롬프트입니다. 1) 스칼라 유형 팁 : PHP7.0이므로 int, float 등과 같은 기능 매개 변수에 기본 데이터 유형을 지정할 수 있습니다. 2) 반환 유형 프롬프트 : 기능 반환 값 유형의 일관성을 확인하십시오. 3) Union 유형 프롬프트 : PHP8.0이므로 기능 매개 변수 또는 반환 값에 여러 유형을 지정할 수 있습니다. 4) Nullable 유형 프롬프트 : NULL 값을 포함하고 널 값을 반환 할 수있는 기능을 포함 할 수 있습니다.

PHP는 객체 클로닝 (클론 키워드) 및 __clone 마법 방법을 어떻게 처리합니까?PHP는 객체 클로닝 (클론 키워드) 및 __clone 마법 방법을 어떻게 처리합니까?Apr 17, 2025 am 12:24 AM

PHP에서는 클론 키워드를 사용하여 객체 사본을 만들고 \ _ \ _ Clone Magic 메소드를 통해 클로닝 동작을 사용자 정의하십시오. 1. 복제 키워드를 사용하여 얕은 사본을 만들어 객체의 속성을 복제하지만 객체의 속성은 아닙니다. 2. \ _ \ _ 클론 방법은 얕은 복사 문제를 피하기 위해 중첩 된 물체를 깊이 복사 할 수 있습니다. 3. 복제의 순환 참조 및 성능 문제를 피하고 클로닝 작업을 최적화하여 효율성을 향상시키기 위해주의를 기울이십시오.

PHP vs. Python : 사용 사례 및 응용 프로그램PHP vs. Python : 사용 사례 및 응용 프로그램Apr 17, 2025 am 12:23 AM

PHP는 웹 개발 및 컨텐츠 관리 시스템에 적합하며 Python은 데이터 과학, 기계 학습 및 자동화 스크립트에 적합합니다. 1.PHP는 빠르고 확장 가능한 웹 사이트 및 응용 프로그램을 구축하는 데 잘 작동하며 WordPress와 같은 CMS에서 일반적으로 사용됩니다. 2. Python은 Numpy 및 Tensorflow와 같은 풍부한 라이브러리를 통해 데이터 과학 및 기계 학습 분야에서 뛰어난 공연을했습니다.

다른 HTTP 캐싱 헤더 (예 : 캐시 제어, ETAG, 최종 수정)를 설명하십시오.다른 HTTP 캐싱 헤더 (예 : 캐시 제어, ETAG, 최종 수정)를 설명하십시오.Apr 17, 2025 am 12:22 AM

HTTP 캐시 헤더의 주요 플레이어에는 캐시 제어, ETAG 및 최종 수정이 포함됩니다. 1. 캐시 제어는 캐싱 정책을 제어하는 ​​데 사용됩니다. 예 : 캐시 제어 : Max-AGE = 3600, 공개. 2. ETAG는 고유 식별자를 통해 리소스 변경을 확인합니다. 예 : ETAG : "686897696A7C876B7E". 3. Last-modified는 리소스의 마지막 수정 시간을 나타냅니다. 예 : 마지막으로 변형 : Wed, 21oct201507 : 28 : 00GMT.

PHP에서 보안 비밀번호 해싱을 설명하십시오 (예 : Password_hash, Password_Verify). 왜 MD5 또는 SHA1을 사용하지 않습니까?PHP에서 보안 비밀번호 해싱을 설명하십시오 (예 : Password_hash, Password_Verify). 왜 MD5 또는 SHA1을 사용하지 않습니까?Apr 17, 2025 am 12:06 AM

PHP에서 Password_hash 및 Password_Verify 기능을 사용하여 보안 비밀번호 해싱을 구현해야하며 MD5 또는 SHA1을 사용해서는 안됩니다. 1) Password_hash는 보안을 향상시키기 위해 소금 값이 포함 된 해시를 생성합니다. 2) Password_verify 암호를 확인하고 해시 값을 비교하여 보안을 보장합니다. 3) MD5 및 SHA1은 취약하고 소금 값이 부족하며 현대 암호 보안에는 적합하지 않습니다.

PHP : 서버 측 스크립팅 언어 소개PHP : 서버 측 스크립팅 언어 소개Apr 16, 2025 am 12:18 AM

PHP는 동적 웹 개발 및 서버 측 응용 프로그램에 사용되는 서버 측 스크립팅 언어입니다. 1.PHP는 편집이 필요하지 않으며 빠른 발전에 적합한 해석 된 언어입니다. 2. PHP 코드는 HTML에 포함되어 웹 페이지를 쉽게 개발할 수 있습니다. 3. PHP는 서버 측 로직을 처리하고 HTML 출력을 생성하며 사용자 상호 작용 및 데이터 처리를 지원합니다. 4. PHP는 데이터베이스와 상호 작용하고 프로세스 양식 제출 및 서버 측 작업을 실행할 수 있습니다.

PHP 및 웹 : 장기적인 영향 탐색PHP 및 웹 : 장기적인 영향 탐색Apr 16, 2025 am 12:17 AM

PHP는 지난 수십 년 동안 네트워크를 형성했으며 웹 개발에서 계속 중요한 역할을 할 것입니다. 1) PHP는 1994 년에 시작되었으며 MySQL과의 원활한 통합으로 인해 개발자에게 최초의 선택이되었습니다. 2) 핵심 기능에는 동적 컨텐츠 생성 및 데이터베이스와의 통합이 포함되며 웹 사이트를 실시간으로 업데이트하고 맞춤형 방식으로 표시 할 수 있습니다. 3) PHP의 광범위한 응용 및 생태계는 장기적인 영향을 미쳤지 만 버전 업데이트 및 보안 문제에 직면 해 있습니다. 4) PHP7의 출시와 같은 최근 몇 년간의 성능 향상을 통해 현대 언어와 경쟁 할 수 있습니다. 5) 앞으로 PHP는 컨테이너화 및 마이크로 서비스와 같은 새로운 도전을 다루어야하지만 유연성과 활발한 커뮤니티로 인해 적응력이 있습니다.

PHP를 사용하는 이유는 무엇입니까? 설명 된 장점과 혜택PHP를 사용하는 이유는 무엇입니까? 설명 된 장점과 혜택Apr 16, 2025 am 12:16 AM

PHP의 핵심 이점에는 학습 용이성, 강력한 웹 개발 지원, 풍부한 라이브러리 및 프레임 워크, 고성능 및 확장 성, 크로스 플랫폼 호환성 및 비용 효율성이 포함됩니다. 1) 배우고 사용하기 쉽고 초보자에게 적합합니다. 2) 웹 서버와 우수한 통합 및 여러 데이터베이스를 지원합니다. 3) Laravel과 같은 강력한 프레임 워크가 있습니다. 4) 최적화를 통해 고성능을 달성 할 수 있습니다. 5) 여러 운영 체제 지원; 6) 개발 비용을 줄이기위한 오픈 소스.

See all articles

핫 AI 도구

Undresser.AI Undress

Undresser.AI Undress

사실적인 누드 사진을 만들기 위한 AI 기반 앱

AI Clothes Remover

AI Clothes Remover

사진에서 옷을 제거하는 온라인 AI 도구입니다.

Undress AI Tool

Undress AI Tool

무료로 이미지를 벗다

Clothoff.io

Clothoff.io

AI 옷 제거제

AI Hentai Generator

AI Hentai Generator

AI Hentai를 무료로 생성하십시오.

인기 기사

R.E.P.O. 에너지 결정과 그들이하는 일 (노란색 크리스탈)
1 몇 달 전By尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. 최고의 그래픽 설정
1 몇 달 전By尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. 아무도들을 수없는 경우 오디오를 수정하는 방법
1 몇 달 전By尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. 채팅 명령 및 사용 방법
1 몇 달 전By尊渡假赌尊渡假赌尊渡假赌

뜨거운 도구

안전한 시험 브라우저

안전한 시험 브라우저

안전한 시험 브라우저는 온라인 시험을 안전하게 치르기 위한 보안 브라우저 환경입니다. 이 소프트웨어는 모든 컴퓨터를 안전한 워크스테이션으로 바꿔줍니다. 이는 모든 유틸리티에 대한 액세스를 제어하고 학생들이 승인되지 않은 리소스를 사용하는 것을 방지합니다.

스튜디오 13.0.1 보내기

스튜디오 13.0.1 보내기

강력한 PHP 통합 개발 환경

맨티스BT

맨티스BT

Mantis는 제품 결함 추적을 돕기 위해 설계된 배포하기 쉬운 웹 기반 결함 추적 도구입니다. PHP, MySQL 및 웹 서버가 필요합니다. 데모 및 호스팅 서비스를 확인해 보세요.

VSCode Windows 64비트 다운로드

VSCode Windows 64비트 다운로드

Microsoft에서 출시한 강력한 무료 IDE 편집기

WebStorm Mac 버전

WebStorm Mac 버전

유용한 JavaScript 개발 도구