什么是在Haxe一次运行多个流程的最佳方式?

时间:2016-12-05 23:14:05

标签: java c++ haxe

我最近开始使用Haxe Process课程。我用它来调用curl命令。正如您所期望的那样,该过程将阻止该程序直到它完成。像

这样的东西
for( obj in array ) {
 var curl = 'curl "http://something.com?param=$obj"';
 var process = new Process(curl);
 trace('finished);
 process.close();

}

我想做的是一次说4或5个进程。如果我基本上可以创建一个说有100个项目的for循环,并且一次最多运行4个进程,直到我们到达数组的末尾将是非常棒的。

1 个答案:

答案 0 :(得分:1)

我认为你需要研究线程。我发现这个例子可能有所帮助,但不确定你如何在Haxe / Java

中处理这个问题
#if cpp
    import cpp.vm.Thread;
    import cpp.vm.Deque;
#elseif neko
    import neko.vm.Thread;
    import neko.vm.Deque;
#end

/** 
A simple Haxe class for easily running threads and calling functions on the primary thread.
from https://github.com/underscorediscovery/
*/
class Runner {

    public static var primary : Thread;

    static var queue : Deque<Void->Void>;

        /** Call this on your thread to make primary,
            the calling thread will be used for callbacks. */
    public static function init() {
        queue = new Deque<Void->Void>();
        primary = Thread.current();
    }

        /** Call this on the primary manually,
            Returns the number of callbacks called. */
    public static function run() : Int {

        var more = true;
        var count = 0;

        while(more) {
            var item = queue.pop(false);
            if(item != null) {
                count++; item(); item = null;
            } else {
                more = false; break;
            }
        }

        return count;

    } //process

        /** Call a function on the primary thread without waiting or blocking.
            If you want return values see call_primary_ret */
    public static function call_primary( _fn:Void->Void ) {

        queue.push(_fn);

    } //call_primary

        /** Call a function on the primary thread and wait for the return value.
            This will block the calling thread for a maximum of _timeout, default to 0.1s.
            To call without a return or blocking, use call_primary */
    public static function call_primary_ret<T>( _fn:Void->T, _timeout:Float=0.1 ) : Null<T> {

        var res:T = null;
        var start = haxe.Timer.stamp();
        var lock = new cpp.vm.Lock();

            //add to main to call this
        queue.push(function() {
            res = _fn();
            lock.release();
        });

            //wait for the lock release or timeout
        lock.wait(_timeout);

            //clean up
        lock = null;
            //return result
        return res;

    } //call_primary_ret

        /** Create a thread using the given function */
    public static function thread( fn:Void->Void ) : Thread {
        return Thread.create( fn );
    }

} //Runner
  

来源: https://gist.github.com/underscorediscovery/e66e72ec702bdcedf5af45f8f4712109