How to use Distributor class of org.openqa.selenium.grid.distributor package

Best Selenium code snippet using org.openqa.selenium.grid.distributor.Distributor

Source:LocalDistributor.java Github

copy

Full Screen

...26import org.openqa.selenium.SessionNotCreatedException;27import org.openqa.selenium.concurrent.Regularly;28import org.openqa.selenium.grid.component.HealthCheck;29import org.openqa.selenium.grid.data.Session;30import org.openqa.selenium.grid.distributor.Distributor;31import org.openqa.selenium.grid.distributor.DistributorStatus;32import org.openqa.selenium.grid.node.Node;33import org.openqa.selenium.grid.node.NodeStatus;34import org.openqa.selenium.json.Json;35import org.openqa.selenium.json.JsonOutput;36import org.openqa.selenium.remote.NewSessionPayload;37import org.openqa.selenium.remote.http.HttpClient;38import org.openqa.selenium.remote.tracing.DistributedTracer;39import org.openqa.selenium.remote.tracing.Span;40import java.time.Duration;41import java.util.ArrayList;42import java.util.Collection;43import java.util.Comparator;44import java.util.HashSet;45import java.util.Iterator;46import java.util.Map;47import java.util.Objects;48import java.util.Optional;49import java.util.Set;50import java.util.UUID;51import java.util.concurrent.ConcurrentHashMap;52import java.util.concurrent.locks.Lock;53import java.util.concurrent.locks.ReadWriteLock;54import java.util.concurrent.locks.ReentrantReadWriteLock;55import java.util.function.Supplier;56import java.util.logging.Logger;57public class LocalDistributor extends Distributor {58 private static final Json JSON = new Json();59 private static final Logger LOG = Logger.getLogger("Selenium Distributor");60 private final ReadWriteLock lock = new ReentrantReadWriteLock(/* fair */ true);61 private final Set<Host> hosts = new HashSet<>();62 private final DistributedTracer tracer;63 private final Regularly hostChecker = new Regularly("distributor host checker");64 private final Map<UUID, Collection<Runnable>> allChecks = new ConcurrentHashMap<>();65 public LocalDistributor(DistributedTracer tracer, HttpClient.Factory httpClientFactory) {66 super(tracer, httpClientFactory);67 this.tracer = Objects.requireNonNull(tracer);68 }69 @Override70 public Session newSession(NewSessionPayload payload) throws SessionNotCreatedException {71 Iterator<Capabilities> allCaps = payload.stream().iterator();72 if (!allCaps.hasNext()) {73 throw new SessionNotCreatedException("No capabilities found");74 }75 Capabilities caps = allCaps.next();76 Optional<Supplier<Session>> selected;77 Lock writeLock = this.lock.writeLock();78 writeLock.lock();79 try {80 selected = this.hosts.stream()81 .filter(host -> host.getHostStatus() == UP)82 // Find a host that supports this kind of thing83 .filter(host -> host.hasCapacity(caps))84 .min(85 // Now sort by node which has the lowest load (natural ordering)86 Comparator.comparingDouble(Host::getLoad)87 // Then last session created (oldest first), so natural ordering again88 .thenComparingLong(Host::getLastSessionCreated)89 // And use the host id as a tie-breaker.90 .thenComparing(Host::getId))91 // And reserve some space92 .map(host -> host.reserve(caps));93 } finally {94 writeLock.unlock();95 }96 return selected97 .orElseThrow(98 () -> new SessionNotCreatedException("Unable to find provider for session: " + allCaps))99 .get();100 }101 @Override102 public LocalDistributor add(Node node) {103 StringBuilder sb = new StringBuilder();104 Lock writeLock = this.lock.writeLock();105 writeLock.lock();106 try (Span span = tracer.createSpan("distributor.add", tracer.getActiveSpan());107 JsonOutput out = JSON.newOutput(sb)) {108 out.setPrettyPrint(false).write(node);109 span.addTag("node", sb.toString());110 // TODO: We should check to see what happens for duplicate nodes.111 Host host = new Host(node);112 hosts.add(host);113 LOG.info(String.format("Added node %s.", node.getId()));114 host.refresh();115 Runnable runnable = host::refresh;116 Collection<Runnable> nodeRunnables = allChecks.getOrDefault(node.getId(), new ArrayList<>());117 nodeRunnables.add(runnable);118 allChecks.put(node.getId(), nodeRunnables);119 hostChecker.submit(runnable, Duration.ofMinutes(5), Duration.ofSeconds(30));120 } finally {121 writeLock.unlock();122 }123 return this;124 }125 @Override126 public void remove(UUID nodeId) {127 Lock writeLock = lock.writeLock();128 writeLock.lock();129 try (Span span = tracer.createSpan("distributor.remove", tracer.getActiveSpan())) {130 span.addTag("node.id", nodeId);131 hosts.removeIf(host -> nodeId.equals(host.getId()));132 allChecks.getOrDefault(nodeId, new ArrayList<>()).forEach(hostChecker::remove);133 } finally {134 writeLock.unlock();135 }136 }137 @Override138 public DistributorStatus getStatus() {139 Lock readLock = this.lock.readLock();140 readLock.lock();141 try {142 ImmutableList<NodeStatus> nodesStatuses = this.hosts.stream()143 .map(Host::getStatus)144 .collect(toImmutableList());145 return new DistributorStatus(nodesStatuses);146 } finally {147 readLock.unlock();148 }149 }150 @VisibleForTesting151 @Beta152 public void refresh() {153 Lock writeLock = lock.writeLock();154 writeLock.lock();155 try {156 hosts.forEach(Host::refresh);157 } finally {158 writeLock.unlock();159 }...

Full Screen

Full Screen

Source:Host.java Github

copy

Full Screen

...35import java.util.concurrent.locks.ReentrantReadWriteLock;36import java.util.function.Supplier;37import java.util.logging.Logger;38class Host {39 private static final Logger LOG = Logger.getLogger("Selenium Distributor");40 private final Node node;41 private final int maxSessionCount;42 private Status status;43 private final Runnable performHealthCheck;44 // Used any time we need to read or modify `available`45 private final ReadWriteLock lock = new ReentrantReadWriteLock(/* fair */ true);46 private final List<Slot> slots;47 public Host(Node node) {48 this.node = Objects.requireNonNull(node);49 NodeStatus status = getStatus();50 ImmutableList.Builder<Slot> slots = ImmutableList.builder();51 status.getAvailable().forEach((caps, count) -> {52 for (int i = 0; i < count; i++) {53 slots.add(new Slot(node, caps, AVAILABLE));...

Full Screen

Full Screen

Source:DistributorFlags.java Github

copy

Full Screen

...23import java.net.URI;24import java.util.Collections;25import java.util.Set;26import static org.openqa.selenium.grid.config.StandardGridRoles.DISTRIBUTOR_ROLE;27import static org.openqa.selenium.grid.distributor.config.DistributorOptions.DEFAULT_DISTRIBUTOR_IMPLEMENTATION;28import static org.openqa.selenium.grid.distributor.config.DistributorOptions.DEFAULT_HEALTHCHECK_INTERVAL;29import static org.openqa.selenium.grid.distributor.config.DistributorOptions.DEFAULT_REJECT_UNSUPPORTED_CAPS;30import static org.openqa.selenium.grid.distributor.config.DistributorOptions.DEFAULT_SLOT_MATCHER;31import static org.openqa.selenium.grid.distributor.config.DistributorOptions.DEFAULT_SLOT_SELECTOR_IMPLEMENTATION;32import static org.openqa.selenium.grid.distributor.config.DistributorOptions.DISTRIBUTOR_SECTION;33@SuppressWarnings("FieldMayBeFinal")34@AutoService(HasRoles.class)35public class DistributorFlags implements HasRoles {36 @Parameter(names = {"-d", "--distributor"}, description = "Url of the distributor.")37 @ConfigValue(section = DISTRIBUTOR_SECTION, name = "host", example = "\"http://localhost:5553\"")38 private URI distributorServer;39 @Parameter(40 names = "--distributor-port",41 description = "Port on which the distributor is listening.")42 @ConfigValue(section = DISTRIBUTOR_SECTION, name = "port", example = "5553")43 private Integer distributorServerPort;44 @Parameter(45 names = "--distributor-host",46 description = "Host on which the distributor is listening.")47 @ConfigValue(section = DISTRIBUTOR_SECTION, name = "hostname", example = "\"localhost\"")48 private String distributorServerHost;49 @Parameter(50 names = {"--distributor-implementation"},51 description = "Full classname of non-default distributor implementation")52 @ConfigValue(53 section = DISTRIBUTOR_SECTION,54 name = "implementation",55 example = DEFAULT_DISTRIBUTOR_IMPLEMENTATION)56 private String implementation = DEFAULT_DISTRIBUTOR_IMPLEMENTATION;57 @Parameter(58 names = {"--slot-matcher"},59 description = "Full classname of non-default slot matcher to use. This is used to determine whether a Node can support a particular session.")60 @ConfigValue(section = DISTRIBUTOR_SECTION, name = "slot-matcher", example = DEFAULT_SLOT_MATCHER)61 private String slotMatcher = DEFAULT_SLOT_MATCHER;62 @Parameter(63 names = {"--slot-selector"},64 description = "Full classname of non-default slot selector. This is used to select a slot in a Node once the Node has been matched.")65 @ConfigValue(section = DISTRIBUTOR_SECTION, name = "slot-selector", example = DEFAULT_SLOT_SELECTOR_IMPLEMENTATION)66 private String slotSelector = DEFAULT_SLOT_SELECTOR_IMPLEMENTATION;67 @Parameter(68 names = {"--healthcheck-interval"},69 description = "How often, in seconds, will the health check run for all Nodes." +70 "This ensures the server can ping all the Nodes successfully.")71 @ConfigValue(section = DISTRIBUTOR_SECTION, name = "healthcheck-interval", example = "60")72 public int healthcheckInterval = DEFAULT_HEALTHCHECK_INTERVAL;73 @Parameter(description = "Allow the Distributor to reject a request immediately if the Grid does not support the requested capability." +74 "Rejecting requests immediately is suitable for Grid set up that does not spin up Nodes on demand.",75 names = "--reject-unsupported-caps", arity = 1)76 @ConfigValue(section = DISTRIBUTOR_SECTION, name = "--reject-unsupported-caps", example = "true")77 private boolean rejectUnsupportedCaps = DEFAULT_REJECT_UNSUPPORTED_CAPS;78 @Override79 public Set<Role> getRoles() {80 return Collections.singleton(DISTRIBUTOR_ROLE);81 }82}...

Full Screen

Full Screen

Source:DistributorServer.java Github

copy

Full Screen

...23import org.openqa.selenium.cli.CliCommand;24import org.openqa.selenium.grid.TemplateGridServerCommand;25import org.openqa.selenium.grid.config.Config;26import org.openqa.selenium.grid.config.Role;27import org.openqa.selenium.grid.distributor.Distributor;28import org.openqa.selenium.grid.distributor.config.DistributorOptions;29import org.openqa.selenium.grid.server.Server;30import org.openqa.selenium.internal.Require;31import org.openqa.selenium.remote.http.Contents;32import org.openqa.selenium.remote.http.HttpHandler;33import org.openqa.selenium.remote.http.HttpResponse;34import org.openqa.selenium.remote.http.Route;35import java.util.Collections;36import java.util.Set;37import java.util.logging.Logger;38import static java.net.HttpURLConnection.HTTP_INTERNAL_ERROR;39import static java.net.HttpURLConnection.HTTP_OK;40import static org.openqa.selenium.grid.config.StandardGridRoles.EVENT_BUS_ROLE;41import static org.openqa.selenium.grid.config.StandardGridRoles.HTTPD_ROLE;42import static org.openqa.selenium.grid.config.StandardGridRoles.SESSION_MAP_ROLE;43import static org.openqa.selenium.remote.http.HttpMethod.GET;44import static org.openqa.selenium.remote.http.Route.get;45@AutoService(CliCommand.class)46public class DistributorServer extends TemplateGridServerCommand {47 private static final Logger LOG = Logger.getLogger(DistributorServer.class.getName());48 private static final String LOCAL_DISTRIBUTOR_SERVER = "org.openqa.selenium.grid.distributor.local.LocalDistributor";49 @Override50 public String getName() {51 return "distributor";52 }53 @Override54 public String getDescription() {55 return "Adds this server as the distributor in a selenium grid.";56 }57 @Override58 public Set<Role> getConfigurableRoles() {59 return ImmutableSet.of(EVENT_BUS_ROLE, HTTPD_ROLE, SESSION_MAP_ROLE);60 }61 @Override62 public Set<Object> getFlagObjects() {63 return Collections.emptySet();64 }65 @Override66 protected String getSystemPropertiesConfigPrefix() {67 return "distributor";68 }69 @Override70 protected Config getDefaultConfig() {71 return new DefaultDistributorConfig();72 }73 @Override74 protected Handlers createHandlers(Config config) {75 DistributorOptions distributorOptions = new DistributorOptions(config);76 Distributor distributor = distributorOptions.getDistributor(LOCAL_DISTRIBUTOR_SERVER);77 HttpHandler readinessCheck = req -> {78 boolean ready = distributor.isReady();79 return new HttpResponse()80 .setStatus(ready ? HTTP_OK : HTTP_INTERNAL_ERROR)81 .setHeader("Content-Type", MediaType.PLAIN_TEXT_UTF_8.toString())82 .setContent(Contents.utf8String("Distributor is " + ready));83 };84 return new Handlers(85 Route.combine(86 distributor,87 Route.matching(req -> GET.equals(req.getMethod()) && "/status".equals(req.getUri()))88 .to(() -> req -> new HttpResponse()89 .setContent(Contents.asJson(90 ImmutableMap.of("value", ImmutableMap.of(91 "ready", true,92 "message", "Distributor is ready"))))),93 get("/readyz").to(() -> readinessCheck)),94 null);95 }96 @Override97 protected void execute(Config config) {98 Require.nonNull("Config", config);99 Server<?> server = asServer(config).start();100 BuildInfo info = new BuildInfo();101 LOG.info(String.format(102 "Started Selenium distributor %s (revision %s): %s",103 info.getReleaseLabel(),104 info.getBuildRevision(),105 server.getUrl()));106 }...

Full Screen

Full Screen

Source:DistributorOptions.java Github

copy

Full Screen

...17package org.openqa.selenium.grid.distributor.config;18import org.openqa.selenium.grid.config.Config;19import org.openqa.selenium.grid.config.ConfigException;20import org.openqa.selenium.grid.data.SlotMatcher;21import org.openqa.selenium.grid.distributor.Distributor;22import org.openqa.selenium.grid.distributor.selector.SlotSelector;23import java.net.URI;24import java.net.URISyntaxException;25import java.time.Duration;26import java.util.Optional;27public class DistributorOptions {28 public static final int DEFAULT_HEALTHCHECK_INTERVAL = 300;29 static final String DISTRIBUTOR_SECTION = "distributor";30 static final String DEFAULT_DISTRIBUTOR_IMPLEMENTATION =31 "org.openqa.selenium.grid.distributor.local.LocalDistributor";32 static final String DEFAULT_SLOT_MATCHER = "org.openqa.selenium.grid.data.DefaultSlotMatcher";33 static final String DEFAULT_SLOT_SELECTOR_IMPLEMENTATION =34 "org.openqa.selenium.grid.distributor.selector.DefaultSlotSelector";35 static final boolean DEFAULT_REJECT_UNSUPPORTED_CAPS = false;36 private final Config config;37 public DistributorOptions(Config config) {38 this.config = config;39 }40 public URI getDistributorUri() {41 Optional<URI> host = config.get(DISTRIBUTOR_SECTION, "host").map(str -> {42 try {43 URI distributorUri = new URI(str);44 if (distributorUri.getHost() == null || distributorUri.getPort() == -1) {45 throw new ConfigException("Undefined host or port in Distributor server URI: " + str);46 }47 return distributorUri;48 } catch (URISyntaxException e) {49 throw new ConfigException("Distributor URI is not a valid URI: " + str);50 }51 });52 if (host.isPresent()) {53 return host.get();54 }55 Optional<Integer> port = config.getInt(DISTRIBUTOR_SECTION, "port");56 Optional<String> hostname = config.get(DISTRIBUTOR_SECTION, "hostname");57 if (!(port.isPresent() && hostname.isPresent())) {58 throw new ConfigException("Unable to determine host and port for the distributor");59 }60 try {61 return new URI(62 "http",63 null,64 hostname.get(),65 port.get(),66 null,67 null,68 null);69 } catch (URISyntaxException e) {70 throw new ConfigException(71 "Distributor uri configured through host (%s) and port (%d) is not a valid URI",72 hostname.get(),73 port.get());74 }75 }76 public Duration getHealthCheckInterval() {77 // If the user sets 0s or less, we default to 10s.78 int seconds = Math.max(79 config.getInt(DISTRIBUTOR_SECTION, "healthcheck-interval").orElse(DEFAULT_HEALTHCHECK_INTERVAL),80 10);81 return Duration.ofSeconds(seconds);82 }83 public Distributor getDistributor() {84 return config.getClass(85 DISTRIBUTOR_SECTION,86 "implementation",87 Distributor.class,88 DEFAULT_DISTRIBUTOR_IMPLEMENTATION);89 }90 public SlotMatcher getSlotMatcher() {91 return config.getClass(92 DISTRIBUTOR_SECTION,93 "slot-matcher",94 SlotMatcher.class,95 DEFAULT_SLOT_MATCHER);96 }97 public SlotSelector getSlotSelector() {98 return config.getClass(99 DISTRIBUTOR_SECTION,100 "slot-selector",101 SlotSelector.class,...

Full Screen

Full Screen

Source:Slot.java Github

copy

Full Screen

1// Licensed to the Software Freedom Conservancy (SFC) under one2// or more contributor license agreements. See the NOTICE file3// distributed with this work for additional information4// regarding copyright ownership. The SFC licenses this file5// to you under the Apache License, Version 2.0 (the6// "License"); you may not use this file except in compliance7// with the License. You may obtain a copy of the License at8//9// http://www.apache.org/licenses/LICENSE-2.010//11// Unless required by applicable law or agreed to in writing,12// software distributed under the License is distributed on an13// "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY14// KIND, either express or implied. See the License for the15// specific language governing permissions and limitations16// under the License.17package org.openqa.selenium.grid.distributor.local;18import static org.openqa.selenium.grid.distributor.local.Slot.Status.ACTIVE;19import static org.openqa.selenium.grid.distributor.local.Slot.Status.AVAILABLE;20import static org.openqa.selenium.grid.distributor.local.Slot.Status.RESERVED;21import org.openqa.selenium.Capabilities;22import org.openqa.selenium.SessionNotCreatedException;23import org.openqa.selenium.grid.data.CreateSessionRequest;24import org.openqa.selenium.grid.data.CreateSessionResponse;25import org.openqa.selenium.grid.data.Session;26import org.openqa.selenium.grid.node.Node;27import org.openqa.selenium.remote.SessionId;28import java.util.Objects;29import java.util.function.Supplier;30public class Slot {31 private final Node node;32 private final Capabilities registeredCapabilities;33 private Status currentStatus;34 private long lastStartedNanos;35 private Session currentSession;36 public Slot(Node node, Capabilities capabilities, Status status) {37 this.node = Objects.requireNonNull(node);38 this.registeredCapabilities = Objects.requireNonNull(capabilities);39 this.currentStatus = Objects.requireNonNull(status);40 }41 public Capabilities getStereotype() {42 return registeredCapabilities;43 }44 public Status getStatus() {45 return currentStatus;46 }47 public long getLastSessionCreated() {48 return lastStartedNanos;49 }50 public boolean isSupporting(Capabilities caps) {51 // Simple implementation --- only checks current values52 return registeredCapabilities.getCapabilityNames().stream()53 .map(name -> Objects.equals(54 registeredCapabilities.getCapability(name),55 caps.getCapability(name)))56 .reduce(Boolean::logicalAnd)57 .orElse(false);58 }59 public Supplier<CreateSessionResponse> onReserve(CreateSessionRequest sessionRequest) {60 if (getStatus() != AVAILABLE) {61 throw new IllegalStateException("Node is not available");62 }63 currentStatus = RESERVED;64 return () -> {65 try {66 CreateSessionResponse sessionResponse = node.newSession(sessionRequest)67 .orElseThrow(68 () -> new SessionNotCreatedException(69 "Unable to create session for " + sessionRequest));70 onStart(sessionResponse.getSession());71 return sessionResponse;72 } catch (Throwable t) {73 currentStatus = AVAILABLE;74 currentSession = null;75 throw t;76 }77 };78 }79 public void onStart(Session session) {80 if (getStatus() != RESERVED) {81 throw new IllegalStateException("Slot is not reserved");82 }83 this.lastStartedNanos = System.nanoTime();84 this.currentStatus = ACTIVE;85 this.currentSession = Objects.requireNonNull(session);86 }87 public void onEnd(SessionId id) {88 if (currentSession == null || !currentSession.getId().equals(id)) {89 return;90 }91 this.currentStatus = AVAILABLE;92 this.currentSession = null;93 }94 public enum Status {95 AVAILABLE,96 RESERVED,97 ACTIVE,98 }99}...

Full Screen

Full Screen

Distributor

Using AI Code Generation

copy

Full Screen

1import org.openqa.selenium.grid.distributor.Distributor;2import org.openqa.selenium.grid.distributor.local.LocalDistributor;3import org.openqa.selenium.grid.node.local.LocalNode;4import org.openqa.selenium.grid.server.BaseServerOptions;5import org.openqa.selenium.grid.server.Server;6import org.openqa.selenium.grid.web.Routable;7import org.openqa.selenium.remote.http.HttpClient;8import org.openqa.selenium.remote.http.HttpRequest;9import org.openqa.selenium.remote.http.HttpResponse;10import org.openqa.selenium.remote.tracing.Tracer;11import java.io.IOException;12import java.net.URI;13import java.net.URISyntaxException;14import java.util.logging.Logger;15public class DistributorExample {16 private static final Logger LOG = Logger.getLogger(DistributorExample.class.getName());17 public static void main(String[] args) throws URISyntaxException {18 LocalNode node = LocalNode.builder()19 .build();20 LocalDistributor distributor = LocalDistributor.builder()21 .add(node)22 .build();23 Distributor distributor1 = new Distributor() {24 public void start() {25 }26 public void stop() {27 }28 public URI getUri() {29 return null;30 }31 public HttpResponse execute(HttpRequest req) {32 return null;33 }34 public Tracer getTracer() {35 return null;36 }37 public Routable setClient(HttpClient client) {38 return null;39 }40 };41 BaseServerOptions baseServerOptions = new BaseServerOptions() {42 public String getHost() {43 return null;44 }45 public int getPort() {46 return 0;47 }48 public URI getExternalUri() {49 return null;50 }51 public String getLogFile() {52 return null;53 }54 public String getLogLevel() {55 return null;56 }57 };58 Server<?> server = new Server<>(baseServerOptions, distributor, "distributor");59 try {60 server.start();61 } catch (IOException e) {62 e.printStackTrace();63 }64 }65}

Full Screen

Full Screen

Distributor

Using AI Code Generation

copy

Full Screen

1import org.openqa.selenium.grid.distributor.Distributor;2import org.openqa.selenium.grid.distributor.local.LocalDistributor;3import org.openqa.selenium.grid.node.local.LocalNode;4import org.openqa.selenium.grid.server.BaseServerOptions;5import org.openqa.selenium.grid.server.Server;6import org.openqa.selenium.grid.server.ServerFlags;7import org.openqa.selenium.grid.web.Routes;8import org.openqa.selenium.remote.http.HttpClient;9import org.openqa.selenium.remote.http.HttpRequest;10import org.openqa.selenium.remote.http.HttpResponse;11import org.openqa.selenium.remote.tracing.DefaultTestTracer;12import org.openqa.selenium.remote.tracing.Tracer;13import java.io.IOException;14import java.net.MalformedURLException;15import java.net.URL;16import java.util.Objects;17public class DistributorTest {18 public static void main(String[] args) throws IOException {19 Tracer tracer = DefaultTestTracer.createTracer();20 ServerFlags serverFlags = new ServerFlags();21 serverFlags.parse(args);22 BaseServerOptions serverOptions = serverFlags.toServerOptions();23 Distributor distributor = new LocalDistributor(tracer, serverOptions);24 LocalNode.Builder builder = LocalNode.builder(tracer, serverOptions);25 LocalNode node = builder.build();26 distributor.add(node);27 Routes routes = new Routes();28 routes.add(distributor);29 Server<?> server = serverOptions.getServerFactory().apply(routes);30 server.start();31 HttpRequest request = new HttpRequest(HttpMethod.POST, "/session");32 request.setContent("{\"desiredCapabilities\": {\"browserName\": \"chrome\"}}".getBytes());33 HttpResponse response = HttpClient.Factory.createDefault().createClient(server.getUrl()).execute(request);34 System.out.println(new String(response.getContent()));35 }36}37{"value":{"sessionId":"f7f0c9c9-1b1c-4c5a-8d1b-5b8d5a5f5b9e","capabilities":{"browserName":"chrome","browserVersion":"91.0.4472.77","platformName":"linux"}}}

Full Screen

Full Screen

Distributor

Using AI Code Generation

copy

Full Screen

1package org.openqa.selenium.grid.distributor.local;2import org.openqa.selenium.Capabilities;3import org.openqa.selenium.grid.data.CreateSessionResponse;4import org.openqa.selenium.grid.data.Session;5import org.openqa.selenium.grid.distributor.Distributor;6import org.openqa.selenium.grid.sessionmap.SessionMap;7import org.openqa.selenium.internal.Require;8import org.openqa.selenium.remote.NewSessionPayload;9import org.openqa.selenium.remote.http.HttpClient;10import org.openqa.selenium.remote.tracing.Tracer;11import java.net.URI;12import java.util.Objects;13import java.util.Optional;14import java.util.UUID;15public class LocalDistributor implements Distributor {16 private final HttpClient.Factory clientFactory;17 private final Tracer tracer;18 private final SessionMap sessions;19 public LocalDistributor(20 HttpClient.Factory clientFactory, Tracer tracer, SessionMap sessions) {21 this.clientFactory = Require.nonNull("HTTP client factory", clientFactory);22 this.tracer = Require.nonNull("Tracer", tracer);23 this.sessions = Require.nonNull("Session map", sessions);24 }25 public Optional<Session> getExistingSession(Capabilities capabilities) {26 return sessions.getExistingSession(capabilities);27 }28 public CreateSessionResponse newSession(NewSessionPayload payload) {29 Objects.requireNonNull(payload, "Payload to create a new session must be set.");30 UUID id = UUID.randomUUID();31 Session session = new Session(id, uri, payload.getDownstreamDialects());32 sessions.add(session);33 return new CreateSessionResponse(session);34 }35}

Full Screen

Full Screen

Distributor

Using AI Code Generation

copy

Full Screen

1package org.openqa.selenium.grid.distributor;2import org.openqa.selenium.grid.config.Config;3import org.openqa.selenium.grid.config.MemoizedConfig;4import org.openqa.selenium.grid.config.TomlConfig;5import org.openqa.selenium.grid.data.Availability;6import org.openqa.selenium.grid.data.AvailabilityEvent;7import org.openqa.selenium.grid.data.AvailabilityListener;8import org.openqa.selenium.grid.data.NodeId;9import org.openqa.selenium.grid.data.Session;10import org.openqa.selenium.grid.data.SessionId;11import org.openqa.selenium.grid.data.SessionRequest;12import org.openqa.selenium.grid.data.SessionResponse;13import org.openqa.selenium.grid.data.SlotId;14import org.openqa.selenium.grid.data.SlotMatch;15import org.openqa.selenium.grid.distributor.local.LocalDistributor;16import org.openqa.selenium.grid.distributor.model.DistributorStatus;17import org.openqa.selenium.grid.distributor.selector.SlotSelector;18import org.openqa.selenium.grid.node.ActiveSession;19import org.openqa.selenium.grid.node.Node;20import org.openqa.selenium.grid.node.NodeIdGenerator;21import org.openqa.selenium.grid.node.local.LocalNode;22import org.openqa.selenium.grid.security.Secret;23import org.openqa.selenium.grid.security.SecretOptions;24import org.openqa.selenium.grid.sessionmap.SessionMap;25import org.openqa.selenium.grid.sessionmap.config.SessionMapOptions;26import org.openqa.selenium.grid.sessionqueue.NewSessionQueue;27import org.openqa.selenium.grid.sessionqueue.config.NewSessionQueueOptions;28import org.openqa.selenium.grid.web.CommandHandler;29import org.openqa.selenium.grid.web.Routable;30import org.openqa.selenium.grid.web.Routes;31import org.openqa.selenium.internal.Require;32import org.openqa.selenium.json.Json;33import org.openqa.selenium.remote.http.HttpRequest;34import org.openqa.selenium.remote.http.HttpResponse;35import org.openqa.selenium.remote.tracing.Tracer;36import org.openqa.selenium.remote.tracing.TracerBuilder;37import org.openqa.selenium.remote.tracing.opentelemetry.OpenTelemetryTracer;38import org.openqa.selenium.status.HasReadyState;39import org.openqa.selenium.status.ReadyState;40import org.openqa.selenium.status.State;41import java.io.IOException;42import java.net.URI;43import java.net.URISyntaxException;44import java.time.Instant;45import java.util.Collection;46import java.util.Collections;47import java.util.List;48import java.util.Map;49import java.util.Objects;50import java.util.Optional;51import java.util.Set;52import java.util.concurrent.ConcurrentHashMap;53import java.util.concurrent.CopyOnWriteArrayList;54import java.util.concurrent.Executor;55import java.util.concurrent.Executors;56import java.util.logging.Logger;57import java.util.stream.Collectors;58public class Distributor implements HasReadyState {

Full Screen

Full Screen
copy
1CouchbaseEnvironment env = DefaultCouchbaseEnvironment.builder()2 .connectTimeout(10000) // 10000ms = 10s, default is 5s3 .queryEnabled(true).build();4
Full Screen
copy
1java -Xms1g -Xmx4g -Dspring.profiles.active=local -Dcom.couchbase.connectTimeout=60000 <program>2
Full Screen

Selenium 4 Tutorial:

LambdaTest’s Selenium 4 tutorial is covering every aspects of Selenium 4 testing with examples and best practices. Here you will learn basics, such as how to upgrade from Selenium 3 to Selenium 4, to some advanced concepts, such as Relative locators and Selenium Grid 4 for Distributed testing. Also will learn new features of Selenium 4, such as capturing screenshots of specific elements, opening a new tab or window on the browser, and new protocol adoptions.

Chapters:

  1. Upgrading From Selenium 3 To Selenium 4?: In this chapter, learn in detail how to update Selenium 3 to Selenium 4 for Java binding. Also, learn how to upgrade while using different build tools such as Maven or Gradle and get comprehensive guidance for upgrading Selenium.

  2. What’s New In Selenium 4 & What’s Being Deprecated? : Get all information about new implementations in Selenium 4, such as W3S protocol adaption, Optimized Selenium Grid, and Enhanced Selenium IDE. Also, learn what is deprecated for Selenium 4, such as DesiredCapabilites and FindsBy methods, etc.

  3. Selenium 4 With Python: Selenium supports all major languages, such as Python, C#, Ruby, and JavaScript. In this chapter, learn how to install Selenium 4 for Python and the features of Python in Selenium 4, such as Relative locators, Browser manipulation, and Chrom DevTool protocol.

  4. Selenium 4 Is Now W3C Compliant: JSON Wireframe protocol is retiring from Selenium 4, and they are adopting W3C protocol to learn in detail about the advantages and impact of these changes.

  5. How To Use Selenium 4 Relative Locator? : Selenium 4 came with new features such as Relative Locators that allow constructing locators with reference and easily located constructors nearby. Get to know its different use cases with examples.

  6. Selenium Grid 4 Tutorial For Distributed Testing: Selenium Grid 4 allows you to perform tests over different browsers, OS, and device combinations. It also enables parallel execution browser testing, reads up on various features of Selenium Grid 4 and how to download it, and runs a test on Selenium Grid 4 with best practices.

  7. Selenium Video Tutorials: Binge on video tutorials on Selenium by industry experts to get step-by-step direction from automating basic to complex test scenarios with Selenium.

Selenium 101 certifications:

LambdaTest also provides certification for Selenium testing to accelerate your career in Selenium automation testing.

Run Selenium automation tests on LambdaTest cloud grid

Perform automation testing on 3000+ real desktop and mobile devices online.

...Most popular Stackoverflow questions on Distributor

Most used methods in Distributor

Test Your Web Or Mobile Apps On 3000+ Browsers

Signup for free

Try LambdaTest Now !!

Get 100 minutes of automation test minutes FREE!!

Next-Gen App & Browser Testing Cloud

Was this article helpful?

Helpful

NotHelpful