当前位置: 首页>>代码示例>>Java>>正文


Java Jvm类代码示例

本文整理汇总了Java中net.openhft.chronicle.core.Jvm的典型用法代码示例。如果您正苦于以下问题:Java Jvm类的具体用法?Java Jvm怎么用?Java Jvm使用的例子?那么恭喜您, 这里精选的类代码示例或许可以为您提供帮助。


Jvm类属于net.openhft.chronicle.core包,在下文中一共展示了Jvm类的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Java代码示例。

示例1: enableMarketData

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
public void enableMarketData(boolean enable) {
    if(!enable)
        isStopped = true;
    else {
        isStopped = false;
        new Thread(() -> {
            while (!isStopped) {
                Random r = new Random();
                int[] fourRandomNumbers = r.ints(4, 0, 1001).toArray();

                MarketData md  = new MarketData("GBP/USD",
                        fourRandomNumbers[0],
                        fourRandomNumbers[1],
                        fourRandomNumbers[2],
                        fourRandomNumbers[3]);

                gatewayPublisher.marketData(md);

                System.out.println(md);
                Jvm.pause(1000);
            }
        }).start();
    }
}
 
开发者ID:Vanilla-Java,项目名称:Microservices,代码行数:25,代码来源:TradingServer.java

示例2: logToStandardOutMessageReceivedInERROR

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
private static void logToStandardOutMessageReceivedInERROR(@NotNull Wire wire) {
    @NotNull final Bytes<?> bytes = wire.bytes();

    final long position = bytes.writePosition();
    final long limit = bytes.writeLimit();
    try {
        try {

            LOG.info("\nreceives IN ERROR:\n" +
                    "```yaml\n" +
                    Wires.fromSizePrefixedBlobs(wire) +
                    "```\n");
            YamlLogging.title = "";
            YamlLogging.writeMessage("");

        } catch (Exception e) {
            String x = Bytes.toString(bytes);
            Jvm.warn().on(TcpChannelHub.class, x, e);
        }
    } finally {
        bytes.writeLimit(limit);
        bytes.writePosition(position);
    }
}
 
开发者ID:OpenHFT,项目名称:Chronicle-Network,代码行数:25,代码来源:TcpChannelHub.java

示例3: sendCloseMessage

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
/**
 * used to signal to the server that the client is going to drop the connection, and waits up to
 * one second for the server to acknowledge the receipt of this message
 */
private void sendCloseMessage() {

    this.lock(() -> {

        TcpChannelHub.this.writeMetaDataForKnownTID(0, outWire, null, 0);

        TcpChannelHub.this.outWire.writeDocument(false, w ->
                w.writeEventName(EventId.onClientClosing).text(""));

    }, TryLock.LOCK);

    // wait up to 1 seconds to receive an close request acknowledgment from the server
    try {
        final boolean await = receivedClosedAcknowledgement.await(1, TimeUnit.SECONDS);
        if (!await)
            Jvm.debug().on(getClass(), "SERVER IGNORED CLOSE REQUEST: shutting down the client anyway as the " +
                    "server did not respond to the close() request.");
    } catch (InterruptedException ignore) {
        Thread.currentThread().interrupt();
    }
}
 
开发者ID:OpenHFT,项目名称:Chronicle-Network,代码行数:26,代码来源:TcpChannelHub.java

示例4: logToStandardOutMessageSent

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
private void logToStandardOutMessageSent(@NotNull WireOut wire, @NotNull ByteBuffer outBuffer) {
    if (!YamlLogging.showClientWrites())
        return;

    @NotNull Bytes<?> bytes = wire.bytes();

    try {

        if (bytes.readRemaining() > 0)
            LOG.info(((!YamlLogging.title.isEmpty()) ? "### " + YamlLogging
                    .title + "\n" : "") + "" +
                    YamlLogging.writeMessage() + (YamlLogging.writeMessage().isEmpty() ?
                    "" : "\n\n") +
                    "sends:\n\n" +
                    "```yaml\n" +
                    Wires.fromSizePrefixedBlobs(bytes) +
                    "```");
        YamlLogging.title = "";
        YamlLogging.writeMessage("");

    } catch (Exception e) {
        Jvm.warn().on(getClass(), Bytes.toString(bytes), e);
    }
}
 
开发者ID:OpenHFT,项目名称:Chronicle-Network,代码行数:25,代码来源:TcpChannelHub.java

示例5: log0

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
private void log0(@NotNull ByteBuffer bytes, int start, int end) {
    @NotNull final StringBuilder sb = new StringBuilder(desc);
    sb.append(" len: ").append(end - start).append(" - ");
    if (end - start > 128) {
        for (int i = start; i < start + 64; i++)
            appendByte(bytes, sb, i);
        sb.append(" ... ");
        for (int i = end - 64; i < end; i++)
            appendByte(bytes, sb, i);
    } else {
        for (int i = start; i < end; i++)
            appendByte(bytes, sb, i);
    }

    Jvm.debug().on(getClass(), sb.toString());
}
 
开发者ID:OpenHFT,项目名称:Chronicle-Network,代码行数:17,代码来源:NetworkLog.java

示例6: delay

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
/**
 * Delays, via Thread.sleep, for the given millisecond delay, but
 * if the sleep is shorter than specified, may re-sleep or yield
 * until time elapses.
 */
static void delay(long millis) throws InterruptedException {
    long startTime = System.nanoTime();
    long ns = millis * 1000 * 1000;
    for (; ; ) {
        if (millis > 0L)
            Jvm.pause(millis);
        else // too short to sleep
            Thread.yield();
        long d = ns - (System.nanoTime() - startTime);
        if (d > 0L)
            millis = d / (1000 * 1000);
        else
            break;
    }
}
 
开发者ID:OpenHFT,项目名称:Chronicle-Map,代码行数:21,代码来源:JSR166TestCase.java

示例7: tearDown

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
/**
 * Extra checks that get done for all test cases.
 *
 * <p>Triggers test case Assert.failure if any thread assertions have Assert.failed,
 * by rethrowing, in the test harness thread, any exception recorded
 * earlier by threadRecordFailure.
 *
 * <p>Triggers test case Assert.failure if interrupt status is set in the main thread.
 */
@After
public void tearDown() throws InterruptedException {
    Throwable t = threadFailure.getAndSet(null);
    if (t != null) {
        if (t instanceof Error)
            throw (Error) t;
        else if (t instanceof RuntimeException)
            throw (RuntimeException) t;
        else if (t instanceof Exception)
            throw Jvm.rethrow(t);
        else {
            AssertionFailedError afe =
                    new AssertionFailedError(t.toString());
            afe.initCause(t);
            throw afe;
        }
    }

    if (Thread.interrupted())
        throw new AssertionFailedError("interrupt status set in main thread");

    checkForkJoinPoolThreadLeaks();
    System.gc();
}
 
开发者ID:OpenHFT,项目名称:Chronicle-Map,代码行数:34,代码来源:JSR166TestCase.java

示例8: check

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
public <R> R check(Call instance) {
    R r1 = null;
    R r2 = null;
    for (int i = 0; i < 50; i++) {
        r1 = (R) instance.method(map1);
        r2 = (R) instance.method(map2);

        if (r1 != null && r1.equals(r2))
            return r1;

        if (i > 30) {
                Jvm.pause(i);
        } else {
            Thread.yield();
        }
    }

    Assert.assertEquals(map1, map2);
    System.out.print(map1);
    System.out.print(map2);

    if (r1 != null)
        Assert.assertEquals(r1.toString(), r2.toString());

    return (R) r1;
}
 
开发者ID:OpenHFT,项目名称:Chronicle-Map,代码行数:27,代码来源:ReplicationCheckingMap.java

示例9: waitTillEqual

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
public static void waitTillEqual(Map map1, Map map2, int timeOutMs) {
        int numberOfTimesTheSame = 0;
        long startTime = System.currentTimeMillis();
        for (int t = 0; t < timeOutMs + 100; t++) {
            // not map1.equals(map2), the reason is described above
            if (map1.equals(map2)) {
                numberOfTimesTheSame++;
                Jvm.pause(1);
                if (numberOfTimesTheSame == 10) {
                    System.out.println("same");
                    break;
                }
}
            Jvm.pause(1);
            if (System.currentTimeMillis() - startTime > timeOutMs)
                break;
        }
    }
 
开发者ID:OpenHFT,项目名称:Chronicle-Map,代码行数:19,代码来源:Builder.java

示例10: main

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
public static void main(String[] args) {
    String input = args.length > 0 ? args[0] : OS.TMP + "/input";
    String output = args.length > 1 ? args[1] : OS.TMP + "/output";

    AtomicLong lastUpdate = new AtomicLong(System.currentTimeMillis() + 1000);
    Thread thread = new Thread(() -> {
        ChronicleQueue outputQ = SingleChronicleQueueBuilder.binary(output).build();
        MethodReader reader = outputQ.createTailer().methodReader((HelloReplier) err::println);
        while (!Thread.interrupted()) {
            if (reader.readOne()) {
                lastUpdate.set(System.currentTimeMillis());
            } else {
                Jvm.pause(10);
            }
        }
    });
    thread.setDaemon(true);
    thread.start();

    ChronicleQueue inputQ = SingleChronicleQueueBuilder.binary(input).build();
    HelloWorld helloWorld = inputQ.createAppender().methodWriter(HelloWorld.class);

    Scanner scanner = new Scanner(System.in);
    while (true) {
        while (System.currentTimeMillis() < lastUpdate.get() + 30)
            Thread.yield();

        out.print("Chat ");
        out.flush();
        if (!scanner.hasNextLine())
            break;
        String line = scanner.nextLine();
        helloWorld.hello(line);
        lastUpdate.set(System.currentTimeMillis());
    }
    out.print("Bye");
}
 
开发者ID:Vanilla-Java,项目名称:Microservices,代码行数:38,代码来源:HelloWorldClientMain.java

示例11: main

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
public static void main(String[] args) {
    String path = "queue";
    SingleChronicleQueue queue = SingleChronicleQueueBuilder.binary(path).build();
    ExcerptTailer tailer = queue.createTailer();

    while (true) {
        String text = tailer.readText();
        if (text == null)
            Jvm.pause(10);
        else
            System.out.println(text);

    }
}
 
开发者ID:OpenHFT,项目名称:Chronicle-Queue-Sample,代码行数:15,代码来源:OutputMain.java

示例12: InMemoryLongColumn

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
public InMemoryLongColumn(TimeSeries timeSeries, String name, BytesLongLookup lookup, long capacity) {
    super(timeSeries, name);
    this.lookup = lookup;
    long value = lookup.sizeFor(capacity);
    this.bytes = Jvm.isDebug()
            ? Bytes.wrapForRead(ByteBuffer.allocateDirect(Math.toIntExact(value)))
            : NativeBytesStore.lazyNativeBytesStoreWithFixedCapacity(value);
}
 
开发者ID:OpenHFT,项目名称:Chronicle-TimeSeries,代码行数:9,代码来源:InMemoryLongColumn.java

示例13: ensureCapacity

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
@Override
public void ensureCapacity(long capacity) {
    long cap = lookup.sizeFor(capacity);
    if (cap > bytes.realCapacity()) {
        long value = lookup.sizeFor(capacity);
        BytesStore bytes2 = Jvm.isDebug()
                ? Bytes.wrapForRead(ByteBuffer.allocateDirect(Math.toIntExact(value)))
                : NativeBytesStore.lazyNativeBytesStoreWithFixedCapacity(value);
        bytes2.write(0, bytes);
        bytes.release();
        bytes = bytes2;
    }
}
 
开发者ID:OpenHFT,项目名称:Chronicle-TimeSeries,代码行数:14,代码来源:InMemoryLongColumn.java

示例14: onRead

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
@Override
protected void onRead(@NotNull DocumentContext in, @NotNull WireOut out) {
    for (; ; ) {
        long pos = in.wire().bytes().readPosition();
        if (!reader.readOne())
            return;
        if (pos <= in.wire().bytes().readPosition()) {
            Jvm.warn().on(getClass(), "unable to parse data at the end of message " + in.wire().bytes().toDebugString());
            return;
        }
    }
}
 
开发者ID:OpenHFT,项目名称:Chronicle-Network,代码行数:13,代码来源:MethodTcpHandler.java

示例15: logYaml

import net.openhft.chronicle.core.Jvm; //导入依赖的package包/类
private static void logYaml(@NotNull final DocumentContext dc) {
    if (YamlLogging.showServerWrites() || YamlLogging.showServerReads())
        try {
            LOG.info("\nDocumentContext:\n" +
                    Wires.fromSizePrefixedBlobs(dc));

        } catch (Exception e) {
            Jvm.warn().on(WireOutPublisher.class, "\nServer Sends ( corrupted ) :\n" +
                    dc.wire().bytes().toDebugString());
        }
}
 
开发者ID:OpenHFT,项目名称:Chronicle-Network,代码行数:12,代码来源:WireTcpHandler.java


注:本文中的net.openhft.chronicle.core.Jvm类示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。