identifier
stringlengths 42
383
| collection
stringclasses 1
value | open_type
stringclasses 1
value | license
stringlengths 0
1.81k
| date
float64 1.99k
2.02k
⌀ | title
stringlengths 0
100
| creator
stringlengths 1
39
| language
stringclasses 157
values | language_type
stringclasses 2
values | word_count
int64 1
20k
| token_count
int64 4
1.32M
| text
stringlengths 5
1.53M
| __index_level_0__
int64 0
57.5k
|
|---|---|---|---|---|---|---|---|---|---|---|---|---|
https://github.com/apache/flink/blob/master/flink-rpc/flink-rpc-core/src/main/java/org/apache/flink/runtime/rpc/RpcEndpoint.java
|
Github Open Source
|
Open Source
|
BSD-3-Clause, OFL-1.1, ISC, MIT, Apache-2.0
| 2,023
|
flink
|
apache
|
Java
|
Code
| 2,506
| 5,472
|
/*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.apache.flink.runtime.rpc;
import org.apache.flink.annotation.VisibleForTesting;
import org.apache.flink.core.fs.CloseableRegistry;
import org.apache.flink.runtime.concurrent.ComponentMainThreadExecutor;
import org.apache.flink.runtime.concurrent.ScheduledFutureAdapter;
import org.apache.flink.util.AutoCloseableAsync;
import org.apache.flink.util.Preconditions;
import org.apache.flink.util.concurrent.ExecutorThreadFactory;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import javax.annotation.Nonnull;
import java.io.Closeable;
import java.io.IOException;
import java.time.Duration;
import java.util.UUID;
import java.util.concurrent.Callable;
import java.util.concurrent.CompletableFuture;
import java.util.concurrent.Executors;
import java.util.concurrent.FutureTask;
import java.util.concurrent.ScheduledExecutorService;
import java.util.concurrent.ScheduledFuture;
import java.util.concurrent.ScheduledThreadPoolExecutor;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.TimeoutException;
import java.util.concurrent.atomic.AtomicReference;
import static org.apache.flink.util.Preconditions.checkNotNull;
/**
* Base class for RPC endpoints. Distributed components which offer remote procedure calls have to
* extend the RPC endpoint base class. An RPC endpoint is backed by an {@link RpcService}.
*
* <h1>Endpoint and Gateway</h1>
*
* <p>To be done...
*
* <h1>Single Threaded Endpoint Execution </h1>
*
* <p>All RPC calls on the same endpoint are called by the same thread (referred to as the
* endpoint's <i>main thread</i>). Thus, by executing all state changing operations within the main
* thread, we don't have to reason about concurrent accesses, in the same way in the Actor Model of
* Erlang or Akka.
*
* <p>The RPC endpoint provides {@link #runAsync(Runnable)}, {@link #callAsync(Callable, Duration)}
* and the {@link #getMainThreadExecutor()} to execute code in the RPC endpoint's main thread.
*
* <h1>Lifecycle</h1>
*
* <p>The RPC endpoint has the following stages:
*
* <ul>
* <li>The RPC endpoint is created in a non-running state and does not serve any RPC requests.
* <li>Calling the {@link #start()} method triggers the start of the RPC endpoint and schedules
* overridable {@link #onStart()} method call to the main thread.
* <li>When the start operation ends the RPC endpoint is moved to the running state and starts to
* serve and complete RPC requests.
* <li>Calling the {@link #closeAsync()} method triggers the termination of the RPC endpoint and
* schedules overridable {@link #onStop()} method call to the main thread.
* <li>When {@link #onStop()} method is called, it triggers an asynchronous stop operation. The
* RPC endpoint is not in the running state anymore but it continues to serve RPC requests.
* <li>When the asynchronous stop operation ends, the RPC endpoint terminates completely and does
* not serve RPC requests anymore.
* </ul>
*
* <p>The running state can be queried in a RPC method handler or in the main thread by calling
* {@link #isRunning()} method.
*/
public abstract class RpcEndpoint implements RpcGateway, AutoCloseableAsync {
protected final Logger log = LoggerFactory.getLogger(getClass());
// ------------------------------------------------------------------------
/** RPC service to be used to start the RPC server and to obtain rpc gateways. */
private final RpcService rpcService;
/** Unique identifier for this rpc endpoint. */
private final String endpointId;
/** Interface to access the underlying rpc server. */
protected final RpcServer rpcServer;
/**
* A reference to the endpoint's main thread, if the current method is called by the main
* thread.
*/
final AtomicReference<Thread> currentMainThread = new AtomicReference<>(null);
/**
* The main thread executor to be used to execute future callbacks in the main thread of the
* executing rpc server.
*/
private final MainThreadExecutor mainThreadExecutor;
/**
* Register endpoint closeable resource to the registry and close them when the server is
* stopped.
*/
private final CloseableRegistry resourceRegistry;
/**
* Indicates whether the RPC endpoint is started and not stopped or being stopped.
*
* <p>IMPORTANT: the running state is not thread safe and can be used only in the main thread of
* the rpc endpoint.
*/
private boolean isRunning;
/**
* Initializes the RPC endpoint.
*
* @param rpcService The RPC server that dispatches calls to this RPC endpoint.
* @param endpointId Unique identifier for this endpoint
*/
protected RpcEndpoint(final RpcService rpcService, final String endpointId) {
this.rpcService = checkNotNull(rpcService, "rpcService");
this.endpointId = checkNotNull(endpointId, "endpointId");
this.rpcServer = rpcService.startServer(this);
this.resourceRegistry = new CloseableRegistry();
this.mainThreadExecutor =
new MainThreadExecutor(rpcServer, this::validateRunsInMainThread, endpointId);
registerResource(this.mainThreadExecutor);
}
/**
* Initializes the RPC endpoint with a random endpoint id.
*
* @param rpcService The RPC server that dispatches calls to this RPC endpoint.
*/
protected RpcEndpoint(final RpcService rpcService) {
this(rpcService, UUID.randomUUID().toString());
}
/**
* Returns the rpc endpoint's identifier.
*
* @return Rpc endpoint's identifier.
*/
public String getEndpointId() {
return endpointId;
}
/**
* Returns whether the RPC endpoint is started and not stopped or being stopped.
*
* @return whether the RPC endpoint is started and not stopped or being stopped.
*/
protected boolean isRunning() {
validateRunsInMainThread();
return isRunning;
}
// ------------------------------------------------------------------------
// Start & shutdown & lifecycle callbacks
// ------------------------------------------------------------------------
/**
* Triggers start of the rpc endpoint. This tells the underlying rpc server that the rpc
* endpoint is ready to process remote procedure calls.
*/
public final void start() {
rpcServer.start();
}
/**
* Internal method which is called by the RpcService implementation to start the RpcEndpoint.
*
* @throws Exception indicating that the rpc endpoint could not be started. If an exception
* occurs, then the rpc endpoint will automatically terminate.
*/
public final void internalCallOnStart() throws Exception {
validateRunsInMainThread();
isRunning = true;
onStart();
}
/**
* User overridable callback which is called from {@link #internalCallOnStart()}.
*
* <p>This method is called when the RpcEndpoint is being started. The method is guaranteed to
* be executed in the main thread context and can be used to start the rpc endpoint in the
* context of the rpc endpoint's main thread.
*
* <p>IMPORTANT: This method should never be called directly by the user.
*
* @throws Exception indicating that the rpc endpoint could not be started. If an exception
* occurs, then the rpc endpoint will automatically terminate.
*/
protected void onStart() throws Exception {}
/**
* Triggers stop of the rpc endpoint. This tells the underlying rpc server that the rpc endpoint
* is no longer ready to process remote procedure calls.
*/
protected final void stop() {
rpcServer.stop();
}
/**
* Internal method which is called by the RpcService implementation to stop the RpcEndpoint.
*
* @return Future which is completed once all post stop actions are completed. If an error
* occurs this future is completed exceptionally
*/
public final CompletableFuture<Void> internalCallOnStop() {
validateRunsInMainThread();
CompletableFuture<Void> stopFuture = new CompletableFuture<>();
try {
resourceRegistry.close();
stopFuture.complete(null);
} catch (IOException e) {
stopFuture.completeExceptionally(
new RuntimeException("Close resource registry fail", e));
}
stopFuture = CompletableFuture.allOf(stopFuture, onStop());
isRunning = false;
return stopFuture;
}
/**
* Register the given closeable resource to {@link CloseableRegistry}.
*
* @param closeableResource the given closeable resource
*/
protected void registerResource(Closeable closeableResource) {
try {
resourceRegistry.registerCloseable(closeableResource);
} catch (IOException e) {
throw new RuntimeException(
"Registry closeable resource " + closeableResource + " fail", e);
}
}
/**
* Unregister the given closeable resource from {@link CloseableRegistry}.
*
* @param closeableResource the given closeable resource
* @return true if the given resource unregister successful, otherwise false
*/
protected boolean unregisterResource(Closeable closeableResource) {
return resourceRegistry.unregisterCloseable(closeableResource);
}
/**
* User overridable callback which is called from {@link #internalCallOnStop()}.
*
* <p>This method is called when the RpcEndpoint is being shut down. The method is guaranteed to
* be executed in the main thread context and can be used to clean up internal state.
*
* <p>IMPORTANT: This method should never be called directly by the user.
*
* @return Future which is completed once all post stop actions are completed. If an error
* occurs this future is completed exceptionally
*/
protected CompletableFuture<Void> onStop() {
return CompletableFuture.completedFuture(null);
}
/**
* Triggers the shut down of the rpc endpoint. The shut down is executed asynchronously.
*
* <p>In order to wait on the completion of the shut down, obtain the termination future via
* {@link #getTerminationFuture()}} and wait on its completion.
*/
@Override
public final CompletableFuture<Void> closeAsync() {
rpcService.stopServer(rpcServer);
return getTerminationFuture();
}
// ------------------------------------------------------------------------
// Basic RPC endpoint properties
// ------------------------------------------------------------------------
/**
* Returns a self gateway of the specified type which can be used to issue asynchronous calls
* against the RpcEndpoint.
*
* <p>IMPORTANT: The self gateway type must be implemented by the RpcEndpoint. Otherwise the
* method will fail.
*
* @param selfGatewayType class of the self gateway type
* @param <C> type of the self gateway to create
* @return Self gateway of the specified type which can be used to issue asynchronous rpcs
*/
public <C extends RpcGateway> C getSelfGateway(Class<C> selfGatewayType) {
return rpcService.getSelfGateway(selfGatewayType, rpcServer);
}
/**
* Gets the address of the underlying RPC endpoint. The address should be fully qualified so
* that a remote system can connect to this RPC endpoint via this address.
*
* @return Fully qualified address of the underlying RPC endpoint
*/
@Override
public String getAddress() {
return rpcServer.getAddress();
}
/**
* Gets the hostname of the underlying RPC endpoint.
*
* @return Hostname on which the RPC endpoint is running
*/
@Override
public String getHostname() {
return rpcServer.getHostname();
}
/**
* Gets the main thread execution context. The main thread execution context can be used to
* execute tasks in the main thread of the underlying RPC endpoint.
*
* @return Main thread execution context
*/
protected MainThreadExecutor getMainThreadExecutor() {
return mainThreadExecutor;
}
/**
* Gets the endpoint's RPC service.
*
* @return The endpoint's RPC service
*/
public RpcService getRpcService() {
return rpcService;
}
/**
* Return a future which is completed with true when the rpc endpoint has been terminated. In
* case of a failure, this future is completed with the occurring exception.
*
* @return Future which is completed when the rpc endpoint has been terminated.
*/
public CompletableFuture<Void> getTerminationFuture() {
return rpcServer.getTerminationFuture();
}
// ------------------------------------------------------------------------
// Asynchronous executions
// ------------------------------------------------------------------------
/**
* Execute the runnable in the main thread of the underlying RPC endpoint.
*
* @param runnable Runnable to be executed in the main thread of the underlying RPC endpoint
*/
protected void runAsync(Runnable runnable) {
rpcServer.runAsync(runnable);
}
/**
* Execute the runnable in the main thread of the underlying RPC endpoint, with a delay of the
* given number of milliseconds.
*
* @param runnable Runnable to be executed
* @param delay The delay after which the runnable will be executed
*/
protected void scheduleRunAsync(Runnable runnable, Duration delay) {
scheduleRunAsync(runnable, delay.toMillis(), TimeUnit.MILLISECONDS);
}
/**
* Execute the runnable in the main thread of the underlying RPC endpoint, with a delay of the
* given number of milliseconds.
*
* @param runnable Runnable to be executed
* @param delay The delay after which the runnable will be executed
*/
protected void scheduleRunAsync(Runnable runnable, long delay, TimeUnit unit) {
rpcServer.scheduleRunAsync(runnable, unit.toMillis(delay));
}
/**
* Execute the callable in the main thread of the underlying RPC service, returning a future for
* the result of the callable. If the callable is not completed within the given timeout, then
* the future will be failed with a {@link TimeoutException}.
*
* @param callable Callable to be executed in the main thread of the underlying rpc server
* @param timeout Timeout for the callable to be completed
* @param <V> Return type of the callable
* @return Future for the result of the callable.
*/
protected <V> CompletableFuture<V> callAsync(Callable<V> callable, Duration timeout) {
return rpcServer.callAsync(callable, timeout);
}
// ------------------------------------------------------------------------
// Main Thread Validation
// ------------------------------------------------------------------------
/**
* Validates that the method call happens in the RPC endpoint's main thread.
*
* <p><b>IMPORTANT:</b> This check only happens when assertions are enabled, such as when
* running tests.
*
* <p>This can be used for additional checks, like
*
* <pre>{@code
* protected void concurrencyCriticalMethod() {
* validateRunsInMainThread();
*
* // some critical stuff
* }
* }</pre>
*/
public void validateRunsInMainThread() {
assert MainThreadValidatorUtil.isRunningInExpectedThread(currentMainThread.get());
}
/**
* Validate whether all the resources are closed.
*
* @return true if all the resources are closed, otherwise false
*/
boolean validateResourceClosed() {
return mainThreadExecutor.validateScheduledExecutorClosed() && resourceRegistry.isClosed();
}
// ------------------------------------------------------------------------
// Utilities
// ------------------------------------------------------------------------
/** Executor which executes runnables in the main thread context. */
protected static class MainThreadExecutor implements ComponentMainThreadExecutor, Closeable {
private static final Logger log = LoggerFactory.getLogger(MainThreadExecutor.class);
private final MainThreadExecutable gateway;
private final Runnable mainThreadCheck;
/**
* The main scheduled executor manages the scheduled tasks and send them to gateway when
* they should be executed.
*/
private final ScheduledExecutorService mainScheduledExecutor;
MainThreadExecutor(
MainThreadExecutable gateway, Runnable mainThreadCheck, String endpointId) {
this(
gateway,
mainThreadCheck,
Executors.newSingleThreadScheduledExecutor(
new ExecutorThreadFactory(endpointId + "-main-scheduler")));
}
@VisibleForTesting
MainThreadExecutor(
MainThreadExecutable gateway,
Runnable mainThreadCheck,
ScheduledExecutorService mainScheduledExecutor) {
this.gateway = Preconditions.checkNotNull(gateway);
this.mainThreadCheck = Preconditions.checkNotNull(mainThreadCheck);
this.mainScheduledExecutor = mainScheduledExecutor;
}
@Override
public void execute(@Nonnull Runnable command) {
gateway.runAsync(command);
}
/**
* The mainScheduledExecutor manages the task and sends it to the gateway after the given
* delay.
*
* @param command the task to execute in the future
* @param delay the time from now to delay the execution
* @param unit the time unit of the delay parameter
* @return a ScheduledFuture representing the completion of the scheduled task
*/
@Override
public ScheduledFuture<?> schedule(Runnable command, long delay, TimeUnit unit) {
final long delayMillis = TimeUnit.MILLISECONDS.convert(delay, unit);
FutureTask<Void> ft = new FutureTask<>(command, null);
if (mainScheduledExecutor.isShutdown()) {
log.warn(
"The scheduled executor service is shutdown and ignores the command {}",
command);
} else {
mainScheduledExecutor.schedule(
() -> gateway.runAsync(ft), delayMillis, TimeUnit.MILLISECONDS);
}
return new ScheduledFutureAdapter<>(ft, delayMillis, TimeUnit.MILLISECONDS);
}
/**
* The mainScheduledExecutor manages the given callable and sends it to the gateway after
* the given delay.
*
* @param callable the callable to execute
* @param delay the time from now to delay the execution
* @param unit the time unit of the delay parameter
* @param <V> result type of the callable
* @return a ScheduledFuture which holds the future value of the given callable
*/
@Override
public <V> ScheduledFuture<V> schedule(Callable<V> callable, long delay, TimeUnit unit) {
final long delayMillis = TimeUnit.MILLISECONDS.convert(delay, unit);
FutureTask<V> ft = new FutureTask<>(callable);
if (mainScheduledExecutor.isShutdown()) {
log.warn(
"The scheduled executor service is shutdown and ignores the callable {}",
callable);
} else {
mainScheduledExecutor.schedule(
() -> gateway.runAsync(ft), delayMillis, TimeUnit.MILLISECONDS);
}
return new ScheduledFutureAdapter<>(ft, delayMillis, TimeUnit.MILLISECONDS);
}
@Override
public ScheduledFuture<?> scheduleAtFixedRate(
Runnable command, long initialDelay, long period, TimeUnit unit) {
throw new UnsupportedOperationException(
"Not implemented because the method is currently not required.");
}
@Override
public ScheduledFuture<?> scheduleWithFixedDelay(
Runnable command, long initialDelay, long delay, TimeUnit unit) {
throw new UnsupportedOperationException(
"Not implemented because the method is currently not required.");
}
@Override
public void assertRunningInMainThread() {
mainThreadCheck.run();
}
/** Shutdown the {@link ScheduledThreadPoolExecutor} and remove all the pending tasks. */
@Override
public void close() {
if (!mainScheduledExecutor.isShutdown()) {
mainScheduledExecutor.shutdownNow();
}
}
/**
* Validate whether the scheduled executor is closed.
*
* @return true if the scheduled executor is shutdown, otherwise false
*/
final boolean validateScheduledExecutorClosed() {
return mainScheduledExecutor.isShutdown();
}
}
}
| 41,107
|
https://github.com/deib-polimi/modaclouds-line-benchmark/blob/master/src/main/java/it/polimi/modaclouds/qos/linebenchmark/solver/LineConnectionHandler.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,014
|
modaclouds-line-benchmark
|
deib-polimi
|
Java
|
Code
| 391
| 1,294
|
/**
* Copyright 2014 deib-polimi
* Contact: deib-polimi <giovannipaolo.gibilisco@polimi.it>
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package it.polimi.modaclouds.qos.linebenchmark.solver;
import it.polimi.modaclouds.qos.linebenchmark.main.Main;
import java.awt.event.ActionListener;
import java.io.BufferedReader;
import java.io.IOException;
import java.nio.file.Path;
import java.nio.file.Paths;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.Map;
import org.apache.commons.lang3.time.StopWatch;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
public class LineConnectionHandler implements Runnable {
private BufferedReader in;
private boolean read = true;
private boolean running = false;
private boolean connected = false;
private Map<Path,String> evaluations = new HashMap<Path, String>();
private Map<Path,StopWatch> timers= new HashMap<Path, StopWatch>();
private ArrayList<ActionListener> listeners = new ArrayList<ActionListener>();
private static final Logger logger = LoggerFactory.getLogger(LineConnectionHandler.class);
String prefix="";
public LineConnectionHandler(BufferedReader in, String prefix) {
this.in = in;
if(prefix != null)
this.prefix = prefix;
}
public synchronized void close(){
read = false;
}
public void addListener(ActionListener listener){
listeners.add(listener);
}
private synchronized boolean isRead() {
return read;
}
public synchronized boolean isRunning() {
return running;
}
public synchronized boolean isConnected(){
return connected;
}
public void run() {
while(isRead())
try {
Thread.sleep(10);
if(in.ready()){
String line = in.readLine();
//set the starting
if(line.contains("MODEL"))
updateModelEvaluation(line);
if(line.contains("Listening on port"))
setRunning(true);
if(line.contains("LINE READY"))
setConnected(true);
if(line.contains("LINE STOP"))
setRunning(false);
}
} catch (IOException e) {
if(e.getMessage().equals("Stream closed"))
logger.info("LINE "+prefix+": "+e.getMessage());
else
logger.error("Error in LINE communication",e);
} catch (InterruptedException e) {
// TODO Auto-generated catch block
logger.error("Error in LINE communication",e);
}
}
private synchronized void setRunning(boolean running){
this.running = running;
}
private synchronized void setConnected(boolean connected){
this.connected = connected;
}
private synchronized void updateModelEvaluation(String message){
message = message.trim().replaceAll(" +", " ");
String[] tokens = message.split(" ");
String modelName = tokens[1];
modelName = modelName.replace("_res.xml", ".xml");
modelName = Paths.get(modelName).toString();
String status = null;
if(tokens.length == 4)
status = tokens[3];
else
status = tokens[2];
Path modelPath = Paths.get(modelName);
evaluations.put(modelPath,status);
StopWatch timer;
if(status.equals("SUBMITTED")){
timer = new StopWatch();
timers.put(modelPath, timer);
timer.start();
logger.debug("Model: "+modelName+" SUBMITTED");
}else{
timer = timers.get(modelPath);
timer.stop();
EvaluationCompletedEvent evaluationCompleted= new EvaluationCompletedEvent(this, 0, null);
evaluationCompleted.setEvaluationTime(timer.getTime());
evaluationCompleted.setSolverName(Main.LINE_SOLVER);
evaluationCompleted.setModelPath(modelPath.getFileName());
logger.debug("Model: "+modelName+" "+status);
for(ActionListener l:listeners)
l.actionPerformed(evaluationCompleted);
}
}
}
| 46,661
|
https://github.com/cuckata23/wurfl-data/blob/master/data/sie_sl45_ver1.php
|
Github Open Source
|
Open Source
|
Apache-2.0, MIT
| 2,015
|
wurfl-data
|
cuckata23
|
PHP
|
Code
| 34
| 135
|
<?php
return array (
'id' => 'sie_sl45_ver1',
'fallback' => 'uptext_generic',
'capabilities' =>
array (
'model_name' => 'SL45',
'brand_name' => 'Siemens',
'midi_monophonic' => 'true',
'max_deck_size' => '1800',
'ringtone_midi_monophonic' => 'true',
'streaming_real_media' => 'none',
),
);
| 20,504
|
https://github.com/Internship-rn/verticals-backend/blob/master/src/modules/comment/comment.spec.js
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
verticals-backend
|
Internship-rn
|
JavaScript
|
Code
| 2,540
| 9,405
|
const { build } = require('../../server');
const { Knex } = require('../../knex');
const { Generator } = require('../../../tests/generator');
const { Helper } = require('../../../tests/helper');
const { routes } = require('../../../tests/routes');
const { FastifyRequest } = require('../../../tests/request');
let knex;
let app;
const request = () => new FastifyRequest(app);
const helper = new Helper(request);
beforeAll(async (done) => {
knex = new Knex();
app = build(knex);
done();
});
afterAll(async (done) => {
await knex.closeConnection();
done();
});
const defaultUser = Helper.configureUser({
boards: 4,
columns: 2,
headings: 2,
todos: 2,
});
describe('create', () => {
it('user can successfully create comment with all fields', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const res = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
expect(res.statusCode).toEqual(201);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.objectContaining({
commentId: expect.any(Number),
}),
}));
done();
});
it('user can successfully create comment without text', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
delete comment.text;
const res = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
expect(res.statusCode).toEqual(201);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.objectContaining({
commentId: expect.any(Number),
}),
}));
done();
});
it('user can successfully create comment without is edited', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
delete comment.updatedAt;
const res = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
expect(res.statusCode).toEqual(201);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.objectContaining({
commentId: expect.any(Number),
}),
}));
done();
});
it('user can successfully create comment without reply comment id', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId }, 1);
delete comment.replyCommentId;
const res = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
expect(res.statusCode).toEqual(201);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.objectContaining({
commentId: expect.any(Number),
}),
}));
done();
});
it('user can successfully create comment without all non-required fields', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
delete comment.text;
delete comment.updatedAt;
delete comment.replyCommentId;
const res = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
expect(res.statusCode).toEqual(201);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.objectContaining({
commentId: expect.any(Number),
}),
}));
done();
});
it('user can\'t create comment without authorization', async (done) => {
const user = await helper.createUser(defaultUser);
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const res = await request()
.post(`${routes.comment}/`)
.send(comment);
expect(res.statusCode).toEqual(401);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t create comment with long text', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const res = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send({
...comment,
text: Generator.Comment.getLongText(),
});
expect(res.statusCode).toEqual(400);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t create comment with negative column id', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const res = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send({
...comment,
todoId: Generator.Comment.getNegativeTodoId(),
});
expect(res.statusCode).toEqual(400);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t create comment with column id without having access to it', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const { token } = firstUser;
const secondUser = await helper.createUser(defaultUser);
const todoIdWithoutAccess = secondUser.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId: todoIdWithoutAccess });
const res = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
expect(res.statusCode).toEqual(403);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
});
describe('get comment by id', () => {
it('user can successfully get comment by id', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
const res = await request()
.get(`${routes.comment}/${commentId}`)
.set('authorization', `Bearer ${token}`)
.send();
expect(res.statusCode).toEqual(200);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
expect(res.body.data).toEqual({
id: commentId,
...comment,
replyCommentId: null,
createdAt: expect.any(Number),
updatedAt: expect.any(Number),
});
done();
});
it('user can\'t get comment without authorization header', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
const res = await request()
.get(`${routes.comment}/${commentId}`)
.send();
expect(res.statusCode).toEqual(401);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t access to the comment if he does not have access to it', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const firstUserTodoId = firstUser.getRandomTodoId();
const secondUser = await helper.createUser(defaultUser);
const comment = Generator.Comment.getUnique({ todoId: firstUserTodoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.send(comment);
const res = await request()
.get(`${routes.comment}/${commentId}`)
.set('authorization', `Bearer ${secondUser.getToken()}`)
.send();
expect(res.statusCode).toEqual(403);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t access to the comment by string id', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
const res = await request()
.get(`${routes.comment}/string_${commentId}`)
.send();
expect(res.statusCode).toEqual(400);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
});
describe('get all comments', () => {
it('user can successfully gets all comments to which he has access', async (done) => {
const user = await helper.createUser(defaultUser);
const [firstTodoId, secondTodoId] = user.getTodoIds();
const token = user.getToken();
const secondUser = await helper.createUser(defaultUser);
const secondUserTodoId = secondUser.getRandomTodoId();
const secondUserTodo = Generator.Comment.getUnique({ todoId: secondUserTodoId });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${secondUser.getToken()}`)
.send(secondUserTodo);
const commentOne = Generator.Comment.getUnique({ todoId: firstTodoId });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(commentOne);
const commentTwo = Generator.Comment.getUnique({ todoId: secondTodoId });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(commentTwo);
const res = await request()
.get(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send();
expect(res.statusCode).toEqual(200);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
const { comments } = res.body.data;
const [{ id: commentIdOne }, { id: commentIdTwo }] = comments;
expect(comments).toEqual([{
id: commentIdOne,
...commentOne,
replyCommentId: null,
createdAt: expect.any(Number),
updatedAt: expect.any(Number),
}, {
id: commentIdTwo,
...commentTwo,
replyCommentId: null,
createdAt: expect.any(Number),
updatedAt: expect.any(Number),
}]);
done();
});
it('user can successfully gets all comments to which he has access by board id', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const token = firstUser.getToken();
const [firstBoardId, secondBoardId] = firstUser.getBoardIds();
const todoIdFromFirstBoard = firstUser.getRandomTodoIdFromBoard(firstBoardId);
const todoIdFromSecondBoard = firstUser.getRandomTodoIdFromBoard(secondBoardId);
await helper.createUser(defaultUser);
const commentOne = Generator.Comment.getUnique({ todoId: todoIdFromFirstBoard });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(commentOne);
const commentTwo = Generator.Comment.getUnique({ todoId: todoIdFromSecondBoard });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(commentTwo);
const res = await request()
.get(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.query({ boardId: firstBoardId })
.send();
expect(res.statusCode).toEqual(200);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
const { comments } = res.body.data;
const [{ id: commentIdOne }] = comments;
expect(comments).toEqual([{
id: commentIdOne,
...commentOne,
replyCommentId: null,
createdAt: expect.any(Number),
updatedAt: expect.any(Number),
}]);
done();
});
it('user can successfully gets all comments to which he has access by column id', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const token = firstUser.getToken();
const board = firstUser.getRandomBoard();
const [firstColumn, secondColumn] = board.getColumns();
const headingFromFirstColumn = firstColumn.getRandomHeading();
const headingFromSecondColumn = secondColumn.getRandomHeading();
const todoIdFromFirstColumn = headingFromFirstColumn.getRandomTodoId();
const todoIdFromSecondColumn = headingFromSecondColumn.getRandomTodoId();
await helper.createUser(defaultUser);
const commentOne = Generator.Comment.getUnique({ todoId: todoIdFromFirstColumn });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(commentOne);
const commentTwo = Generator.Comment.getUnique({ todoId: todoIdFromSecondColumn });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(commentTwo);
const res = await request()
.get(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.query({ columnId: firstColumn.id })
.send();
expect(res.statusCode).toEqual(200);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
const { comments } = res.body.data;
const [{ id: commentIdOne }] = comments;
expect(comments).toEqual([{
id: commentIdOne,
...commentOne,
replyCommentId: null,
createdAt: expect.any(Number),
updatedAt: expect.any(Number),
}]);
done();
});
it('user can successfully gets all comments to which he has access by todo id', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const token = firstUser.getToken();
const board = firstUser.getRandomBoard();
const [firstColumn, secondColumn] = board.getColumns();
const headingFromFirstColumn = firstColumn.getRandomHeading();
const headingFromSecondColumn = secondColumn.getRandomHeading();
const todoIdFromFirstColumn = headingFromFirstColumn.getRandomTodoId();
const todoIdFromSecondColumn = headingFromSecondColumn.getRandomTodoId();
await helper.createUser(defaultUser);
const commentOne = Generator.Comment.getUnique({ todoId: todoIdFromFirstColumn });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(commentOne);
const commentTwo = Generator.Comment.getUnique({ todoId: todoIdFromSecondColumn });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(commentTwo);
const res = await request()
.get(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.query({ todoId: todoIdFromFirstColumn })
.send();
expect(res.statusCode).toEqual(200);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
const { comments } = res.body.data;
const [{ id: commentIdOne }] = comments;
expect(comments).toEqual([{
id: commentIdOne,
...commentOne,
subTodoId: null,
replyCommentId: null,
likedUsers: [],
createdAt: expect.any(Number),
updatedAt: expect.any(Number),
}]);
done();
});
it('user can successfully gets all comments to which he has access by sub todo id', async (done) => {
const firstUser = await helper.createUser(Helper.configureUser({
boards: 4,
columns: 2,
headings: 2,
todos: 2,
subTodos: 2,
}));
const token = firstUser.getToken();
const board = firstUser.getRandomBoard();
const [firstColumn, secondColumn] = board.getColumns();
const headingFromFirstColumn = firstColumn.getRandomHeading();
const headingFromSecondColumn = secondColumn.getRandomHeading();
const todoFromFirstColumn = headingFromFirstColumn.getRandomTodo();
const todoFromSecondColumn = headingFromSecondColumn.getRandomTodo();
const subTodoIdFromFirstColumn = todoFromFirstColumn.getRandomSubTodo().id;
const subTodoIdFromSecondColumn = todoFromSecondColumn.getRandomSubTodo().id;
await helper.createUser(defaultUser);
const commentOne = Generator.Comment.getUnique({ subTodoId: subTodoIdFromFirstColumn });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(commentOne);
const commentTwo = Generator.Comment.getUnique({ subTodoId: subTodoIdFromSecondColumn });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(commentTwo);
const res = await request()
.get(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.query({ subTodoId: subTodoIdFromFirstColumn })
.send();
expect(res.statusCode).toEqual(200);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
const { comments } = res.body.data;
const [{ id: commentIdOne }] = comments;
expect(comments).toEqual([{
id: commentIdOne,
...commentOne,
todoId: null,
replyCommentId: null,
likedUsers: [],
createdAt: expect.any(Number),
updatedAt: expect.any(Number),
}]);
done();
});
it('user can\'t get all comments if he does not have access to board id', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const todoIdFirstUser = firstUser.getRandomTodoId();
const secondUser = await helper.createUser(defaultUser);
const todoIdSecondUser = secondUser.getRandomTodoId();
const boardIdWithoutAccess = secondUser.getRandomBoardId();
const commentOne = Generator.Comment.getUnique({ todoId: todoIdFirstUser });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.send(commentOne);
const commentTwo = Generator.Comment.getUnique({ todoId: todoIdSecondUser });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${secondUser.getToken()}`)
.send(commentTwo);
const res = await request()
.get(`${routes.todo}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.query({ boardId: boardIdWithoutAccess })
.send();
expect(res.statusCode).toEqual(403);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t get all comments if he does not have access to column id', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const todoIdFirstUser = firstUser.getRandomTodoId();
const secondUser = await helper.createUser(defaultUser);
const todoIdSecondUser = secondUser.getRandomTodoId();
const columnIdWithoutAccess = secondUser.getRandomColumnId();
const commentOne = Generator.Comment.getUnique({ todoId: todoIdFirstUser });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.send(commentOne);
const commentTwo = Generator.Comment.getUnique({ todoId: todoIdSecondUser });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${secondUser.getToken()}`)
.send(commentTwo);
const res = await request()
.get(`${routes.comment}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.query({ columnId: columnIdWithoutAccess })
.send();
expect(res.statusCode).toEqual(403);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t get all comments if he does not have access to todo id', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const todoIdFirstUser = firstUser.getRandomTodoId();
const secondUser = await helper.createUser(defaultUser);
const todoIdSecondUser = secondUser.getRandomTodoId();
const todoIdWithoutAccess = secondUser.getRandomTodoId();
const commentOne = Generator.Comment.getUnique({ todoId: todoIdFirstUser });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.send(commentOne);
const commentTwo = Generator.Comment.getUnique({ todoId: todoIdSecondUser });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${secondUser.getToken()}`)
.send(commentTwo);
const res = await request()
.get(`${routes.comment}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.query({ todoId: todoIdWithoutAccess })
.send();
expect(res.statusCode).toEqual(403);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t get comments if he has no comments', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const [firstTodoId, secondTodoId] = firstUser.getTodoIds();
const secondUser = await helper.createUser();
const commentOne = Generator.Comment.getUnique(firstTodoId);
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.send(commentOne);
const commentTwo = Generator.Comment.getUnique(secondTodoId);
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.send(commentTwo);
const res = await request()
.get(`${routes.comment}/`)
.set('authorization', `Bearer ${secondUser.getToken()}`)
.send();
expect(res.statusCode).toEqual(200);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: {
comments: [],
},
}));
done();
});
it('user can\'t get all comments without authorization header', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
const res = await request()
.get(`${routes.comment}/`)
.send();
expect(res.statusCode).toEqual(401);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
});
describe('remove comment', () => {
it('user can successfully remove comment by id', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
const res = await request()
.delete(`${routes.comment}/${commentId}`)
.set('authorization', `Bearer ${token}`)
.send();
expect(res.statusCode).toEqual(200);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t remove comment without authorization header', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
const res = await request()
.delete(`${routes.comment}/${commentId}`)
.send();
expect(res.statusCode).toEqual(401);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t remove comment if he does not have access to it', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const todoId = firstUser.getRandomTodoId();
const secondUser = await helper.createUser();
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.send(comment);
const res = await request()
.delete(`${routes.comment}/${commentId}`)
.set('authorization', `Bearer ${secondUser.getToken()}`)
.send();
expect(res.statusCode).toEqual(403);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t remove comment by string id', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
const res = await request()
.delete(`${routes.comment}/string_${commentId}`)
.send();
expect(res.statusCode).toEqual(400);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
});
describe('update comment', () => {
it('user can successfully update comment by id', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
const newComment = Generator.Comment.getUnique({ todoId });
const resUpdate = await request()
.patch(`${routes.comment}/${commentId}`)
.set('authorization', `Bearer ${token}`)
.send(newComment);
const res = await request()
.get(`${routes.comment}/${commentId}`)
.set('authorization', `Bearer ${token}`)
.send();
expect(resUpdate.statusCode).toEqual(200);
expect(res.statusCode).toEqual(200);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
expect(res.body.data).toEqual({
id: commentId,
...newComment,
replyCommentId: null,
createdAt: expect.any(Number),
updatedAt: expect.any(Number),
});
done();
});
it('user can\'t update comment without authorization header', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
const newComment = Generator.Comment.getUnique({ todoId });
const res = await request()
.patch(`${routes.comment}/${commentId}`)
.send(newComment);
expect(res.statusCode).toEqual(401);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t update comment if he does not have access to it', async (done) => {
const firstUser = await helper.createUser(defaultUser);
const todoId = firstUser.getRandomTodoId();
const secondUser = await helper.createUser(defaultUser);
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${firstUser.getToken()}`)
.send(comment);
const newComment = Generator.Comment.getUnique();
const res = await request()
.patch(`${routes.comment}/${commentId}`)
.set('authorization', `Bearer ${secondUser.getToken()}`)
.send(newComment);
expect(res.statusCode).toEqual(403);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
it('user can\'t update comment by string id', async (done) => {
const user = await helper.createUser(defaultUser);
const token = user.getToken();
const todoId = user.getRandomTodoId();
const comment = Generator.Comment.getUnique({ todoId });
const { body: { data: { commentId } } } = await request()
.post(`${routes.comment}/`)
.set('authorization', `Bearer ${token}`)
.send(comment);
const newComment = Generator.Comment.getUnique({ todoId });
const res = await request()
.patch(`${routes.comment}/string_${commentId}`)
.send(newComment);
expect(res.statusCode).toEqual(400);
expect(res.body).toEqual(expect.objectContaining({
message: expect.any(String),
data: expect.any(Object),
}));
done();
});
});
| 22,825
|
https://github.com/kevinresol/haxe-js-kit/blob/master/js/node/Dgram.hx
|
Github Open Source
|
Open Source
|
MIT
| 2,015
|
haxe-js-kit
|
kevinresol
|
Haxe
|
Code
| 60
| 318
|
package js.node;
import haxe.io.Bytes;
import js.node.events.EventEmitter;
import js.support.Callback;
/* UDP ........................................ */
/*
Emits: message,listening,close
*/
typedef DgramSocket = { > EventEmitter,
function send(buf:Buffer,offset:Int,length:Int,port:Int,address:String,cb:Callback0):Void;
function bind(port:Int,?address:String):Void;
function close():Void;
function address():Dynamic;
function setBroadcast(flag:Bool):Void;
function setTTL(ttl:Int):Void;
function setMulticastTTL(ttl:Int):Void;
function setMulticastLoopback(flag:Bool):Void;
function addMembership(multicastAddress:String,?multicastInterface:String):Void;
function dropMembership(multicastAddress:String,?multicastInterface:String):Void;
}
extern class Dgram
implements npm.Package.Require<"dgram","*"> {
// Valid types: udp6, and unix_dgram.
public static function createSocket(type:String,cb:Callback<Bytes>):DgramSocket;
}
| 49,564
|
https://github.com/max-in-bc/garden-fresh-box-beta/blob/master/GFB/gardenfreshbox/public/js/pickupDates.js
|
Github Open Source
|
Open Source
|
MIT
| 2,018
|
garden-fresh-box-beta
|
max-in-bc
|
JavaScript
|
Code
| 244
| 885
|
//on page load:
// update table with list of already created dates
$(window).load(function(){
$.get('/sales/dates', {'dateID':'*', "staticTable":"true"}, function(response) {
$("#list").html(response);
addRowHandlers("datesTable", null, load_date);
});
$("#submit").click(manageDates);
});
//manageDates - if new date then add to database, if existing date then change that date in backend
function manageDates(){
if($("#hsAction").html().indexOf('Edit existing dates</h4>') > -1){
//this is an edit
$.ajax({
type: 'put',
url: '/sales/dates',
data: {
dateID : $("#dateID").val(),
orderDate : $("#newOrderDate").val(),
pickupDate : $("#newPickupDate").val(),
},
complete: function(response) {
if (response.success == "false"){
alert(response.message);
} else {
alert("Date updated successfully")
location.reload();
}
}
});
} else {
//this is an add
$.ajax({
type: 'put',
url: '/sales/dates',
data: {
dateID : "",
orderDate : $("#newOrderDate").val(),
pickupDate : $("#newPickupDate").val(),
},
complete: function(response) {
if (response.success == "false"){
alert(response.message);
} else {
alert("Date added successfully")
location.reload();
}
}
});
}
}
//load_date - user has selected a date from existing list, so update that date to the top form
function load_date(dateID){
$("#list").removeClass("active");
$("#" + dateID).addClass("active");
$("#" + dateID).siblings().removeClass("active");
$.get("/sales/dates", {"dateID":dateID, "staticTable":"true"}, function(response) {
var resp = JSON.parse(response)
$("#hsAction").html("<h4>Edit existing dates</h4>");
$("#newOrderDate").val(resp.order_date);
$("#newPickupDate").val(resp.pickup_date);
$("#dateID").val(dateID);
});
$('html, body').animate({scrollTop:$('#scrollPosition').position().top}, 'slow');
}
//deleteClicked - user selected to delete a date, confirm and delete
function deleteClicked(event){
if (confirm('Are you sure you want to delete this record?')) {
var date_id = event.target.id.split("_")[1];
$.ajax({
type: 'put',
url: '/sales/dates',
data: {
dateID : date_id,
orderDate : "",
pickupDate :"",
},
complete: function(response) {
if (response.success == "false"){
alert(response.message);
} else {
alert("Record deleted successfully");
location.reload();
}
}
});
}
}
| 39,947
|
https://github.com/junqueira/examples/blob/master/assemblyscript-wasm-package/src/imports.js
|
Github Open Source
|
Open Source
|
MIT
| 2,020
|
examples
|
junqueira
|
JavaScript
|
Code
| 66
| 174
|
function rgb2bgr(rgb) {
return ((rgb >>> 16) & 0xff) | (rgb & 0xff00) | (rgb & 0xff) << 16;
}
function createImports() {
return {
env: {
memory: new WebAssembly.Memory({initial: 10}),
},
config: {
BGR_ALIVE : rgb2bgr(0xD392E6) | 1, // little endian, LSB must be set
BGR_DEAD : rgb2bgr(0xA61B85) & ~1, // little endian, LSB must not be set
BIT_ROT : 10
},
Math
};
}
| 42,001
|
https://github.com/bitwize/rscheme/blob/master/lib/rs/backend/c/module.scm
|
Github Open Source
|
Open Source
|
TCL
| 2,022
|
rscheme
|
bitwize
|
Scheme
|
Code
| 165
| 607
|
#|------------------------------------------------------------*-Scheme-*--|
| File: rs/backend/c/module.scm
|
| Copyright (C)1998 Donovan Kolbly <d.kolbly@rscheme.org>
| as part of the RScheme project, licensed for free use.
| See <http://www.rscheme.org/> for the latest info.
|
| File version: 1.3
| File mod date: 2005-02-18 15:58:17
| System build: v0.7.3.4-b7u, 2007-05-30
| Owned by module: &module;
|
| Purpose: &purpose;
`------------------------------------------------------------------------|#
(define-module rs.backend.c ()
(&module
(import usual-inlines)
;
(import mlink tables codegen paths syscalls)
(import rs.util.properties rs.util.msgs))
;
(define-message-table rs.backend.c 415)
;
(&module
;
(load "util.scm")
(load "asmport.scm")
(load "cident.scm")
;
(load "assem.scm")
(load "monotones.scm")
(load "wrvinsn.scm")
;
(load "parts.scm")
(load "disclaimer.scm")
(load "unitlink.scm")
(load "ccompile.scm")
(load "cload.scm")
;;
;;
(import compiler)
(load "pragma.scm")
(load "parseglue.scm")
(load "defglue.scm")
;;
;(load "rs-glue.scm") ;; construct the `rs.glue' module
;;
;; `lazy.scm' actually uses define-glue,
;; so it must come after `rs-glue.scm'.
;; it also side-effects some variables in
;; this module, like `make-trampoline-template',
;; which is a seriously wierd bootstrapping
;; tweak.
(load "lazy.scm")
;;
(export aml->lazy-ccode-template
template-policy-switch
flush-all-code
set-codegen-policy!
cload cload-into)
))
| 21,325
|
https://github.com/wggzl/smxf/blob/master/smxf.sql
|
Github Open Source
|
Open Source
|
MIT
| null |
smxf
|
wggzl
|
SQL
|
Code
| 922
| 3,247
|
/*
Navicat MySQL Data Transfer
Source Server : phpstudyMySQL
Source Server Version : 50553
Source Host : localhost:3306
Source Database : smxf
Target Server Type : MYSQL
Target Server Version : 50553
File Encoding : 65001
Date: 2018-11-05 18:33:27
*/
SET FOREIGN_KEY_CHECKS=0;
-- ----------------------------
-- Table structure for `smxf_goods`
-- ----------------------------
DROP TABLE IF EXISTS `smxf_goods`;
CREATE TABLE `smxf_goods` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`type` char(2) NOT NULL DEFAULT '',
`goods_name` varchar(100) NOT NULL DEFAULT '',
`goods_sn` varchar(30) NOT NULL DEFAULT '',
`goods_style` char(3) NOT NULL DEFAULT '',
`price` decimal(10,2) NOT NULL DEFAULT '0.00',
`stock` int(11) NOT NULL DEFAULT '0',
`size_str` text NOT NULL,
`image_src` varchar(150) NOT NULL DEFAULT '',
`sch_ids` text NOT NULL,
`updated_at` datetime DEFAULT NULL,
`created_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=7 DEFAULT CHARSET=utf8;
-- ----------------------------
-- Records of smxf_goods
-- ----------------------------
INSERT INTO `smxf_goods` VALUES ('1', '针织', '校服', '', '通用', '369.00', '123', '很好|很好good', '20181030/201810300726465bd807b6f1edaveer-159547924.jpg', '10,8', '2018-10-30 07:49:44', '2018-10-30 07:49:44');
INSERT INTO `smxf_goods` VALUES ('2', '梭织', '校服-2', '', '女', '654.00', '159', '大码|小马-2', '20181030/201810300810485bd8120804b99veer-158643569.jpg', '10,8,7', '2018-10-30 10:01:06', '2018-10-30 08:11:00');
INSERT INTO `smxf_goods` VALUES ('3', '梭织', '校服-3', '', '男', '623.00', '329', '中码|小码', '20181030/201810300812035bd812539b20cveer-127580840.jpg', '7', '2018-10-30 08:12:15', '2018-10-30 08:12:15');
INSERT INTO `smxf_goods` VALUES ('4', '梭织', '校服-4', '', '通用', '259.00', '325', '大小码|小大码', '20181030/201810300813095bd8129513aafveer-132993762.jpg', '10,8', '2018-10-30 08:13:22', '2018-10-30 08:13:22');
INSERT INTO `smxf_goods` VALUES ('5', '针织', '上衣+裤子', 'sy-10001', '男', '359.00', '215', 'ee', '20181101/201811010339425bda757e09df3veer-132993762.jpg', '11,10,8', '2018-11-01 03:43:39', '2018-11-01 03:43:39');
INSERT INTO `smxf_goods` VALUES ('6', '针织', 'afasd', '333', '女', '342.00', '33', 'asd', '20181101/201811010634575bda9e91d1bf6veer-123529917.jpg', '11,10,8,7', '2018-11-01 06:35:07', '2018-11-01 06:35:07');
-- ----------------------------
-- Table structure for `smxf_orders`
-- ----------------------------
DROP TABLE IF EXISTS `smxf_orders`;
CREATE TABLE `smxf_orders` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`order_sn` char(61) NOT NULL DEFAULT '',
`recipients` char(30) NOT NULL DEFAULT '',
`address` varchar(255) NOT NULL DEFAULT '',
`contact` char(20) NOT NULL DEFAULT '',
`order_type` tinyint(4) NOT NULL DEFAULT '0',
`invoices_type` tinyint(4) NOT NULL DEFAULT '0',
`tax_number` char(30) DEFAULT NULL,
`company_name` char(50) DEFAULT NULL,
`total` decimal(10,2) NOT NULL DEFAULT '0.00',
`buy_comment` varchar(255) DEFAULT NULL,
`created_at` datetime DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`),
UNIQUE KEY `order_sn_unique` (`order_sn`)
) ENGINE=InnoDB AUTO_INCREMENT=9 DEFAULT CHARSET=utf8;
-- ----------------------------
-- Records of smxf_orders
-- ----------------------------
INSERT INTO `smxf_orders` VALUES ('7', 'ygxx18110500001', '333', '555', '444', '2', '1', '666', '555', '1043.00', null, '2018-11-05 09:32:54', '2018-11-05 09:32:54');
INSERT INTO `smxf_orders` VALUES ('8', 'ygxx18110500002', '222', '444', '333', '2', '1', '55', '44', '1402.00', 'casdcsdccdsacsdacasdcasdc', '2018-11-05 09:51:09', '2018-11-05 09:51:09');
-- ----------------------------
-- Table structure for `smxf_order_details`
-- ----------------------------
DROP TABLE IF EXISTS `smxf_order_details`;
CREATE TABLE `smxf_order_details` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`order_id` int(10) unsigned DEFAULT NULL,
`order_sn` char(61) NOT NULL DEFAULT '',
`goods_id` int(11) NOT NULL DEFAULT '0',
`goods_name` varchar(100) NOT NULL DEFAULT '',
`number` int(11) NOT NULL DEFAULT '0',
`price` decimal(10,2) NOT NULL DEFAULT '0.00',
`size` varchar(255) NOT NULL DEFAULT '',
`created_at` datetime DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`),
KEY `order_sn_normal` (`order_sn`)
) ENGINE=InnoDB AUTO_INCREMENT=12 DEFAULT CHARSET=utf8;
-- ----------------------------
-- Records of smxf_order_details
-- ----------------------------
INSERT INTO `smxf_order_details` VALUES ('8', '7', 'ygxx18110500001', '6', 'afasd', '2', '342.00', 'asd', '2018-11-05 09:32:54', '2018-11-05 09:32:54');
INSERT INTO `smxf_order_details` VALUES ('9', '7', 'ygxx18110500001', '5', '上衣+裤子', '1', '359.00', 'ee', '2018-11-05 09:32:54', '2018-11-05 09:32:54');
INSERT INTO `smxf_order_details` VALUES ('10', '8', 'ygxx18110500002', '6', 'afasd', '2', '342.00', 'asd', '2018-11-05 09:51:09', '2018-11-05 09:51:09');
INSERT INTO `smxf_order_details` VALUES ('11', '8', 'ygxx18110500002', '5', '上衣+裤子', '2', '359.00', 'ee', '2018-11-05 09:51:09', '2018-11-05 09:51:09');
-- ----------------------------
-- Table structure for `smxf_schools`
-- ----------------------------
DROP TABLE IF EXISTS `smxf_schools`;
CREATE TABLE `smxf_schools` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`sch_name` varchar(50) NOT NULL,
`sch_name_en` varchar(30) NOT NULL DEFAULT '',
`keywords` text NOT NULL,
`sch_type` char(2) NOT NULL,
`created_at` datetime DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
`isInter` tinyint(4) NOT NULL DEFAULT '1',
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=12 DEFAULT CHARSET=utf8;
-- ----------------------------
-- Records of smxf_schools
-- ----------------------------
INSERT INTO `smxf_schools` VALUES ('7', '杨公小学', 'ygxx', '杨公,清凉寺', '高中', '2018-10-26 06:58:33', '2018-10-29 02:59:12', '1');
INSERT INTO `smxf_schools` VALUES ('8', '登高小学', 'dgxx', '登高,小学', '初中', '2018-10-29 02:58:59', '2018-10-29 02:58:59', '1');
INSERT INTO `smxf_schools` VALUES ('10', '清凉寺初中', 'qlscz', '清凉寺,初中', '初中', '2018-10-29 07:37:54', '2018-10-29 07:37:54', '0');
INSERT INTO `smxf_schools` VALUES ('11', '育才小学', 'ycxx', '育才', '小学', '2018-10-30 10:22:58', '2018-10-30 10:22:58', '0');
-- ----------------------------
-- Table structure for `smxf_students`
-- ----------------------------
DROP TABLE IF EXISTS `smxf_students`;
CREATE TABLE `smxf_students` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`stu_grade` tinyint(3) unsigned NOT NULL,
`stu_class` tinyint(3) unsigned NOT NULL,
`stu_num` char(10) NOT NULL,
`stu_name_en` varchar(20) DEFAULT NULL,
`stu_name` varchar(10) NOT NULL,
`sex` char(1) NOT NULL,
`school_id` int(10) unsigned DEFAULT NULL,
`status` tinyint(4) NOT NULL DEFAULT '1',
`created_at` datetime DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`),
UNIQUE KEY `stu_unique` (`school_id`,`stu_grade`,`stu_class`,`stu_num`)
) ENGINE=InnoDB AUTO_INCREMENT=7 DEFAULT CHARSET=utf8;
-- ----------------------------
-- Records of smxf_students
-- ----------------------------
INSERT INTO `smxf_students` VALUES ('1', '11', '1', '1', 'wangwu44', '王五', '女', '7', '1', null, null);
INSERT INTO `smxf_students` VALUES ('2', '11', '3', '3', 'lisi', '李四', '女', '7', '1', null, null);
INSERT INTO `smxf_students` VALUES ('3', '10', '2', '4', 'wangwu', '王五6', '男', '7', '1', null, null);
INSERT INTO `smxf_students` VALUES ('4', '12', '3', '5', 'zhaoliu', '赵柳', '男', '7', '1', null, null);
INSERT INTO `smxf_students` VALUES ('5', '10', '2', '8', 'wdn', '王大拿', '女', '7', '1', null, null);
INSERT INTO `smxf_students` VALUES ('6', '12', '2', '10', 'xdj', '谢大脚', '女', '7', '1', null, null);
-- ----------------------------
-- Table structure for `smxf_users`
-- ----------------------------
DROP TABLE IF EXISTS `smxf_users`;
CREATE TABLE `smxf_users` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`username` varchar(20) NOT NULL,
`password` char(32) DEFAULT NULL,
`created_at` datetime DEFAULT NULL,
`updated_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=2 DEFAULT CHARSET=utf8;
-- ----------------------------
-- Records of smxf_users
-- ----------------------------
INSERT INTO `smxf_users` VALUES ('1', 'admin', '793f9406642472ed0a6cd03f47c64861', '0000-00-00 00:00:00', '0000-00-00 00:00:00');
| 3,133
|
https://github.com/euforic/backend-base/blob/master/gql/graph/model/models_gen.go
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
backend-base
|
euforic
|
Go
|
Code
| 116
| 409
|
// Code generated by github.com/99designs/gqlgen, DO NOT EDIT.
package model
import (
"github.com/euforic/backend-base/pkg/gqltypes"
)
type CreateTodoInput struct {
Title string `json:"title"`
Body string `json:"body"`
Author string `json:"author"`
}
type OffsetPageInfo struct {
TotalResults int `json:"totalResults"`
Limit int `json:"limit"`
Offset int `json:"offset"`
NextOffset *int `json:"nextOffset"`
PreviousOffset *int `json:"previousOffset"`
}
type Todo struct {
ID string `json:"id"`
Title string `json:"title"`
Body string `json:"body"`
Author string `json:"author"`
IsDone bool `json:"isDone"`
CreatedAt gqltypes.DateTime `json:"createdAt"`
UpdatedAt gqltypes.DateTime `json:"updatedAt"`
DeletedAt *gqltypes.DateTime `json:"deletedAt"`
}
type TodosFilter struct {
Done *bool `json:"done"`
}
type TodosPayload struct {
Nodes []*Todo `json:"Nodes"`
OffsetPageInfo *OffsetPageInfo `json:"OffsetPageInfo"`
}
type UpdateTodoInput struct {
ID string `json:"id"`
Title *string `json:"title"`
Body *string `json:"body"`
Author *string `json:"author"`
IsDone *bool `json:"isDone"`
}
| 49,102
|
https://github.com/nmccready/cfn-include/blob/master/bin/cli.js
|
Github Open Source
|
Open Source
|
MIT
| null |
cfn-include
|
nmccready
|
JavaScript
|
Code
| 413
| 1,250
|
#!/usr/bin/env node
var _ = require('lodash'),
yaml = require('../lib/yaml'),
exec = require('child_process').execSync,
Client = require('../lib/cfnclient'),
package = require('../package.json'),
replaceEnv = require('../lib/replaceEnv');
env = process.env,
opts = require('yargs').command(
'$0 [path] [options]',
package.description,
(y) => y.positional('path', {
positional: true,
desc: 'location of template. Either path to a local file, URL or file on an S3 bucket (e.g. s3://bucket-name/example.template)',
required: false,
}))
.options({
minimize: {
desc: 'minimize JSON output',
default: false,
boolean: true,
alias: 'm',
},
metadata: {
desc: 'add build metadata to output',
default: false,
boolean: true,
},
validate: {
desc: 'validate compiled template',
default: false,
boolean: true,
alias: 't',
},
yaml: {
desc: 'output yaml instead of json',
default: false,
boolean: true,
alias: 'y',
},
bucket: {
desc: 'bucket name required for templates larger than 50k',
},
context: {
desc: 'template full path. only utilized for stdin when the template is piped to this script',
required: false,
string: true,
},
prefix: {
desc: 'prefix for templates uploaded to the bucket',
default: 'cfn-include',
},
enable: {
string: true,
desc: `enable different options: ['env']`,
choices: ['env']
},
version: {
boolean: true,
desc: 'print version and exit',
callback: function () {
console.log(package.version);
process.exit(0);
}
},
}).parse(),
path = require('path'),
include = require('../index'),
pathParse = require('path-parse');
var promise;
if (opts.path) {
var location, protocol = opts.path.match(/^\w+:\/\//);
if (protocol) location = opts.path;
else if (pathParse(opts.path).root) location = 'file://' + opts.path;
else location = 'file://' + path.join(process.cwd(), opts.path);
promise = include({
url: location,
doEnv: opts.enable === 'env',
});
} else {
promise = new Promise((resolve, reject) => {
process.stdin.setEncoding('utf8');
var rawData = [];
process.stdin.on('data', chunk => rawData.push(chunk));
process.stdin.on('error', err => reject(err));
process.stdin.on('end', () => resolve(rawData.join('')));
}).then(template => {
if (template.length === 0) {
console.error('empty template received from stdin');
process.exit(1);
}
const location = opts.context ? path.resolve(opts.context) :
path.join(process.cwd(), 'template.yml');
template = opts.enable === 'env' ? replaceEnv(template) : template;
return include({
template: yaml.load(template),
url: 'file://' + location,
doEnv: opts.enable === 'env',
}).catch(err => console.error(err));
});
}
promise.then(function (template) {
if(opts.metadata) {
try {
var stdout = exec('git log -n 1 --pretty=%H', {
stdio: [0, 'pipe', 'ignore']
}).toString().trim();
} catch (e) { }
_.defaultsDeep(template, {
Metadata: {
CfnInclude: {
GitCommit: stdout,
BuildDate: new Date().toISOString(),
}
}
});
}
if (opts.validate) {
const cfn = new Client({
region: env.AWS_REGION || env.AWS_DEFAULT_REGION || 'us-east-1',
bucket: opts.bucket,
prefix: opts.prefix,
});
return cfn.validateTemplate(JSON.stringify(template)).then(() => template);
} else return template;
}).then(template => {
console.log(opts.yaml ? yaml.dump(template) : JSON.stringify(template, null, opts.minimize ? null : 2));
}).catch(function (err) {
if (typeof err.toString === 'function') console.error(err.toString());
else console.error(err);
process.exit(1);
});
| 5,634
|
https://github.com/mdfh/Flick-Android/blob/master/app/src/main/java/com/github/mdfh/flick/data/remote/api_repository.kt
|
Github Open Source
|
Open Source
|
MIT
| null |
Flick-Android
|
mdfh
|
Kotlin
|
Code
| 323
| 921
|
/*
* Copyright (C) 2017 MINDORKS NEXTGEN PRIVATE LIMITED
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* https://mindorks.com/license/apache-v2
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License
*/
package com.github.mdfh.flick.data.remote
import android.content.Context
import com.github.mdfh.flick.data.DataResult
import com.github.mdfh.flick.data.remote.services.ConfigurationService
import com.github.mdfh.flick.data.remote.services.MovieService
import com.github.mdfh.flick.model.api.Configuration
import com.github.mdfh.flick.model.api.MovieList
import com.google.gson.Gson
import retrofit2.Response
import javax.inject.Inject
import javax.inject.Singleton
interface ApiRepository {
suspend fun getPopularMovies(page : Int = 1): DataResult<MovieList>
suspend fun getUpcomingMovies(page : Int = 1): DataResult<MovieList>
suspend fun getTopRatedMovies(page : Int = 1): DataResult<MovieList>
suspend fun getNowPlayingMovies(): DataResult<MovieList>
suspend fun getConfiguration() : DataResult<Configuration>
}
@Singleton
class AppApiRepository @Inject
constructor(
private val context : Context,
private val movieService: MovieService,
private val configurationService: ConfigurationService,
private val gson: Gson
) : ApiRepository
{
override suspend fun getPopularMovies(page : Int): DataResult<MovieList> {
return safeApiCall(call = { movieService.getPopularMovies(page) });
}
override suspend fun getUpcomingMovies(page : Int): DataResult<MovieList> {
return safeApiCall(call = { movieService.getUpcomingMovies(page) });
}
override suspend fun getTopRatedMovies(page : Int): DataResult<MovieList> {
return safeApiCall(call = { movieService.getTopRatedMovies(page) });
}
override suspend fun getNowPlayingMovies(): DataResult<MovieList> {
return safeApiCall ( call = { movieService.getNowPlayingMovies() });
}
override suspend fun getConfiguration(): DataResult<Configuration> {
return safeApiCall ( call = { configurationService.getConfiguration() } );
}
private suspend fun <T : Any> safeApiCall(call: suspend () -> Response<T>): DataResult<T> {
return try {
val myResp = call.invoke()
if (myResp.isSuccessful) {
DataResult.Success(myResp.body()!!)
} else {
/*
handle standard error codes
if (myResp.code() == 403){
Log.i("responseCode","Authentication failed")
}
.
.
.
*/
DataResult.Error(Exception(myResp.errorBody()?.string() ?: "Something goes wrong"))
}
} catch (e: Exception) {
DataResult.Error(Exception(e.message ?: "Internet error runs"))
}
}
}
| 26,449
|
https://github.com/Almenon/couchers/blob/master/app/backend/src/couchers/email/__init__.py
|
Github Open Source
|
Open Source
|
MIT
| 2,020
|
couchers
|
Almenon
|
Python
|
Code
| 323
| 962
|
from pathlib import Path
import yaml
from jinja2 import Environment, FileSystemLoader, Template
from markdown2 import markdown
from couchers import config
from couchers.email.dev import print_dev_email
from couchers.email.smtp import send_smtp_email
loader = FileSystemLoader(Path(__file__).parent / ".." / ".." / ".." / "templates")
env = Environment(loader=loader, trim_blocks=True)
plain_base_template = env.get_template("email_base_plain.md")
html_base_template = env.get_template("email_base_html.html")
def _escape_plain(text):
return text
def _escape_html(text):
return text.replace("_", "\\_")
def _render_email(template_file, template_args={}):
"""
Renders both a plain-text and a HTML version of an email, and embeds both in their base templates
The template should look something like this:
```
---
subject: "Email for {{ user.name }}"
---
Hello {{ user.name }}, this is a sample email
```
The first bit, sandwiched between the first two `---`s is the "frontmatter", some YAML stuff. Currently it just
contains the subject.
We split these into the frontmatter and the message text (note the text may contain more `---`s which then denote
horizontal rules `<hr />` in HTML). The frontmatter is rendered through jinja2 so that you can use the template
arguments to modify it, e.g. use the user name or something in the subject.
The body is run through twice, once for the plaintext, once for HTML, and then the HTML version is run through
markdown2 to turn it into HTML.
"""
source, _, _ = loader.get_source(env, f"{template_file}.md")
# the file should start with a "---"
stub, frontmatter_source, text_source = source.split("---", 2)
assert stub == ""
frontmatter_template = env.from_string(frontmatter_source)
template = env.from_string(text_source)
rendered_frontmatter = frontmatter_template.render(**template_args, plain=True, html=False, escape=_escape_plain)
frontmatter = yaml.load(rendered_frontmatter, Loader=yaml.FullLoader)
plain_content = template.render(
{**template_args, "frontmatter": frontmatter}, plain=True, html=False, escape=_escape_plain
)
html_content = markdown(
template.render({**template_args, "frontmatter": frontmatter}, plain=False, html=True, escape=_escape_html)
)
plain = plain_base_template.render(frontmatter=frontmatter, content=plain_content)
html = html_base_template.render(frontmatter=frontmatter, content=html_content)
return frontmatter, plain, html
def send_email(sender_name, sender_email, recipient, subject, plain, html):
if config.config["ENABLE_EMAIL"]:
return send_smtp_email(sender_name, sender_email, recipient, subject, plain, html)
else:
return print_dev_email(sender_name, sender_email, recipient, subject, plain, html)
def send_email_template(recipient, template_file, template_args={}):
frontmatter, plain, html = _render_email(template_file, template_args)
return send_email(
config.NOTIFICATION_EMAIL_SENDER,
config.config["NOTIFICATION_EMAIL_ADDRESS"],
recipient,
frontmatter["subject"],
plain,
html,
)
| 3,336
|
https://github.com/pomadchin/owm-jmapprojlib/blob/master/build.sbt
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
owm-jmapprojlib
|
pomadchin
|
Scala
|
Code
| 68
| 291
|
name := "owm-jmapprojlib"
organization := "com.owm"
description := "Jmapprojlib fork with Datum conversion support and a \"latlong\" projection similar to PROJ.4."
homepage := Some(url("https://github.com/pomadchin/owm-jmapprojlib"))
scalaVersion := "2.11.5"
version := "1.0"
publishMavenStyle := true
bintrayPublishSettings
bintray.Keys.repository in bintray.Keys.bintray := "owm-java-repository"
bintray.Keys.bintrayOrganization in bintray.Keys.bintray := Some("owm")
licenses ++= Seq(
("Apache-2.0", url("http://www.apache.org/licenses/LICENSE-2.0.html")),
("MIT", url("http://opensource.org/licenses/MIT"))
)
fork := true
fork in Test := true
scalacOptions ++= Seq("-feature", "-deprecation")
javaOptions ++= Seq("-Xmx2048M", "-XX:MaxPermSize=2048M")
| 15,052
|
https://github.com/m-b-e/PISA_Revisited/blob/master/1_data_preparation.py
|
Github Open Source
|
Open Source
|
MIT
| null |
PISA_Revisited
|
m-b-e
|
Python
|
Code
| 741
| 2,514
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Fri Apr 22 14:56:52 2022
@author: Jo&Max
"""
#%% import packages
import pandas as pd
import runpy
import numpy as np
import matplotlib.pyplot as plt
#%% call setup file
runpy.run_path(path_name = '0_setup.py')
# imports sys, sklearn, numpy, os, matplotlib, pathlib
# checks versions, sets wd, sets random.seed 42, specifies plots
# defines function save_fig()
#%% run preprocessing functions
runpy.run_path(path_name = '1a_functions.py')
#%% read in data
# read in raw data from pisa website
PISA_raw = pd.read_csv("/data/PISA_student_data.csv")
# rename target variable "PV1READ" = "read_score"
PISA_raw.rename(columns = {'PV1READ':'read_score'}, inplace = True)
# drop students with missing target variable
PISA_raw = PISA_raw.dropna(subset=['read_score'])
# create random sample of 100.000 observations -> reduction of data for the scope of the project
PISA_raw_100000 = PISA_raw.sample(100000)
# save as csv
PISA_raw_100000.to_csv("data/PISA_raw_100000.csv")
# read in if needed
PISA_raw_100000 = pd.read_csv("data/PISA_raw_100000.csv")
#%% feature selection
# create array with features to keep (read in column from excel doc)
codebook = pd.read_excel('codebook/codebook_covariates_PISA.xlsx')
covariates = codebook.iloc[:,3]
#transform to array, dropping SCHLTYPE and adding read_score so it doesn't get dropped
covariates_array = covariates.to_numpy()
covariates_array_new = np.delete(covariates_array, 1)
covariates_array_new = np.append(covariates_array_new, 'read_score')
# select the features included in the array
PISA_selection = PISA_raw_100000[covariates_array_new]
# save as csv
PISA_selection.to_csv("data/PISA_selection.csv")
# plot with missingness
NaN_count_rel = PISA_selection.isnull().sum()/len(PISA_selection)*100
NaN_count_rel.sort_values(ascending=False)
plt.hist(NaN_count_rel, 25)
plt.xlabel('Percentage Missingness')
plt.ylabel('Number of Covariates')
plt.title('Distribution of Missingness of Covariates',fontweight ="bold")
plt.show()
#%% imputation
# type "pip install missingpy" in the console for installation
from missingpy import MissForest
X = PISA_selection
# medium strict parameters for runtime-quality-trade-off
imputer = MissForest(max_iter = 4, n_estimators = 10, max_features = 10, n_jobs = -1, random_state = 42)
# cat_vars : int or array of ints containing column indices of categorical variable(s)
# 'country', 'gender', 'mother_school', 'father_school', BINARIES ON HOME, 'home_language', 'immig', BINARIES ON READING
cat_names = ['CNTRYID', 'ST004D01T', 'ST005Q01TA', 'ST007Q01TA', "ST011Q01TA",
"ST011Q02TA", "ST011Q03TA", "ST011Q04TA", "ST011Q05TA", "ST011Q06TA",
"ST011Q07TA", "ST011Q08TA", "ST011Q09TA", "ST011Q10TA", "ST011Q11TA",
"ST011Q12TA", "ST011Q16NA", 'ST022Q01TA', 'IMMIG', "ST153Q01HA",
"ST153Q02HA", "ST153Q03HA", "ST153Q04HA", "ST153Q05HA", "ST153Q06HA",
"ST153Q08HA", "ST153Q09HA", "ST153Q10HA"]
def get_col_indices(df, names):
return df.columns.get_indexer(names)
cat_indices = get_col_indices(PISA_selection, cat_names)
# fit imputer
imputer.fit(X, cat_vars = cat_indices)
# apply imputer
PISA_imputed = imputer.transform(X)
# convert to pandas dataframe and add column names from before
PISA_imputed = pd.DataFrame(PISA_imputed, columns = PISA_selection.columns)
# drop first column that was generated before
PISA_imputed = PISA_imputed.iloc[: , 1:]
# save result as csv file (just as a backup)
PISA_imputed.to_csv("data/PISA_imputed.csv")
#%% OneHotEncoding of categorical variables
# read in if needed
PISA_imputed = pd.read_csv("data/PISA_imputed.csv")
# transform categorical variables using OneHotEncoder and ColumnTransformer
from sklearn.preprocessing import OneHotEncoder
# select non-binary categorical features
# 'country', 'mother_school', 'father_school', 'home_language', 'immig'
non_binary_cat = ['CNTRYID', 'ST005Q01TA', 'ST007Q01TA', 'ST022Q01TA', 'IMMIG']
# transform categorical variables (this did not work when using the get_feature_names method afterwards...)
# transformer = ColumnTransformer(transformers = [("cat", encoder, non_binary_cat)], remainder = "passthrough")
# PISA_encoded = transformer.fit_transform(PISA_imputed)
# create df with categorical features
cat_df = PISA_imputed[non_binary_cat]
num_df = PISA_imputed.drop(non_binary_cat, axis=1)
encoder = OneHotEncoder(sparse = False)
encoder.fit(cat_df)
encoded_df = pd.DataFrame(encoder.fit_transform(cat_df))
# add column names
encoded_df.columns = encoder.get_feature_names(cat_df.columns)
# concatenate with numerical columns
PISA_encoded = pd.concat([num_df, encoded_df], axis=1)
# save as csv
PISA_encoded.to_csv("data/PISA_encoded.csv")
# read in if needed
PISA_encoded = pd.read_csv("data/PISA_encoded.csv")
#%% normalization
# move column "read_score" (target variable) to the end of the dataframe
temp_cols = PISA_encoded.columns.tolist()
index = PISA_encoded.columns.get_loc("read_score")
new_cols = temp_cols[0:index] + temp_cols[index+1:] + temp_cols[index:index+1]
PISA_encoded = PISA_encoded[new_cols]
# MinMaxScaler normalizes the data
from sklearn.preprocessing import MinMaxScaler
from sklearn.compose import ColumnTransformer
scaler = MinMaxScaler()
# fit scaler
scaler.fit(PISA_encoded.loc[ : , PISA_encoded.columns != 'read_score'])
# choose all columns except of read_score (target) to be normalized
# OneHotEncoded columns don't change by applying MinMaxScaler
covar = PISA_encoded.loc[ : , PISA_encoded.columns != 'read_score'].columns
transformer = ColumnTransformer(transformers = [("norm", scaler, covar)], remainder = "passthrough")
PISA_prepared = transformer.fit_transform(PISA_encoded)
# convert to pandas dataframe and add column names from before
PISA_prepared = pd.DataFrame(PISA_prepared, columns = PISA_encoded.columns)
# drop first two columns that were unneccessarily generated during processing
PISA_prepared.drop(PISA_prepared.columns[[0, 1]], axis = 1, inplace = True)
# rename gender column for further observations
PISA_prepared.rename(columns = {'ST004D01T':'gender'}, inplace = True)
# save result as csv file (just as a backup)
PISA_prepared.to_csv("data/PISA_prepared.csv")
# PISA_prepared = pd.read_csv("data/PISA_prepared.csv")
#%% create boys and girls subsets for feature importance comparison
# filter by gender
PISA_female = PISA_prepared[PISA_prepared["gender"] == 0]
PISA_male = PISA_prepared[PISA_prepared["gender"] == 1]
# save as csv
PISA_female.to_csv("data/PISA_female.csv")
PISA_male.to_csv("data/PISA_male.csv")
# drop first entries if needed
# drop_first_entry(PISA_female)
# drop_first_entry(PISA_male)
# split gender subsets
X_female = PISA_female.drop(columns=["read_score"])
y_female = PISA_female["read_score"]
y_female = y_female.to_frame()
X_male = PISA_male.drop(columns=["read_score"])
y_male = PISA_male["read_score"]
y_male = y_male.to_frame()
# save as csv
X_female.to_csv("data/X_female.csv")
y_female.to_csv("data/y_female.csv")
X_male.to_csv("data/X_male.csv")
y_male.to_csv("data/y_male.csv")
| 41,556
|
https://github.com/Macsch15/Aurora/blob/master/app/Tricolore/Tests/Fixtures/Templates/TestAsset.html.twig
|
Github Open Source
|
Open Source
|
MIT
| null |
Aurora
|
Macsch15
|
Twig
|
Code
| 4
| 10
|
{{ assets('css', 'foo') }}
| 5,172
|
https://github.com/gregeld96/rhb-mobile-flutter/blob/master/lib/screens/setting/update_data.dart
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
rhb-mobile-flutter
|
gregeld96
|
Dart
|
Code
| 261
| 1,247
|
import 'package:flutter/material.dart';
import 'package:get/get.dart';
import 'package:rhb_mobile_flutter/controllers/setting/update_data.dart';
import 'package:rhb_mobile_flutter/utils/themes.dart';
import 'package:rhb_mobile_flutter/widgets/appbar.dart';
import 'package:rhb_mobile_flutter/widgets/button.dart';
import 'package:rhb_mobile_flutter/widgets/form_personal.dart';
import 'package:rhb_mobile_flutter/widgets/general_text.dart';
class UpdateDataScreen extends StatelessWidget {
final UpdateDataController controller = Get.put(UpdateDataController());
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: RehobotAppBar().generalAppBar(
onpress: () {
Get.back();
},
title: 'Kembali',
context: context,
),
body: SingleChildScrollView(
child: Padding(
padding: const EdgeInsets.symmetric(
horizontal: 25,
vertical: 15,
),
child: GetBuilder<UpdateDataController>(builder: (_) {
return Column(
children: [
RehobotGeneralText(
title: 'Personal Data',
alignment: Alignment.centerLeft,
fontSize: 24,
fontWeight: FontWeight.bold,
),
Form(
key: controller.formUser,
child: PersonalForm(
section: 'personal',
page: 'update',
dateFormat: 'dd/MM/yyyy',
name: controller.userEdit[0],
birthPlace: controller.userEdit[1],
bod: controller.userEdit[2],
gender: controller.userEdit[3].text,
occupation: controller.userEdit[4].text,
phone: controller.userEdit[7],
addressInput: controller.userEdit[5],
areaInput: controller.userEdit[6],
email: controller.userEdit[8],
address: controller.address.address[0],
provinces: controller.address.personalAddress,
cities: controller.address.personalCityResListModel,
districts: controller.address.personalDistrictResListModel,
subdistricts:
controller.address.personalSubdistrictsResListModel,
codePost: controller.address.personalCodePostResListModel,
onChanged: (val) {
controller.checkButton();
},
dropdownChange: (section, value) {
controller.dropdownChange(
section: 'personal',
category: section,
value: value,
);
},
),
),
SizedBox(
height: 25,
),
RehobotGeneralText(
title: 'Kontak Darurat',
alignment: Alignment.centerLeft,
fontSize: 24,
fontWeight: FontWeight.bold,
),
SizedBox(
height: 15,
),
Form(
key: controller.formOther,
child: PersonalForm(
section: 'other',
page: 'other',
name: controller.emergency[0],
relation: controller.emergency[1],
gender: controller.emergency[2].text,
phone: controller.emergency[3],
addressInput: controller.emergency[4],
areaInput: controller.emergency[5],
address: controller.address.address[1],
provinces: controller.address.otherAddress,
cities: controller.address.otherCityResListModel,
districts: controller.address.otherDistrictResListModel,
subdistricts:
controller.address.otherSubdistrictsResListModel,
codePost: controller.address.otherCodePostResListModel,
onChanged: (val) {
controller.checkButton();
},
dropdownChange: (section, val) {
controller.dropdownChange(
section: 'other',
category: section,
value: val,
);
},
),
),
SizedBox(
height: 15,
),
RehobotButton().roundedButton(
title: 'Submit'.toUpperCase(),
context: context,
height: 5,
widthDivider: 25,
textColor: controller.isComplete
? RehobotThemes.pageRehobot
: Colors.grey[350],
buttonColor: controller.isComplete
? RehobotThemes.activeRehobot
: RehobotThemes.inactiveRehobot,
onPressed: controller.isComplete
? () {
FocusScopeNode currentFocus = FocusScope.of(context);
if (!currentFocus.hasPrimaryFocus) {
currentFocus.unfocus();
}
controller.submit();
}
: null,
)
],
);
}),
),
),
);
}
}
| 5,880
|
https://github.com/gnunn1/product-catalog-fuse/blob/master/fuse-impl/src/main/java/com/redhat/demo/routes/DeleteProduct.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
product-catalog-fuse
|
gnunn1
|
Java
|
Code
| 30
| 148
|
package com.redhat.demo.routes;
import java.sql.SQLException;
import org.apache.camel.builder.RouteBuilder;
import org.springframework.stereotype.Component;
@Component
public class DeleteProduct extends RouteBuilder {
@Override
public void configure() throws Exception {
onException(SQLException.class)
.handled(true)
.to("direct:databaseerror");
from("direct:deleteproduct")
.routeId("direct-deleteProduct")
.to("sql:{{product.sql.delete}}");
}
}
| 9,087
|
https://github.com/kit-transue/software-emancipation-discover/blob/master/model_server/gala/src/scanner.cxx
|
Github Open Source
|
Open Source
|
BSD-2-Clause
| 2,015
|
software-emancipation-discover
|
kit-transue
|
C++
|
Code
| 520
| 1,340
|
/*************************************************************************
* Copyright (c) 2015, Synopsys, Inc. *
* All rights reserved. *
* *
* Redistribution and use in source and binary forms, with or without *
* modification, are permitted provided that the following conditions are *
* met: *
* *
* 1. Redistributions of source code must retain the above copyright *
* notice, this list of conditions and the following disclaimer. *
* *
* 2. Redistributions in binary form must reproduce the above copyright *
* notice, this list of conditions and the following disclaimer in the *
* documentation and/or other materials provided with the distribution. *
* *
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS *
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT *
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR *
* A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT *
* HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, *
* SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT *
* LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, *
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY *
* THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT *
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE *
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. *
*************************************************************************/
#include <cLibraryFunctions.h>
#include <machdep.h>
#include "gString.h"
#include "scanner.h"
#include <tcl.h>
Scanner::Scanner()
{
for (int i=0; i<4; i++) {
prefix_[i] = NULL;
cmd_[i] = NULL;
}
lineBuffer = NULL;
lineBufferSize = 0;
lineBufferIndex = 0;
}
Scanner::~Scanner()
{
for (int i=0; i<4; i++) {
if (prefix_[i]) delete [] prefix_[i];
if (cmd_[i]) delete [] cmd_[i];
}
if (lineBuffer) OSapi_free (lineBuffer);
}
void Scanner::ScanPrefix (const vchar* prefix, const vchar* cmd)
{
for (int i=0; i<4; i++) {
if (!prefix_[i]) {
int len = vcharLength (prefix);
prefix_[i] = new vchar[len+1];
vcharCopy (prefix, prefix_[i]);
len = vcharLength (cmd);
cmd_[i] = new vchar[len+1];
vcharCopy (cmd, cmd_[i]);
return;
}
}
}
void Scanner::ScanString(const vchar* str, Tcl_Interp* interp)
{
if (!lineBuffer)
lineBuffer = (vchar*)OSapi_malloc (10000);
while (*str) {
vchar* nl = vcharSearchChar (str, '\n');
if (nl == str) {
lineNo++;
str++;
continue;
}
if (nl) {
int len = nl - str;
if (len + lineBufferIndex > lineBufferSize) {
}
vcharCopyBounded (str, &lineBuffer[lineBufferIndex], len);
lineBufferIndex += len;
lineBuffer[lineBufferIndex] = 0;
str = nl+1;
const vchar* substr;
for (int i=0; i<4; i++) {
if (interp && prefix_[i] && cmd_[i] &&
(substr=vcharSearch (lineBuffer, prefix_[i]))) {
char line[100];
sprintf (line, " %d ", lineNo);
gString tclcmd;
tclcmd = cmd_[i];
tclcmd += (vchar*)line;
tclcmd += (vchar*)"{";
tclcmd += lineBuffer;
tclcmd += (vchar*)"}";
Tcl_Eval (interp, (char*)(vchar*) tclcmd);
}
}
lineNo++;
lineBufferIndex = 0;
} else {
int len = vcharLength(str);
vcharCopyBounded (str, &lineBuffer[lineBufferIndex], len);
lineBufferIndex += len;
lineBuffer[lineBufferIndex] = 0;
str = (vchar*)"";
}
}
}
void Scanner::Reset ()
{
lineNo = 0;
}
#if 0
main()
{
Scanner s;
s.ScanPrefix ((vchar*)"Progress ");
s.ScanString ((vchar*)" +++Progress 0 4 1.1.3");
s.ScanString ((vchar*)"it\n Now");
s.ScanString ((vchar*)"\n");
return 0;
}
#endif
| 24,888
|
https://github.com/hwang-pku/Strata/blob/master/modules/collect/src/test/java/com/opengamma/strata/collect/array/IntArrayTest.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,022
|
Strata
|
hwang-pku
|
Java
|
Code
| 1,447
| 6,370
|
/*
* Copyright (C) 2016 - present by OpenGamma Inc. and the OpenGamma group of companies
*
* Please see distribution for license.
*/
package com.opengamma.strata.collect.array;
import static com.opengamma.strata.collect.TestHelper.coverImmutableBean;
import static org.assertj.core.api.Assertions.assertThat;
import static org.assertj.core.api.Assertions.assertThatExceptionOfType;
import static org.assertj.core.api.Assertions.assertThatIllegalArgumentException;
import static org.assertj.core.api.Assertions.assertThatIllegalStateException;
import java.util.Iterator;
import java.util.List;
import java.util.ListIterator;
import java.util.NoSuchElementException;
import java.util.concurrent.atomic.AtomicInteger;
import java.util.stream.IntStream;
import org.junit.jupiter.api.Test;
import com.google.common.collect.ImmutableList;
/**
* Test {@link IntArray}.
*/
public class IntArrayTest {
private static final int[] EMPTY_INT_ARRAY = new int[0];
private static final Object ANOTHER_TYPE = "";
@Test
public void test_EMPTY() {
assertContent(IntArray.EMPTY);
}
@Test
public void test_of() {
assertContent(IntArray.of());
assertContent(IntArray.of(1), 1);
assertContent(IntArray.of(1, 2), 1, 2);
assertContent(IntArray.of(1, 2, 3), 1, 2, 3);
assertContent(IntArray.of(1, 2, 3, 4), 1, 2, 3, 4);
assertContent(IntArray.of(1, 2, 3, 4, 5), 1, 2, 3, 4, 5);
assertContent(IntArray.of(1, 2, 3, 4, 5, 6), 1, 2, 3, 4, 5, 6);
assertContent(IntArray.of(1, 2, 3, 4, 5, 6, 7), 1, 2, 3, 4, 5, 6, 7);
assertContent(IntArray.of(1, 2, 3, 4, 5, 6, 7, 8), 1, 2, 3, 4, 5, 6, 7, 8);
assertContent(IntArray.of(1, 2, 3, 4, 5, 6, 7, 8, 9), 1, 2, 3, 4, 5, 6, 7, 8, 9);
}
@Test
public void test_of_lambda() {
assertContent(IntArray.of(0, i -> {
throw new AssertionError();
}));
AtomicInteger counter = new AtomicInteger(2);
assertContent(IntArray.of(1, i -> counter.getAndIncrement()), 2);
assertContent(IntArray.of(2, i -> counter.getAndIncrement()), 3, 4);
}
@Test
public void test_of_stream() {
assertContent(IntArray.of(IntStream.empty()));
assertContent(IntArray.of(IntStream.of(1, 2, 3)), 1, 2, 3);
}
@Test
public void test_ofUnsafe() {
int[] base = {1, 2, 3};
IntArray test = IntArray.ofUnsafe(base);
assertContent(test, 1, 2, 3);
base[0] = 4;
// internal state of object mutated - don't do this in application code!
assertContent(test, 4, 2, 3);
// empty
assertContent(IntArray.ofUnsafe(EMPTY_INT_ARRAY));
}
@Test
public void test_copyOf_List() {
assertContent(IntArray.copyOf(ImmutableList.of(1, 2, 3)), 1, 2, 3);
assertContent(IntArray.copyOf(ImmutableList.of()));
}
@Test
public void test_copyOf_array() {
int[] base = new int[] {1, 2, 3};
IntArray test = IntArray.copyOf(base);
assertContent(test, 1, 2, 3);
base[0] = 4;
// internal state of object is not mutated
assertContent(test, 1, 2, 3);
// empty
assertContent(IntArray.copyOf(EMPTY_INT_ARRAY));
}
@Test
public void test_copyOf_array_fromIndex() {
assertContent(IntArray.copyOf(new int[] {1, 2, 3}, 0), 1, 2, 3);
assertContent(IntArray.copyOf(new int[] {1, 2, 3}, 1), 2, 3);
assertContent(IntArray.copyOf(new int[] {1, 2, 3}, 3));
assertThatExceptionOfType(IndexOutOfBoundsException.class)
.isThrownBy(() -> IntArray.copyOf(new int[] {1, 2, 3}, -1));
assertThatExceptionOfType(IndexOutOfBoundsException.class)
.isThrownBy(() -> IntArray.copyOf(new int[] {1, 2, 3}, 4));
}
@Test
public void test_copyOf_array_fromToIndex() {
assertContent(IntArray.copyOf(new int[] {1, 2, 3}, 0, 3), 1, 2, 3);
assertContent(IntArray.copyOf(new int[] {1, 2, 3}, 1, 2), 2);
assertContent(IntArray.copyOf(new int[] {1, 2, 3}, 1, 1));
assertThatExceptionOfType(IndexOutOfBoundsException.class)
.isThrownBy(() -> IntArray.copyOf(new int[] {1, 2, 3}, -1, 3));
assertThatExceptionOfType(IndexOutOfBoundsException.class)
.isThrownBy(() -> IntArray.copyOf(new int[] {1, 2, 3}, 0, 5));
}
@Test
public void test_filled() {
assertContent(IntArray.filled(0));
assertContent(IntArray.filled(3), 0, 0, 0);
}
@Test
public void test_filled_withValue() {
assertContent(IntArray.filled(0, 1));
assertContent(IntArray.filled(3, 1), 1, 1, 1);
}
//-------------------------------------------------------------------------
@Test
public void test_get() {
IntArray test = IntArray.of(1, 2, 3, 3, 4);
assertThat(test.get(0)).isEqualTo(1);
assertThat(test.get(4)).isEqualTo(4);
assertThatExceptionOfType(IndexOutOfBoundsException.class).isThrownBy(() -> test.get(-1));
assertThatExceptionOfType(IndexOutOfBoundsException.class).isThrownBy(() -> test.get(5));
}
@Test
public void test_contains() {
IntArray test = IntArray.of(1, 2, 3, 3, 4);
assertThat(test.contains(1)).isEqualTo(true);
assertThat(test.contains(3)).isEqualTo(true);
assertThat(test.contains(5)).isEqualTo(false);
assertThat(IntArray.EMPTY.contains(5)).isEqualTo(false);
}
@Test
public void test_indexOf() {
IntArray test = IntArray.of(1, 2, 3, 3, 4);
assertThat(test.indexOf(2)).isEqualTo(1);
assertThat(test.indexOf(3)).isEqualTo(2);
assertThat(test.indexOf(5)).isEqualTo(-1);
assertThat(IntArray.EMPTY.indexOf(5)).isEqualTo(-1);
}
@Test
public void test_lastIndexOf() {
IntArray test = IntArray.of(1, 2, 3, 3, 4);
assertThat(test.lastIndexOf(2)).isEqualTo(1);
assertThat(test.lastIndexOf(3)).isEqualTo(3);
assertThat(test.lastIndexOf(5)).isEqualTo(-1);
assertThat(IntArray.EMPTY.lastIndexOf(5)).isEqualTo(-1);
}
//-------------------------------------------------------------------------
@Test
public void test_copyInto() {
IntArray test = IntArray.of(1, 2, 3);
int[] dest = new int[4];
test.copyInto(dest, 0);
assertThat(dest).containsExactly(1, 2, 3, 0);
int[] dest2 = new int[4];
test.copyInto(dest2, 1);
assertThat(dest2).containsExactly(0, 1, 2, 3);
int[] dest3 = new int[4];
assertThatExceptionOfType(IndexOutOfBoundsException.class).isThrownBy(() -> test.copyInto(dest3, 2));
assertThatExceptionOfType(IndexOutOfBoundsException.class).isThrownBy(() -> test.copyInto(dest3, -1));
}
//-------------------------------------------------------------------------
@Test
public void test_subArray_from() {
IntArray test = IntArray.of(1, 2, 3);
assertContent(test.subArray(0), 1, 2, 3);
assertContent(test.subArray(1), 2, 3);
assertContent(test.subArray(2), 3);
assertContent(test.subArray(3));
assertThatExceptionOfType(IndexOutOfBoundsException.class).isThrownBy(() -> test.subArray(4));
assertThatExceptionOfType(IndexOutOfBoundsException.class).isThrownBy(() -> test.subArray(-1));
}
@Test
public void test_subArray_fromTo() {
IntArray test = IntArray.of(1, 2, 3);
assertContent(test.subArray(0, 3), 1, 2, 3);
assertContent(test.subArray(1, 3), 2, 3);
assertContent(test.subArray(2, 3), 3);
assertContent(test.subArray(3, 3));
assertContent(test.subArray(1, 2), 2);
assertThatExceptionOfType(IndexOutOfBoundsException.class).isThrownBy(() -> test.subArray(0, 4));
assertThatExceptionOfType(IndexOutOfBoundsException.class).isThrownBy(() -> test.subArray(-1, 3));
}
//-------------------------------------------------------------------------
@Test
public void test_toList() {
IntArray test = IntArray.of(1, 2, 3);
List<Integer> list = test.toList();
assertContent(IntArray.copyOf(list), 1, 2, 3);
assertThat(list.size()).isEqualTo(3);
assertThat(list.isEmpty()).isEqualTo(false);
assertThat(list.get(0).intValue()).isEqualTo(1);
assertThat(list.get(2).intValue()).isEqualTo(3);
assertThat(list.contains(2)).isEqualTo(true);
assertThat(list.contains(5)).isEqualTo(false);
assertThat(list.contains(ANOTHER_TYPE)).isEqualTo(false);
assertThat(list.indexOf(2)).isEqualTo(1);
assertThat(list.indexOf(5)).isEqualTo(-1);
assertThat(list.indexOf(ANOTHER_TYPE)).isEqualTo(-1);
assertThat(list.lastIndexOf(3)).isEqualTo(2);
assertThat(list.lastIndexOf(5)).isEqualTo(-1);
assertThat(list.lastIndexOf(ANOTHER_TYPE)).isEqualTo(-1);
assertThatExceptionOfType(UnsupportedOperationException.class).isThrownBy(() -> list.clear());
assertThatExceptionOfType(UnsupportedOperationException.class).isThrownBy(() -> list.set(0, 3));
}
@Test
public void test_toList_iterator() {
IntArray test = IntArray.of(1, 2, 3);
List<Integer> list = test.toList();
Iterator<Integer> it = list.iterator();
assertThat(it.hasNext()).isEqualTo(true);
assertThat(it.next().intValue()).isEqualTo(1);
assertThat(it.hasNext()).isEqualTo(true);
assertThat(it.next().intValue()).isEqualTo(2);
assertThat(it.hasNext()).isEqualTo(true);
assertThat(it.next().intValue()).isEqualTo(3);
assertThat(it.hasNext()).isEqualTo(false);
assertThatExceptionOfType(UnsupportedOperationException.class).isThrownBy(() -> it.remove());
}
@Test
public void test_toList_listIterator() {
IntArray test = IntArray.of(1, 2, 3);
List<Integer> list = test.toList();
ListIterator<Integer> lit = list.listIterator();
assertThat(lit.nextIndex()).isEqualTo(0);
assertThat(lit.previousIndex()).isEqualTo(-1);
assertThat(lit.hasNext()).isEqualTo(true);
assertThat(lit.hasPrevious()).isEqualTo(false);
assertThatExceptionOfType(NoSuchElementException.class).isThrownBy(() -> lit.previous());
assertThat(lit.next().intValue()).isEqualTo(1);
assertThat(lit.nextIndex()).isEqualTo(1);
assertThat(lit.previousIndex()).isEqualTo(0);
assertThat(lit.hasNext()).isEqualTo(true);
assertThat(lit.hasPrevious()).isEqualTo(true);
assertThat(lit.next().intValue()).isEqualTo(2);
assertThat(lit.nextIndex()).isEqualTo(2);
assertThat(lit.previousIndex()).isEqualTo(1);
assertThat(lit.hasNext()).isEqualTo(true);
assertThat(lit.hasPrevious()).isEqualTo(true);
assertThat(lit.next().intValue()).isEqualTo(3);
assertThat(lit.nextIndex()).isEqualTo(3);
assertThat(lit.previousIndex()).isEqualTo(2);
assertThat(lit.hasNext()).isEqualTo(false);
assertThat(lit.hasPrevious()).isEqualTo(true);
assertThatExceptionOfType(NoSuchElementException.class).isThrownBy(() -> lit.next());
assertThat(lit.previous().intValue()).isEqualTo(3);
assertThat(lit.nextIndex()).isEqualTo(2);
assertThat(lit.previousIndex()).isEqualTo(1);
assertThat(lit.hasNext()).isEqualTo(true);
assertThat(lit.hasPrevious()).isEqualTo(true);
assertThatExceptionOfType(UnsupportedOperationException.class).isThrownBy(() -> lit.remove());
assertThatExceptionOfType(UnsupportedOperationException.class).isThrownBy(() -> lit.set(2));
assertThatExceptionOfType(UnsupportedOperationException.class).isThrownBy(() -> lit.add(2));
}
//-------------------------------------------------------------------------
@Test
public void test_stream() {
IntArray test = IntArray.of(1, 2, 3);
int[] streamed = test.stream().toArray();
assertThat(streamed).containsExactly(1, 2, 3);
}
//-------------------------------------------------------------------------
@Test
public void test_forEach() {
IntArray test = IntArray.of(1, 2, 3);
int[] extracted = new int[3];
test.forEach((i, v) -> extracted[i] = v);
assertThat(extracted).containsExactly(1, 2, 3);
}
//-------------------------------------------------------------------------
@Test
public void test_with() {
IntArray test = IntArray.of(1, 2, 3);
assertContent(test.with(0, 4), 4, 2, 3);
assertContent(test.with(0, 1), 1, 2, 3);
assertThatExceptionOfType(IndexOutOfBoundsException.class).isThrownBy(() -> test.with(-1, 2));
assertThatExceptionOfType(IndexOutOfBoundsException.class).isThrownBy(() -> test.with(3, 2));
}
//-------------------------------------------------------------------------
@Test
public void test_plus() {
IntArray test = IntArray.of(1, 2, 3);
assertContent(test.plus(5), 6, 7, 8);
assertContent(test.plus(0), 1, 2, 3);
assertContent(test.plus(-5), -4, -3, -2);
}
@Test
public void test_minus() {
IntArray test = IntArray.of(1, 2, 3);
assertContent(test.minus(5), -4, -3, -2);
assertContent(test.minus(0), 1, 2, 3);
assertContent(test.minus(-5), 6, 7, 8);
}
@Test
public void test_multipliedBy() {
IntArray test = IntArray.of(1, 2, 3);
assertContent(test.multipliedBy(5), 5, 10, 15);
assertContent(test.multipliedBy(1), 1, 2, 3);
}
@Test
public void test_dividedBy() {
IntArray test = IntArray.of(10, 20, 30);
assertContent(test.dividedBy(5), 2, 4, 6);
assertContent(test.dividedBy(1), 10, 20, 30);
}
@Test
public void test_map() {
IntArray test = IntArray.of(1, 2, 3);
assertContent(test.map(v -> 1 / v), 1, 1 / 2, 1 / 3);
}
@Test
public void test_mapWithIndex() {
IntArray test = IntArray.of(1, 2, 3);
assertContent(test.mapWithIndex((i, v) -> i * v), 0, 2, 6);
}
//-------------------------------------------------------------------------
@Test
public void test_plus_array() {
IntArray test1 = IntArray.of(1, 2, 3);
IntArray test2 = IntArray.of(5, 6, 7);
assertContent(test1.plus(test2), 6, 8, 10);
assertThatIllegalArgumentException().isThrownBy(() -> test1.plus(IntArray.EMPTY));
}
@Test
public void test_minus_array() {
IntArray test1 = IntArray.of(1, 2, 3);
IntArray test2 = IntArray.of(5, 6, 7);
assertContent(test1.minus(test2), -4, -4, -4);
assertThatIllegalArgumentException().isThrownBy(() -> test1.minus(IntArray.EMPTY));
}
@Test
public void test_multipliedBy_array() {
IntArray test1 = IntArray.of(1, 2, 3);
IntArray test2 = IntArray.of(5, 6, 7);
assertContent(test1.multipliedBy(test2), 5, 12, 21);
assertThatIllegalArgumentException().isThrownBy(() -> test1.multipliedBy(IntArray.EMPTY));
}
@Test
public void test_dividedBy_array() {
IntArray test1 = IntArray.of(10, 20, 30);
IntArray test2 = IntArray.of(2, 5, 10);
assertContent(test1.dividedBy(test2), 5, 4, 3);
assertThatIllegalArgumentException().isThrownBy(() -> test1.dividedBy(IntArray.EMPTY));
}
@Test
public void test_combine() {
IntArray test1 = IntArray.of(1, 2, 3);
IntArray test2 = IntArray.of(5, 6, 7);
assertContent(test1.combine(test2, (a, b) -> a * b), 5, 12, 21);
assertThatIllegalArgumentException().isThrownBy(() -> test1.combine(IntArray.EMPTY, (a, b) -> a * b));
}
@Test
public void test_combineReduce() {
IntArray test1 = IntArray.of(1, 2, 3);
IntArray test2 = IntArray.of(5, 6, 7);
assertThat(test1.combineReduce(test2, (r, a, b) -> r + a * b)).isEqualTo(5 + 12 + 21);
assertThatIllegalArgumentException().isThrownBy(() -> test1.combineReduce(IntArray.EMPTY, (r, a, b) -> r + a * b));
}
//-------------------------------------------------------------------------
@Test
public void test_sorted() {
assertContent(IntArray.of().sorted());
assertContent(IntArray.of(2).sorted(), 2);
assertContent(IntArray.of(2, 1, 3, 0).sorted(), 0, 1, 2, 3);
}
//-------------------------------------------------------------------------
@Test
public void test_min() {
assertThat(IntArray.of(2).min()).isEqualTo(2);
assertThat(IntArray.of(2, 1, 3).min()).isEqualTo(1);
assertThatIllegalStateException().isThrownBy(() -> IntArray.EMPTY.min());
}
@Test
public void test_max() {
assertThat(IntArray.of(2).max()).isEqualTo(2);
assertThat(IntArray.of(2, 1, 3).max()).isEqualTo(3);
assertThatIllegalStateException().isThrownBy(() -> IntArray.EMPTY.max());
}
@Test
public void test_sum() {
assertThat(IntArray.EMPTY.sum()).isEqualTo(0);
assertThat(IntArray.of(2).sum()).isEqualTo(2);
assertThat(IntArray.of(2, 1, 3).sum()).isEqualTo(6);
}
@Test
public void test_reduce() {
assertThat(IntArray.EMPTY.reduce(2, (r, v) -> {
throw new AssertionError();
})).isEqualTo(2);
assertThat(IntArray.of(2).reduce(1, (r, v) -> r * v)).isEqualTo(2);
assertThat(IntArray.of(2, 1, 3).reduce(1, (r, v) -> r * v)).isEqualTo(6);
}
//-------------------------------------------------------------------------
@Test
public void test_concat_varargs() {
IntArray test1 = IntArray.of(1, 2, 3);
assertContent(test1.concat(5, 6, 7), 1, 2, 3, 5, 6, 7);
assertContent(test1.concat(new int[] {5, 6, 7}), 1, 2, 3, 5, 6, 7);
assertContent(test1.concat(EMPTY_INT_ARRAY), 1, 2, 3);
assertContent(IntArray.EMPTY.concat(new int[] {1, 2, 3}), 1, 2, 3);
}
@Test
public void test_concat_object() {
IntArray test1 = IntArray.of(1, 2, 3);
IntArray test2 = IntArray.of(5, 6, 7);
assertContent(test1.concat(test2), 1, 2, 3, 5, 6, 7);
assertContent(test1.concat(IntArray.EMPTY), 1, 2, 3);
assertContent(IntArray.EMPTY.concat(test1), 1, 2, 3);
}
//-------------------------------------------------------------------------
@Test
public void test_equalsHashCode() {
IntArray a1 = IntArray.of(1, 2);
IntArray a2 = IntArray.of(1, 2);
IntArray b = IntArray.of(1, 2, 3);
assertThat(a1.equals(a1)).isEqualTo(true);
assertThat(a1.equals(a2)).isEqualTo(true);
assertThat(a1.equals(b)).isEqualTo(false);
assertThat(a1.equals(ANOTHER_TYPE)).isEqualTo(false);
assertThat(a1.equals(null)).isEqualTo(false);
assertThat(a1.hashCode()).isEqualTo(a2.hashCode());
}
@Test
public void test_toString() {
IntArray test = IntArray.of(1, 2);
assertThat(test.toString()).isEqualTo("[1, 2]");
}
//-------------------------------------------------------------------------
@Test
public void coverage() {
coverImmutableBean(IntArray.of(1, 2, 3));
IntArray.of(1, 2, 3).metaBean().metaProperty("array").metaBean();
IntArray.of(1, 2, 3).metaBean().metaProperty("array").propertyGenericType();
IntArray.of(1, 2, 3).metaBean().metaProperty("array").annotations();
}
//-------------------------------------------------------------------------
private void assertContent(IntArray array, int... expected) {
if (expected.length == 0) {
assertThat(array).isSameAs(IntArray.EMPTY);
assertThat(array.isEmpty()).isEqualTo(true);
} else {
assertThat(array.size()).isEqualTo(expected.length);
assertArray(array.toArray(), expected);
assertArray(array.toArrayUnsafe(), expected);
assertThat(array.dimensions()).isEqualTo(1);
assertThat(array.isEmpty()).isEqualTo(false);
}
}
private void assertArray(int[] array, int[] expected) {
assertThat(array.length).isEqualTo(expected.length);
for (int i = 0; i < array.length; i++) {
assertThat(array[i])
.withFailMessage("Unexpected value at index " + i + ",")
.isEqualTo(expected[i]);
}
}
}
| 33,437
|
https://github.com/GenesysPureConnect/VidyoIntegration/blob/master/src/VidyoIntegration/VidyoComponents/VidyoService/Service References/VidyoPortalAdminService/Reference.cs
|
Github Open Source
|
Open Source
|
MIT
| 2,018
|
VidyoIntegration
|
GenesysPureConnect
|
C#
|
Code
| 17,056
| 116,926
|
//------------------------------------------------------------------------------
// <auto-generated>
// This code was generated by a tool.
// Runtime Version:4.0.30319.34014
//
// Changes to this file may cause incorrect behavior and will be lost if
// the code is regenerated.
// </auto-generated>
//------------------------------------------------------------------------------
namespace VidyoIntegration.VidyoService.VidyoPortalAdminService {
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class NotLicensedFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class Member : object, System.ComponentModel.INotifyPropertyChanged {
private int memberIDField;
private bool memberIDFieldSpecified;
private string nameField;
private string passwordField;
private string displayNameField;
private string extensionField;
private Language languageField;
private RoleName roleNameField;
private string groupNameField;
private string proxyNameField;
private string emailAddressField;
private System.DateTime createdField;
private bool createdFieldSpecified;
private string descriptionField;
private bool allowCallDirectField;
private bool allowCallDirectFieldSpecified;
private bool allowPersonalMeetingField;
private bool allowPersonalMeetingFieldSpecified;
private string locationTagField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int memberID {
get {
return this.memberIDField;
}
set {
this.memberIDField = value;
this.RaisePropertyChanged("memberID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool memberIDSpecified {
get {
return this.memberIDFieldSpecified;
}
set {
this.memberIDFieldSpecified = value;
this.RaisePropertyChanged("memberIDSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string name {
get {
return this.nameField;
}
set {
this.nameField = value;
this.RaisePropertyChanged("name");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=2)]
public string password {
get {
return this.passwordField;
}
set {
this.passwordField = value;
this.RaisePropertyChanged("password");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=3)]
public string displayName {
get {
return this.displayNameField;
}
set {
this.displayNameField = value;
this.RaisePropertyChanged("displayName");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=4)]
public string extension {
get {
return this.extensionField;
}
set {
this.extensionField = value;
this.RaisePropertyChanged("extension");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=5)]
public Language Language {
get {
return this.languageField;
}
set {
this.languageField = value;
this.RaisePropertyChanged("Language");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=6)]
public RoleName RoleName {
get {
return this.roleNameField;
}
set {
this.roleNameField = value;
this.RaisePropertyChanged("RoleName");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=7)]
public string groupName {
get {
return this.groupNameField;
}
set {
this.groupNameField = value;
this.RaisePropertyChanged("groupName");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=8)]
public string proxyName {
get {
return this.proxyNameField;
}
set {
this.proxyNameField = value;
this.RaisePropertyChanged("proxyName");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=9)]
public string emailAddress {
get {
return this.emailAddressField;
}
set {
this.emailAddressField = value;
this.RaisePropertyChanged("emailAddress");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(DataType="date", Order=10)]
public System.DateTime created {
get {
return this.createdField;
}
set {
this.createdField = value;
this.RaisePropertyChanged("created");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool createdSpecified {
get {
return this.createdFieldSpecified;
}
set {
this.createdFieldSpecified = value;
this.RaisePropertyChanged("createdSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=11)]
public string description {
get {
return this.descriptionField;
}
set {
this.descriptionField = value;
this.RaisePropertyChanged("description");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=12)]
public bool allowCallDirect {
get {
return this.allowCallDirectField;
}
set {
this.allowCallDirectField = value;
this.RaisePropertyChanged("allowCallDirect");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool allowCallDirectSpecified {
get {
return this.allowCallDirectFieldSpecified;
}
set {
this.allowCallDirectFieldSpecified = value;
this.RaisePropertyChanged("allowCallDirectSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=13)]
public bool allowPersonalMeeting {
get {
return this.allowPersonalMeetingField;
}
set {
this.allowPersonalMeetingField = value;
this.RaisePropertyChanged("allowPersonalMeeting");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool allowPersonalMeetingSpecified {
get {
return this.allowPersonalMeetingFieldSpecified;
}
set {
this.allowPersonalMeetingFieldSpecified = value;
this.RaisePropertyChanged("allowPersonalMeetingSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=14)]
public string locationTag {
get {
return this.locationTagField;
}
set {
this.locationTagField = value;
this.RaisePropertyChanged("locationTag");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public enum Language {
/// <remarks/>
en,
/// <remarks/>
de,
/// <remarks/>
es,
/// <remarks/>
fr,
/// <remarks/>
it,
/// <remarks/>
ja,
/// <remarks/>
ko,
/// <remarks/>
pt,
/// <remarks/>
zh_CN,
/// <remarks/>
fi,
/// <remarks/>
pl,
/// <remarks/>
zh_TW,
/// <remarks/>
th,
/// <remarks/>
ru,
/// <remarks/>
tr,
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public enum RoleName {
/// <remarks/>
Admin,
/// <remarks/>
Operator,
/// <remarks/>
Normal,
/// <remarks/>
VidyoRoom,
/// <remarks/>
Legacy,
/// <remarks/>
Executive,
/// <remarks/>
Panorama,
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class InvalidArgumentFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GeneralFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class MemberNotFoundFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class MemberAlreadyExistsFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RoomNotFoundFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class InvalidModeratorPINFormatFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RoomAlreadyExistsFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GroupNotFoundFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GroupAlreadyExistsFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class ResourceNotAvailableFault : object, System.ComponentModel.INotifyPropertyChanged {
private string errorMessageField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string ErrorMessage {
get {
return this.errorMessageField;
}
set {
this.errorMessageField = value;
this.RaisePropertyChanged("ErrorMessage");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ServiceModel.ServiceContractAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", ConfigurationName="VidyoPortalAdminService.VidyoPortalAdminServicePortType")]
public interface VidyoPortalAdminServicePortType {
// CODEGEN: Generating message contract since the operation getMembers is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getMembers", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getMembers", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getMembers", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getMembers", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersResponse1 getMembers(VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getMembers", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersResponse1> getMembersAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersRequest1 request);
// CODEGEN: Generating message contract since the operation getMember is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getMember", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.MemberNotFoundFault), Action="getMember", Name="MemberNotFoundFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getMember", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getMember", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getMember", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberResponse1 getMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getMember", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberResponse1> getMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberRequest1 request);
// CODEGEN: Generating message contract since the operation addMember is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="addMember", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="addMember", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="addMember", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.MemberAlreadyExistsFault), Action="addMember", Name="MemberAlreadyExistsFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="addMember", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberResponse1 addMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="addMember", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberResponse1> addMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberRequest1 request);
// CODEGEN: Generating message contract since the operation updateMember is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="updateMember", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.MemberNotFoundFault), Action="updateMember", Name="MemberNotFoundFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="updateMember", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="updateMember", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="updateMember", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberResponse1 updateMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="updateMember", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberResponse1> updateMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberRequest1 request);
// CODEGEN: Generating message contract since the operation deleteMember is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="deleteMember", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.MemberNotFoundFault), Action="deleteMember", Name="MemberNotFoundFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="deleteMember", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="deleteMember", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="deleteMember", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberResponse1 deleteMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="deleteMember", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberResponse1> deleteMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberRequest1 request);
// CODEGEN: Generating message contract since the operation getRooms is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getRooms", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getRooms", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getRooms", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getRooms", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsResponse1 getRooms(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getRooms", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsResponse1> getRoomsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsRequest1 request);
// CODEGEN: Generating message contract since the operation getRoom is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getRoom", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getRoom", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.RoomNotFoundFault), Action="getRoom", Name="RoomNotFoundFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getRoom", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getRoom", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomResponse1 getRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getRoom", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomResponse1> getRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomRequest1 request);
// CODEGEN: Generating message contract since the operation addRoom is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="addRoom", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="addRoom", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="addRoom", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidModeratorPINFormatFault), Action="addRoom", Name="InvalidModeratorPINFormatFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.RoomAlreadyExistsFault), Action="addRoom", Name="RoomAlreadyExistsFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="addRoom", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomResponse1 addRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="addRoom", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomResponse1> addRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomRequest1 request);
// CODEGEN: Generating message contract since the operation updateRoom is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="updateRoom", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="updateRoom", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.RoomNotFoundFault), Action="updateRoom", Name="RoomNotFoundFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="updateRoom", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidModeratorPINFormatFault), Action="updateRoom", Name="InvalidModeratorPINFormatFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.RoomAlreadyExistsFault), Action="updateRoom", Name="RoomAlreadyExistsFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="updateRoom", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomResponse1 updateRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="updateRoom", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomResponse1> updateRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomRequest1 request);
// CODEGEN: Generating message contract since the operation deleteRoom is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="deleteRoom", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="deleteRoom", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.RoomNotFoundFault), Action="deleteRoom", Name="RoomNotFoundFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="deleteRoom", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="deleteRoom", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomResponse1 deleteRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="deleteRoom", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomResponse1> deleteRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomRequest1 request);
// CODEGEN: Generating message contract since the operation getGroups is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getGroups", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getGroups", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getGroups", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getGroups", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsResponse1 getGroups(VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getGroups", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsResponse1> getGroupsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsRequest1 request);
// CODEGEN: Generating message contract since the operation getGroup is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getGroup", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getGroup", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getGroup", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GroupNotFoundFault), Action="getGroup", Name="GroupNotFoundFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getGroup", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupResponse1 getGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getGroup", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupResponse1> getGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupRequest1 request);
// CODEGEN: Generating message contract since the operation addGroup is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="addGroup", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GroupAlreadyExistsFault), Action="addGroup", Name="GroupAlreadyExistsFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="addGroup", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="addGroup", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="addGroup", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupResponse1 addGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="addGroup", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupResponse1> addGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupRequest1 request);
// CODEGEN: Generating message contract since the operation updateGroup is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="updateGroup", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="updateGroup", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="updateGroup", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GroupNotFoundFault), Action="updateGroup", Name="GroupNotFoundFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="updateGroup", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupResponse1 updateGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="updateGroup", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupResponse1> updateGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupRequest1 request);
// CODEGEN: Generating message contract since the operation deleteGroup is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="deleteGroup", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="deleteGroup", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="deleteGroup", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GroupNotFoundFault), Action="deleteGroup", Name="GroupNotFoundFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="deleteGroup", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupResponse1 deleteGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="deleteGroup", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupResponse1> deleteGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupRequest1 request);
// CODEGEN: Generating message contract since the operation getParticipants is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getParticipants", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getParticipants", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getParticipants", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getParticipants", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsResponse1 getParticipants(VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getParticipants", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsResponse1> getParticipantsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsRequest1 request);
// CODEGEN: Generating message contract since the operation inviteToConference is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="inviteToConference", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="inviteToConference", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="inviteToConference", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="inviteToConference", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceResponse1 inviteToConference(VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="inviteToConference", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceResponse1> inviteToConferenceAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceRequest1 request);
// CODEGEN: Generating message contract since the operation leaveConference is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="leaveConference", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="leaveConference", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="leaveConference", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="leaveConference", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceResponse1 leaveConference(VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="leaveConference", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceResponse1> leaveConferenceAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceRequest1 request);
// CODEGEN: Generating message contract since the operation muteAudio is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="muteAudio", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="muteAudio", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="muteAudio", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="muteAudio", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioResponse1 muteAudio(VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="muteAudio", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioResponse1> muteAudioAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioRequest1 request);
// CODEGEN: Generating message contract since the operation unmuteAudio is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="unmuteAudio", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="unmuteAudio", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="unmuteAudio", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="unmuteAudio", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioResponse1 unmuteAudio(VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="unmuteAudio", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioResponse1> unmuteAudioAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioRequest1 request);
// CODEGEN: Generating message contract since the operation startVideo is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="startVideo", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="startVideo", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="startVideo", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="startVideo", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoResponse1 startVideo(VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="startVideo", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoResponse1> startVideoAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoRequest1 request);
// CODEGEN: Generating message contract since the operation stopVideo is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="stopVideo", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="stopVideo", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="stopVideo", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="stopVideo", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoResponse1 stopVideo(VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="stopVideo", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoResponse1> stopVideoAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoRequest1 request);
// CODEGEN: Generating message contract since the operation createRoomURL is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="createRoomURL", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="createRoomURL", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="createRoomURL", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="createRoomURL", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLResponse1 createRoomURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="createRoomURL", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLResponse1> createRoomURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLRequest1 request);
// CODEGEN: Generating message contract since the operation removeRoomURL is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="removeRoomURL", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="removeRoomURL", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="removeRoomURL", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="removeRoomURL", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLResponse1 removeRoomURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="removeRoomURL", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLResponse1> removeRoomURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLRequest1 request);
// CODEGEN: Generating message contract since the operation createRoomPIN is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="createRoomPIN", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="createRoomPIN", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="createRoomPIN", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="createRoomPIN", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINResponse1 createRoomPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="createRoomPIN", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINResponse1> createRoomPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINRequest1 request);
// CODEGEN: Generating message contract since the operation removeRoomPIN is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="removeRoomPIN", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="removeRoomPIN", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="removeRoomPIN", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="removeRoomPIN", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINResponse1 removeRoomPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="removeRoomPIN", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINResponse1> removeRoomPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINRequest1 request);
// CODEGEN: Generating message contract since the operation getLicenseData is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getLicenseData", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getLicenseData", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getLicenseData", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getLicenseData", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataResponse getLicenseData(VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getLicenseData", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataResponse> getLicenseDataAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataRequest1 request);
// CODEGEN: Generating message contract since the operation getPortalVersion is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getPortalVersion", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getPortalVersion", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getPortalVersion", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getPortalVersion", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionResponse1 getPortalVersion(VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionRequest request);
[System.ServiceModel.OperationContractAttribute(Action="getPortalVersion", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionResponse1> getPortalVersionAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionRequest request);
// CODEGEN: Generating message contract since the operation getRecordingProfiles is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getRecordingProfiles", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getRecordingProfiles", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getRecordingProfiles", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getRecordingProfiles", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesResponse1 getRecordingProfiles(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesRequest request);
[System.ServiceModel.OperationContractAttribute(Action="getRecordingProfiles", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesResponse1> getRecordingProfilesAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesRequest request);
// CODEGEN: Generating message contract since the operation startRecording is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="startRecording", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="startRecording", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="startRecording", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.ResourceNotAvailableFault), Action="startRecording", Name="ResourceNotAvailableFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="startRecording", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingResponse1 startRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="startRecording", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingResponse1> startRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingRequest1 request);
// CODEGEN: Generating message contract since the operation pauseRecording is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="pauseRecording", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="pauseRecording", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="pauseRecording", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="pauseRecording", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingResponse1 pauseRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="pauseRecording", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingResponse1> pauseRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingRequest1 request);
// CODEGEN: Generating message contract since the operation resumeRecording is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="resumeRecording", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="resumeRecording", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="resumeRecording", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="resumeRecording", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingResponse1 resumeRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="resumeRecording", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingResponse1> resumeRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingRequest1 request);
// CODEGEN: Generating message contract since the operation stopRecording is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="stopRecording", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="stopRecording", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="stopRecording", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="stopRecording", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingResponse1 stopRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="stopRecording", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingResponse1> stopRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingRequest1 request);
// CODEGEN: Generating message contract since the operation getLocationTags is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getLocationTags", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getLocationTags", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getLocationTags", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getLocationTags", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsResponse1 getLocationTags(VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getLocationTags", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsResponse1> getLocationTagsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsRequest1 request);
// CODEGEN: Generating message contract since the operation getWebcastURL is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getWebcastURL", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getWebcastURL", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getWebcastURL", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getWebcastURL", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLResponse1 getWebcastURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getWebcastURL", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLResponse1> getWebcastURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLRequest1 request);
// CODEGEN: Generating message contract since the operation createWebcastURL is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="createWebcastURL", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="createWebcastURL", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="createWebcastURL", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="createWebcastURL", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLResponse1 createWebcastURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="createWebcastURL", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLResponse1> createWebcastURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLRequest1 request);
// CODEGEN: Generating message contract since the operation removeWebcastURL is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="removeWebcastURL", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="removeWebcastURL", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="removeWebcastURL", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="removeWebcastURL", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLResponse1 removeWebcastURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="removeWebcastURL", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLResponse1> removeWebcastURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLRequest1 request);
// CODEGEN: Generating message contract since the operation createWebcastPIN is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="createWebcastPIN", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="createWebcastPIN", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="createWebcastPIN", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="createWebcastPIN", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINResponse1 createWebcastPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="createWebcastPIN", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINResponse1> createWebcastPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINRequest1 request);
// CODEGEN: Generating message contract since the operation removeWebcastPIN is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="removeWebcastPIN", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="removeWebcastPIN", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="removeWebcastPIN", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="removeWebcastPIN", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINResponse1 removeWebcastPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="removeWebcastPIN", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINResponse1> removeWebcastPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINRequest1 request);
// CODEGEN: Generating message contract since the operation getRoomProfiles is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getRoomProfiles", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getRoomProfiles", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getRoomProfiles", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getRoomProfiles", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesResponse1 getRoomProfiles(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesRequest request);
[System.ServiceModel.OperationContractAttribute(Action="getRoomProfiles", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesResponse1> getRoomProfilesAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesRequest request);
// CODEGEN: Generating message contract since the operation getRoomProfile is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getRoomProfile", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getRoomProfile", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getRoomProfile", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getRoomProfile", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileResponse1 getRoomProfile(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getRoomProfile", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileResponse1> getRoomProfileAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileRequest1 request);
// CODEGEN: Generating message contract since the operation setRoomProfile is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="setRoomProfile", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="setRoomProfile", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="setRoomProfile", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="setRoomProfile", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileResponse1 setRoomProfile(VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="setRoomProfile", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileResponse1> setRoomProfileAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileRequest1 request);
// CODEGEN: Generating message contract since the operation removeRoomProfile is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="removeRoomProfile", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="removeRoomProfile", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="removeRoomProfile", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="removeRoomProfile", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileResponse1 removeRoomProfile(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="removeRoomProfile", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileResponse1> removeRoomProfileAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileRequest1 request);
// CODEGEN: Generating message contract since the operation createModeratorPIN is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="createRoomModeratorPIN", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="createRoomModeratorPIN", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="createRoomModeratorPIN", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidModeratorPINFormatFault), Action="createRoomModeratorPIN", Name="InvalidModeratorPINFormatFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="createRoomModeratorPIN", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINResponse1 createModeratorPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="createRoomModeratorPIN", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINResponse1> createModeratorPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINRequest1 request);
// CODEGEN: Generating message contract since the operation removeModeratorPIN is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="removeRoomModeratorPIN", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="removeRoomModeratorPIN", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="removeRoomModeratorPIN", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="removeRoomModeratorPIN", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINResponse1 removeModeratorPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="removeRoomModeratorPIN", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINResponse1> removeModeratorPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINRequest1 request);
// CODEGEN: Generating message contract since the operation getConferenceID is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="getConferenceID", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="getConferenceID", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="getConferenceID", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="getConferenceID", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDResponse1 getConferenceID(VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="getConferenceID", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDResponse1> getConferenceIDAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDRequest1 request);
// CODEGEN: Generating message contract since the operation isScheduledRoomEnabled is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="isScheduledRoomEnabled", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="isScheduledRoomEnabled", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="isScheduledRoomEnabled", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="isScheduledRoomEnabled", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledResponse isScheduledRoomEnabled(VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledRequest request);
[System.ServiceModel.OperationContractAttribute(Action="isScheduledRoomEnabled", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledResponse> isScheduledRoomEnabledAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledRequest request);
// CODEGEN: Generating message contract since the operation disableScheduledRoom is neither RPC nor document wrapped.
[System.ServiceModel.OperationContractAttribute(Action="disableScheduledRoom", ReplyAction="*")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.NotLicensedFault), Action="disableScheduledRoom", Name="NotLicensedFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.InvalidArgumentFault), Action="disableScheduledRoom", Name="InvalidArgumentFault")]
[System.ServiceModel.FaultContractAttribute(typeof(VidyoIntegration.VidyoService.VidyoPortalAdminService.GeneralFault), Action="disableScheduledRoom", Name="GeneralFault")]
[System.ServiceModel.XmlSerializerFormatAttribute(SupportFaults=true)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomResponse1 disableScheduledRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomRequest1 request);
[System.ServiceModel.OperationContractAttribute(Action="disableScheduledRoom", ReplyAction="*")]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomResponse1> disableScheduledRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomRequest1 request);
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetMembersRequest : object, System.ComponentModel.INotifyPropertyChanged {
private Filter filterField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public Filter Filter {
get {
return this.filterField;
}
set {
this.filterField = value;
this.RaisePropertyChanged("Filter");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class Filter : object, System.ComponentModel.INotifyPropertyChanged {
private System.Nullable<int> startField;
private bool startFieldSpecified;
private System.Nullable<int> limitField;
private bool limitFieldSpecified;
private string sortByField;
private System.Nullable<sortDir> dirField;
private bool dirFieldSpecified;
private string queryField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=0)]
public System.Nullable<int> start {
get {
return this.startField;
}
set {
this.startField = value;
this.RaisePropertyChanged("start");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool startSpecified {
get {
return this.startFieldSpecified;
}
set {
this.startFieldSpecified = value;
this.RaisePropertyChanged("startSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=1)]
public System.Nullable<int> limit {
get {
return this.limitField;
}
set {
this.limitField = value;
this.RaisePropertyChanged("limit");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool limitSpecified {
get {
return this.limitFieldSpecified;
}
set {
this.limitFieldSpecified = value;
this.RaisePropertyChanged("limitSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=2)]
public string sortBy {
get {
return this.sortByField;
}
set {
this.sortByField = value;
this.RaisePropertyChanged("sortBy");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=3)]
public System.Nullable<sortDir> dir {
get {
return this.dirField;
}
set {
this.dirField = value;
this.RaisePropertyChanged("dir");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool dirSpecified {
get {
return this.dirFieldSpecified;
}
set {
this.dirFieldSpecified = value;
this.RaisePropertyChanged("dirSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=4)]
public string query {
get {
return this.queryField;
}
set {
this.queryField = value;
this.RaisePropertyChanged("query");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://portal.vidyo.com/admin/v1_1")]
public enum sortDir {
/// <remarks/>
ASC,
/// <remarks/>
DESC,
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetMembersResponse : object, System.ComponentModel.INotifyPropertyChanged {
private int totalField;
private Member[] memberField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int total {
get {
return this.totalField;
}
set {
this.totalField = value;
this.RaisePropertyChanged("total");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute("member", IsNullable=true, Order=1)]
public Member[] member {
get {
return this.memberField;
}
set {
this.memberField = value;
this.RaisePropertyChanged("member");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getMembersRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMembersRequest GetMembersRequest;
public getMembersRequest1() {
}
public getMembersRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMembersRequest GetMembersRequest) {
this.GetMembersRequest = GetMembersRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getMembersResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMembersResponse GetMembersResponse;
public getMembersResponse1() {
}
public getMembersResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMembersResponse GetMembersResponse) {
this.GetMembersResponse = GetMembersResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetMemberRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int memberIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int memberID {
get {
return this.memberIDField;
}
set {
this.memberIDField = value;
this.RaisePropertyChanged("memberID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetMemberResponse : object, System.ComponentModel.INotifyPropertyChanged {
private Member memberField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public Member member {
get {
return this.memberField;
}
set {
this.memberField = value;
this.RaisePropertyChanged("member");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getMemberRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMemberRequest GetMemberRequest;
public getMemberRequest1() {
}
public getMemberRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMemberRequest GetMemberRequest) {
this.GetMemberRequest = GetMemberRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getMemberResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMemberResponse GetMemberResponse;
public getMemberResponse1() {
}
public getMemberResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMemberResponse GetMemberResponse) {
this.GetMemberResponse = GetMemberResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class AddMemberRequest : object, System.ComponentModel.INotifyPropertyChanged {
private Member memberField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public Member member {
get {
return this.memberField;
}
set {
this.memberField = value;
this.RaisePropertyChanged("member");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class AddMemberResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public enum OK {
/// <remarks/>
OK,
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class addMemberRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.AddMemberRequest AddMemberRequest;
public addMemberRequest1() {
}
public addMemberRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddMemberRequest AddMemberRequest) {
this.AddMemberRequest = AddMemberRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class addMemberResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.AddMemberResponse AddMemberResponse;
public addMemberResponse1() {
}
public addMemberResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddMemberResponse AddMemberResponse) {
this.AddMemberResponse = AddMemberResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class UpdateMemberRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int memberIDField;
private Member memberField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int memberID {
get {
return this.memberIDField;
}
set {
this.memberIDField = value;
this.RaisePropertyChanged("memberID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public Member member {
get {
return this.memberField;
}
set {
this.memberField = value;
this.RaisePropertyChanged("member");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class UpdateMemberResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class updateMemberRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateMemberRequest UpdateMemberRequest;
public updateMemberRequest1() {
}
public updateMemberRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateMemberRequest UpdateMemberRequest) {
this.UpdateMemberRequest = UpdateMemberRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class updateMemberResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateMemberResponse UpdateMemberResponse;
public updateMemberResponse1() {
}
public updateMemberResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateMemberResponse UpdateMemberResponse) {
this.UpdateMemberResponse = UpdateMemberResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class DeleteMemberRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int memberIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int memberID {
get {
return this.memberIDField;
}
set {
this.memberIDField = value;
this.RaisePropertyChanged("memberID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class DeleteMemberResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class deleteMemberRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteMemberRequest DeleteMemberRequest;
public deleteMemberRequest1() {
}
public deleteMemberRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteMemberRequest DeleteMemberRequest) {
this.DeleteMemberRequest = DeleteMemberRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class deleteMemberResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteMemberResponse DeleteMemberResponse;
public deleteMemberResponse1() {
}
public deleteMemberResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteMemberResponse DeleteMemberResponse) {
this.DeleteMemberResponse = DeleteMemberResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetRoomsRequest : object, System.ComponentModel.INotifyPropertyChanged {
private Filter filterField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public Filter Filter {
get {
return this.filterField;
}
set {
this.filterField = value;
this.RaisePropertyChanged("Filter");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetRoomsResponse : object, System.ComponentModel.INotifyPropertyChanged {
private int totalField;
private Room[] roomField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int total {
get {
return this.totalField;
}
set {
this.totalField = value;
this.RaisePropertyChanged("total");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute("room", IsNullable=true, Order=1)]
public Room[] room {
get {
return this.roomField;
}
set {
this.roomField = value;
this.RaisePropertyChanged("room");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class Room : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
private bool roomIDFieldSpecified;
private string nameField;
private RoomType roomTypeField;
private string ownerNameField;
private string extensionField;
private string groupNameField;
private RoomMode roomModeField;
private string descriptionField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool roomIDSpecified {
get {
return this.roomIDFieldSpecified;
}
set {
this.roomIDFieldSpecified = value;
this.RaisePropertyChanged("roomIDSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string name {
get {
return this.nameField;
}
set {
this.nameField = value;
this.RaisePropertyChanged("name");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=2)]
public RoomType RoomType {
get {
return this.roomTypeField;
}
set {
this.roomTypeField = value;
this.RaisePropertyChanged("RoomType");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=3)]
public string ownerName {
get {
return this.ownerNameField;
}
set {
this.ownerNameField = value;
this.RaisePropertyChanged("ownerName");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=4)]
public string extension {
get {
return this.extensionField;
}
set {
this.extensionField = value;
this.RaisePropertyChanged("extension");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=5)]
public string groupName {
get {
return this.groupNameField;
}
set {
this.groupNameField = value;
this.RaisePropertyChanged("groupName");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=6)]
public RoomMode RoomMode {
get {
return this.roomModeField;
}
set {
this.roomModeField = value;
this.RaisePropertyChanged("RoomMode");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=7)]
public string description {
get {
return this.descriptionField;
}
set {
this.descriptionField = value;
this.RaisePropertyChanged("description");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public enum RoomType {
/// <remarks/>
Personal,
/// <remarks/>
Public,
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RoomMode : object, System.ComponentModel.INotifyPropertyChanged {
private string roomURLField;
private bool isLockedField;
private bool hasPINField;
private string roomPINField;
private bool hasModeratorPINField;
private string moderatorPINField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=0)]
public string roomURL {
get {
return this.roomURLField;
}
set {
this.roomURLField = value;
this.RaisePropertyChanged("roomURL");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public bool isLocked {
get {
return this.isLockedField;
}
set {
this.isLockedField = value;
this.RaisePropertyChanged("isLocked");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=2)]
public bool hasPIN {
get {
return this.hasPINField;
}
set {
this.hasPINField = value;
this.RaisePropertyChanged("hasPIN");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=3)]
public string roomPIN {
get {
return this.roomPINField;
}
set {
this.roomPINField = value;
this.RaisePropertyChanged("roomPIN");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=4)]
public bool hasModeratorPIN {
get {
return this.hasModeratorPINField;
}
set {
this.hasModeratorPINField = value;
this.RaisePropertyChanged("hasModeratorPIN");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=5)]
public string moderatorPIN {
get {
return this.moderatorPINField;
}
set {
this.moderatorPINField = value;
this.RaisePropertyChanged("moderatorPIN");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getRoomsRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomsRequest GetRoomsRequest;
public getRoomsRequest1() {
}
public getRoomsRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomsRequest GetRoomsRequest) {
this.GetRoomsRequest = GetRoomsRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getRoomsResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomsResponse GetRoomsResponse;
public getRoomsResponse1() {
}
public getRoomsResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomsResponse GetRoomsResponse) {
this.GetRoomsResponse = GetRoomsResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetRoomRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetRoomResponse : object, System.ComponentModel.INotifyPropertyChanged {
private Room roomField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public Room room {
get {
return this.roomField;
}
set {
this.roomField = value;
this.RaisePropertyChanged("room");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getRoomRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomRequest GetRoomRequest;
public getRoomRequest1() {
}
public getRoomRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomRequest GetRoomRequest) {
this.GetRoomRequest = GetRoomRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getRoomResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomResponse GetRoomResponse;
public getRoomResponse1() {
}
public getRoomResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomResponse GetRoomResponse) {
this.GetRoomResponse = GetRoomResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class AddRoomRequest : object, System.ComponentModel.INotifyPropertyChanged {
private Room roomField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public Room room {
get {
return this.roomField;
}
set {
this.roomField = value;
this.RaisePropertyChanged("room");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class AddRoomResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class addRoomRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.AddRoomRequest AddRoomRequest;
public addRoomRequest1() {
}
public addRoomRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddRoomRequest AddRoomRequest) {
this.AddRoomRequest = AddRoomRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class addRoomResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.AddRoomResponse AddRoomResponse;
public addRoomResponse1() {
}
public addRoomResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddRoomResponse AddRoomResponse) {
this.AddRoomResponse = AddRoomResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class UpdateRoomRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
private Room roomField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public Room room {
get {
return this.roomField;
}
set {
this.roomField = value;
this.RaisePropertyChanged("room");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class UpdateRoomResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class updateRoomRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateRoomRequest UpdateRoomRequest;
public updateRoomRequest1() {
}
public updateRoomRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateRoomRequest UpdateRoomRequest) {
this.UpdateRoomRequest = UpdateRoomRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class updateRoomResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateRoomResponse UpdateRoomResponse;
public updateRoomResponse1() {
}
public updateRoomResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateRoomResponse UpdateRoomResponse) {
this.UpdateRoomResponse = UpdateRoomResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class DeleteRoomRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class DeleteRoomResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class deleteRoomRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteRoomRequest DeleteRoomRequest;
public deleteRoomRequest1() {
}
public deleteRoomRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteRoomRequest DeleteRoomRequest) {
this.DeleteRoomRequest = DeleteRoomRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class deleteRoomResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteRoomResponse DeleteRoomResponse;
public deleteRoomResponse1() {
}
public deleteRoomResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteRoomResponse DeleteRoomResponse) {
this.DeleteRoomResponse = DeleteRoomResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetGroupsRequest : object, System.ComponentModel.INotifyPropertyChanged {
private Filter filterField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public Filter Filter {
get {
return this.filterField;
}
set {
this.filterField = value;
this.RaisePropertyChanged("Filter");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetGroupsResponse : object, System.ComponentModel.INotifyPropertyChanged {
private int totalField;
private Group[] groupField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int total {
get {
return this.totalField;
}
set {
this.totalField = value;
this.RaisePropertyChanged("total");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute("group", IsNullable=true, Order=1)]
public Group[] group {
get {
return this.groupField;
}
set {
this.groupField = value;
this.RaisePropertyChanged("group");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class Group : object, System.ComponentModel.INotifyPropertyChanged {
private int groupIDField;
private bool groupIDFieldSpecified;
private string nameField;
private string roomMaxUsersField;
private string userMaxBandWidthInField;
private string userMaxBandWidthOutField;
private string descriptionField;
private bool allowRecordingField;
private bool allowRecordingFieldSpecified;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int groupID {
get {
return this.groupIDField;
}
set {
this.groupIDField = value;
this.RaisePropertyChanged("groupID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool groupIDSpecified {
get {
return this.groupIDFieldSpecified;
}
set {
this.groupIDFieldSpecified = value;
this.RaisePropertyChanged("groupIDSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string name {
get {
return this.nameField;
}
set {
this.nameField = value;
this.RaisePropertyChanged("name");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=2)]
public string roomMaxUsers {
get {
return this.roomMaxUsersField;
}
set {
this.roomMaxUsersField = value;
this.RaisePropertyChanged("roomMaxUsers");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=3)]
public string userMaxBandWidthIn {
get {
return this.userMaxBandWidthInField;
}
set {
this.userMaxBandWidthInField = value;
this.RaisePropertyChanged("userMaxBandWidthIn");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=4)]
public string userMaxBandWidthOut {
get {
return this.userMaxBandWidthOutField;
}
set {
this.userMaxBandWidthOutField = value;
this.RaisePropertyChanged("userMaxBandWidthOut");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=5)]
public string description {
get {
return this.descriptionField;
}
set {
this.descriptionField = value;
this.RaisePropertyChanged("description");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=6)]
public bool allowRecording {
get {
return this.allowRecordingField;
}
set {
this.allowRecordingField = value;
this.RaisePropertyChanged("allowRecording");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool allowRecordingSpecified {
get {
return this.allowRecordingFieldSpecified;
}
set {
this.allowRecordingFieldSpecified = value;
this.RaisePropertyChanged("allowRecordingSpecified");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getGroupsRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupsRequest GetGroupsRequest;
public getGroupsRequest1() {
}
public getGroupsRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupsRequest GetGroupsRequest) {
this.GetGroupsRequest = GetGroupsRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getGroupsResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupsResponse GetGroupsResponse;
public getGroupsResponse1() {
}
public getGroupsResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupsResponse GetGroupsResponse) {
this.GetGroupsResponse = GetGroupsResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetGroupRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int groupIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int groupID {
get {
return this.groupIDField;
}
set {
this.groupIDField = value;
this.RaisePropertyChanged("groupID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetGroupResponse : object, System.ComponentModel.INotifyPropertyChanged {
private Group groupField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public Group group {
get {
return this.groupField;
}
set {
this.groupField = value;
this.RaisePropertyChanged("group");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getGroupRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupRequest GetGroupRequest;
public getGroupRequest1() {
}
public getGroupRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupRequest GetGroupRequest) {
this.GetGroupRequest = GetGroupRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getGroupResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupResponse GetGroupResponse;
public getGroupResponse1() {
}
public getGroupResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupResponse GetGroupResponse) {
this.GetGroupResponse = GetGroupResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class AddGroupRequest : object, System.ComponentModel.INotifyPropertyChanged {
private Group groupField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public Group group {
get {
return this.groupField;
}
set {
this.groupField = value;
this.RaisePropertyChanged("group");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class AddGroupResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class addGroupRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.AddGroupRequest AddGroupRequest;
public addGroupRequest1() {
}
public addGroupRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddGroupRequest AddGroupRequest) {
this.AddGroupRequest = AddGroupRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class addGroupResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.AddGroupResponse AddGroupResponse;
public addGroupResponse1() {
}
public addGroupResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddGroupResponse AddGroupResponse) {
this.AddGroupResponse = AddGroupResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class UpdateGroupRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int groupIDField;
private Group groupField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int groupID {
get {
return this.groupIDField;
}
set {
this.groupIDField = value;
this.RaisePropertyChanged("groupID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public Group group {
get {
return this.groupField;
}
set {
this.groupField = value;
this.RaisePropertyChanged("group");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class UpdateGroupResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class updateGroupRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateGroupRequest UpdateGroupRequest;
public updateGroupRequest1() {
}
public updateGroupRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateGroupRequest UpdateGroupRequest) {
this.UpdateGroupRequest = UpdateGroupRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class updateGroupResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateGroupResponse UpdateGroupResponse;
public updateGroupResponse1() {
}
public updateGroupResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateGroupResponse UpdateGroupResponse) {
this.UpdateGroupResponse = UpdateGroupResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class DeleteGroupRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int groupIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int groupID {
get {
return this.groupIDField;
}
set {
this.groupIDField = value;
this.RaisePropertyChanged("groupID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class DeleteGroupResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class deleteGroupRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteGroupRequest DeleteGroupRequest;
public deleteGroupRequest1() {
}
public deleteGroupRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteGroupRequest DeleteGroupRequest) {
this.DeleteGroupRequest = DeleteGroupRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class deleteGroupResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteGroupResponse DeleteGroupResponse;
public deleteGroupResponse1() {
}
public deleteGroupResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteGroupResponse DeleteGroupResponse) {
this.DeleteGroupResponse = DeleteGroupResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetParticipantsRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private Filter filterField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public Filter Filter {
get {
return this.filterField;
}
set {
this.filterField = value;
this.RaisePropertyChanged("Filter");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetParticipantsResponse : object, System.ComponentModel.INotifyPropertyChanged {
private int totalField;
private System.Nullable<int> recorderIDField;
private bool recorderIDFieldSpecified;
private string recorderNameField;
private System.Nullable<bool> pausedField;
private bool pausedFieldSpecified;
private System.Nullable<bool> webcastField;
private bool webcastFieldSpecified;
private Entity[] entityField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int total {
get {
return this.totalField;
}
set {
this.totalField = value;
this.RaisePropertyChanged("total");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=1)]
public System.Nullable<int> recorderID {
get {
return this.recorderIDField;
}
set {
this.recorderIDField = value;
this.RaisePropertyChanged("recorderID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool recorderIDSpecified {
get {
return this.recorderIDFieldSpecified;
}
set {
this.recorderIDFieldSpecified = value;
this.RaisePropertyChanged("recorderIDSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=2)]
public string recorderName {
get {
return this.recorderNameField;
}
set {
this.recorderNameField = value;
this.RaisePropertyChanged("recorderName");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=3)]
public System.Nullable<bool> paused {
get {
return this.pausedField;
}
set {
this.pausedField = value;
this.RaisePropertyChanged("paused");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool pausedSpecified {
get {
return this.pausedFieldSpecified;
}
set {
this.pausedFieldSpecified = value;
this.RaisePropertyChanged("pausedSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=4)]
public System.Nullable<bool> webcast {
get {
return this.webcastField;
}
set {
this.webcastField = value;
this.RaisePropertyChanged("webcast");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool webcastSpecified {
get {
return this.webcastFieldSpecified;
}
set {
this.webcastFieldSpecified = value;
this.RaisePropertyChanged("webcastSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute("Entity", Order=5)]
public Entity[] Entity {
get {
return this.entityField;
}
set {
this.entityField = value;
this.RaisePropertyChanged("Entity");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class Entity : object, System.ComponentModel.INotifyPropertyChanged {
private int entityIDField;
private System.Nullable<int> participantIDField;
private bool participantIDFieldSpecified;
private EntityType entityTypeField;
private string displayNameField;
private string extensionField;
private string descriptionField;
private Language languageField;
private bool languageFieldSpecified;
private MemberStatus memberStatusField;
private bool memberStatusFieldSpecified;
private MemberMode memberModeField;
private bool memberModeFieldSpecified;
private bool canCallDirectField;
private bool canCallDirectFieldSpecified;
private bool canJoinMeetingField;
private bool canJoinMeetingFieldSpecified;
private RoomStatus roomStatusField;
private bool roomStatusFieldSpecified;
private RoomMode roomModeField;
private bool canControlField;
private bool canControlFieldSpecified;
private System.Nullable<bool> audioField;
private bool audioFieldSpecified;
private System.Nullable<bool> videoField;
private bool videoFieldSpecified;
private System.Nullable<bool> appshareField;
private bool appshareFieldSpecified;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int entityID {
get {
return this.entityIDField;
}
set {
this.entityIDField = value;
this.RaisePropertyChanged("entityID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=1)]
public System.Nullable<int> participantID {
get {
return this.participantIDField;
}
set {
this.participantIDField = value;
this.RaisePropertyChanged("participantID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool participantIDSpecified {
get {
return this.participantIDFieldSpecified;
}
set {
this.participantIDFieldSpecified = value;
this.RaisePropertyChanged("participantIDSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=2)]
public EntityType EntityType {
get {
return this.entityTypeField;
}
set {
this.entityTypeField = value;
this.RaisePropertyChanged("EntityType");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=3)]
public string displayName {
get {
return this.displayNameField;
}
set {
this.displayNameField = value;
this.RaisePropertyChanged("displayName");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=4)]
public string extension {
get {
return this.extensionField;
}
set {
this.extensionField = value;
this.RaisePropertyChanged("extension");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=5)]
public string description {
get {
return this.descriptionField;
}
set {
this.descriptionField = value;
this.RaisePropertyChanged("description");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=6)]
public Language Language {
get {
return this.languageField;
}
set {
this.languageField = value;
this.RaisePropertyChanged("Language");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool LanguageSpecified {
get {
return this.languageFieldSpecified;
}
set {
this.languageFieldSpecified = value;
this.RaisePropertyChanged("LanguageSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=7)]
public MemberStatus MemberStatus {
get {
return this.memberStatusField;
}
set {
this.memberStatusField = value;
this.RaisePropertyChanged("MemberStatus");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool MemberStatusSpecified {
get {
return this.memberStatusFieldSpecified;
}
set {
this.memberStatusFieldSpecified = value;
this.RaisePropertyChanged("MemberStatusSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=8)]
public MemberMode MemberMode {
get {
return this.memberModeField;
}
set {
this.memberModeField = value;
this.RaisePropertyChanged("MemberMode");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool MemberModeSpecified {
get {
return this.memberModeFieldSpecified;
}
set {
this.memberModeFieldSpecified = value;
this.RaisePropertyChanged("MemberModeSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=9)]
public bool canCallDirect {
get {
return this.canCallDirectField;
}
set {
this.canCallDirectField = value;
this.RaisePropertyChanged("canCallDirect");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool canCallDirectSpecified {
get {
return this.canCallDirectFieldSpecified;
}
set {
this.canCallDirectFieldSpecified = value;
this.RaisePropertyChanged("canCallDirectSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=10)]
public bool canJoinMeeting {
get {
return this.canJoinMeetingField;
}
set {
this.canJoinMeetingField = value;
this.RaisePropertyChanged("canJoinMeeting");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool canJoinMeetingSpecified {
get {
return this.canJoinMeetingFieldSpecified;
}
set {
this.canJoinMeetingFieldSpecified = value;
this.RaisePropertyChanged("canJoinMeetingSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=11)]
public RoomStatus RoomStatus {
get {
return this.roomStatusField;
}
set {
this.roomStatusField = value;
this.RaisePropertyChanged("RoomStatus");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool RoomStatusSpecified {
get {
return this.roomStatusFieldSpecified;
}
set {
this.roomStatusFieldSpecified = value;
this.RaisePropertyChanged("RoomStatusSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=12)]
public RoomMode RoomMode {
get {
return this.roomModeField;
}
set {
this.roomModeField = value;
this.RaisePropertyChanged("RoomMode");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=13)]
public bool canControl {
get {
return this.canControlField;
}
set {
this.canControlField = value;
this.RaisePropertyChanged("canControl");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool canControlSpecified {
get {
return this.canControlFieldSpecified;
}
set {
this.canControlFieldSpecified = value;
this.RaisePropertyChanged("canControlSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=14)]
public System.Nullable<bool> audio {
get {
return this.audioField;
}
set {
this.audioField = value;
this.RaisePropertyChanged("audio");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool audioSpecified {
get {
return this.audioFieldSpecified;
}
set {
this.audioFieldSpecified = value;
this.RaisePropertyChanged("audioSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=15)]
public System.Nullable<bool> video {
get {
return this.videoField;
}
set {
this.videoField = value;
this.RaisePropertyChanged("video");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool videoSpecified {
get {
return this.videoFieldSpecified;
}
set {
this.videoFieldSpecified = value;
this.RaisePropertyChanged("videoSpecified");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=16)]
public System.Nullable<bool> appshare {
get {
return this.appshareField;
}
set {
this.appshareField = value;
this.RaisePropertyChanged("appshare");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool appshareSpecified {
get {
return this.appshareFieldSpecified;
}
set {
this.appshareFieldSpecified = value;
this.RaisePropertyChanged("appshareSpecified");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public enum EntityType {
/// <remarks/>
Member,
/// <remarks/>
Room,
/// <remarks/>
Legacy,
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public enum MemberStatus {
/// <remarks/>
Offline,
/// <remarks/>
Online,
/// <remarks/>
Busy,
/// <remarks/>
BusyInOwnRoom,
/// <remarks/>
Ringing,
/// <remarks/>
RingAccepted,
/// <remarks/>
RingRejected,
/// <remarks/>
RingNoAnswer,
/// <remarks/>
Alerting,
/// <remarks/>
AlertCancelled,
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public enum MemberMode {
/// <remarks/>
Available,
/// <remarks/>
Away,
/// <remarks/>
DoNotDisturb,
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public enum RoomStatus {
/// <remarks/>
Empty,
/// <remarks/>
Full,
/// <remarks/>
Occupied,
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getParticipantsRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetParticipantsRequest GetParticipantsRequest;
public getParticipantsRequest1() {
}
public getParticipantsRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetParticipantsRequest GetParticipantsRequest) {
this.GetParticipantsRequest = GetParticipantsRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getParticipantsResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetParticipantsResponse GetParticipantsResponse;
public getParticipantsResponse1() {
}
public getParticipantsResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetParticipantsResponse GetParticipantsResponse) {
this.GetParticipantsResponse = GetParticipantsResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class InviteToConferenceRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private object itemField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute("entityID", typeof(int), Order=1)]
[System.Xml.Serialization.XmlElementAttribute("invite", typeof(string), Order=1)]
public object Item {
get {
return this.itemField;
}
set {
this.itemField = value;
this.RaisePropertyChanged("Item");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class InviteToConferenceResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class inviteToConferenceRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.InviteToConferenceRequest InviteToConferenceRequest;
public inviteToConferenceRequest1() {
}
public inviteToConferenceRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.InviteToConferenceRequest InviteToConferenceRequest) {
this.InviteToConferenceRequest = InviteToConferenceRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class inviteToConferenceResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.InviteToConferenceResponse InviteToConferenceResponse;
public inviteToConferenceResponse1() {
}
public inviteToConferenceResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.InviteToConferenceResponse InviteToConferenceResponse) {
this.InviteToConferenceResponse = InviteToConferenceResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class LeaveConferenceRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private int participantIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public int participantID {
get {
return this.participantIDField;
}
set {
this.participantIDField = value;
this.RaisePropertyChanged("participantID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class LeaveConferenceResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class leaveConferenceRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.LeaveConferenceRequest LeaveConferenceRequest;
public leaveConferenceRequest1() {
}
public leaveConferenceRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.LeaveConferenceRequest LeaveConferenceRequest) {
this.LeaveConferenceRequest = LeaveConferenceRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class leaveConferenceResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.LeaveConferenceResponse LeaveConferenceResponse;
public leaveConferenceResponse1() {
}
public leaveConferenceResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.LeaveConferenceResponse LeaveConferenceResponse) {
this.LeaveConferenceResponse = LeaveConferenceResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class MuteAudioRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private int participantIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public int participantID {
get {
return this.participantIDField;
}
set {
this.participantIDField = value;
this.RaisePropertyChanged("participantID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class MuteAudioResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class muteAudioRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.MuteAudioRequest MuteAudioRequest;
public muteAudioRequest1() {
}
public muteAudioRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.MuteAudioRequest MuteAudioRequest) {
this.MuteAudioRequest = MuteAudioRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class muteAudioResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.MuteAudioResponse MuteAudioResponse;
public muteAudioResponse1() {
}
public muteAudioResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.MuteAudioResponse MuteAudioResponse) {
this.MuteAudioResponse = MuteAudioResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class UnmuteAudioRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private int participantIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public int participantID {
get {
return this.participantIDField;
}
set {
this.participantIDField = value;
this.RaisePropertyChanged("participantID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class UnmuteAudioResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class unmuteAudioRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UnmuteAudioRequest UnmuteAudioRequest;
public unmuteAudioRequest1() {
}
public unmuteAudioRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.UnmuteAudioRequest UnmuteAudioRequest) {
this.UnmuteAudioRequest = UnmuteAudioRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class unmuteAudioResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UnmuteAudioResponse UnmuteAudioResponse;
public unmuteAudioResponse1() {
}
public unmuteAudioResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.UnmuteAudioResponse UnmuteAudioResponse) {
this.UnmuteAudioResponse = UnmuteAudioResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class StartVideoRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private int participantIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public int participantID {
get {
return this.participantIDField;
}
set {
this.participantIDField = value;
this.RaisePropertyChanged("participantID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class StartVideoResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class startVideoRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StartVideoRequest StartVideoRequest;
public startVideoRequest1() {
}
public startVideoRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.StartVideoRequest StartVideoRequest) {
this.StartVideoRequest = StartVideoRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class startVideoResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StartVideoResponse StartVideoResponse;
public startVideoResponse1() {
}
public startVideoResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.StartVideoResponse StartVideoResponse) {
this.StartVideoResponse = StartVideoResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class StopVideoRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private int participantIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public int participantID {
get {
return this.participantIDField;
}
set {
this.participantIDField = value;
this.RaisePropertyChanged("participantID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class StopVideoResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class stopVideoRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StopVideoRequest StopVideoRequest;
public stopVideoRequest1() {
}
public stopVideoRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.StopVideoRequest StopVideoRequest) {
this.StopVideoRequest = StopVideoRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class stopVideoResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StopVideoResponse StopVideoResponse;
public stopVideoResponse1() {
}
public stopVideoResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.StopVideoResponse StopVideoResponse) {
this.StopVideoResponse = StopVideoResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class CreateRoomURLRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class CreateRoomURLResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class createRoomURLRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomURLRequest CreateRoomURLRequest;
public createRoomURLRequest1() {
}
public createRoomURLRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomURLRequest CreateRoomURLRequest) {
this.CreateRoomURLRequest = CreateRoomURLRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class createRoomURLResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomURLResponse CreateRoomURLResponse;
public createRoomURLResponse1() {
}
public createRoomURLResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomURLResponse CreateRoomURLResponse) {
this.CreateRoomURLResponse = CreateRoomURLResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveRoomURLRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveRoomURLResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeRoomURLRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomURLRequest RemoveRoomURLRequest;
public removeRoomURLRequest1() {
}
public removeRoomURLRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomURLRequest RemoveRoomURLRequest) {
this.RemoveRoomURLRequest = RemoveRoomURLRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeRoomURLResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomURLResponse RemoveRoomURLResponse;
public removeRoomURLResponse1() {
}
public removeRoomURLResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomURLResponse RemoveRoomURLResponse) {
this.RemoveRoomURLResponse = RemoveRoomURLResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class CreateRoomPINRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
private string pINField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string PIN {
get {
return this.pINField;
}
set {
this.pINField = value;
this.RaisePropertyChanged("PIN");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class CreateRoomPINResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class createRoomPINRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomPINRequest CreateRoomPINRequest;
public createRoomPINRequest1() {
}
public createRoomPINRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomPINRequest CreateRoomPINRequest) {
this.CreateRoomPINRequest = CreateRoomPINRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class createRoomPINResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomPINResponse CreateRoomPINResponse;
public createRoomPINResponse1() {
}
public createRoomPINResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomPINResponse CreateRoomPINResponse) {
this.CreateRoomPINResponse = CreateRoomPINResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveRoomPINRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveRoomPINResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeRoomPINRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomPINRequest RemoveRoomPINRequest;
public removeRoomPINRequest1() {
}
public removeRoomPINRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomPINRequest RemoveRoomPINRequest) {
this.RemoveRoomPINRequest = RemoveRoomPINRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeRoomPINResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomPINResponse RemoveRoomPINResponse;
public removeRoomPINResponse1() {
}
public removeRoomPINResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomPINResponse RemoveRoomPINResponse) {
this.RemoveRoomPINResponse = RemoveRoomPINResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetLicenseDataRequest : object, System.ComponentModel.INotifyPropertyChanged {
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class LicenseFeatureData : object, System.ComponentModel.INotifyPropertyChanged {
private string nameField;
private string maxValueField;
private string currentValueField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string Name {
get {
return this.nameField;
}
set {
this.nameField = value;
this.RaisePropertyChanged("Name");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string MaxValue {
get {
return this.maxValueField;
}
set {
this.maxValueField = value;
this.RaisePropertyChanged("MaxValue");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=2)]
public string CurrentValue {
get {
return this.currentValueField;
}
set {
this.currentValueField = value;
this.RaisePropertyChanged("CurrentValue");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getLicenseDataRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLicenseDataRequest GetLicenseDataRequest;
public getLicenseDataRequest1() {
}
public getLicenseDataRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLicenseDataRequest GetLicenseDataRequest) {
this.GetLicenseDataRequest = GetLicenseDataRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getLicenseDataResponse {
[System.ServiceModel.MessageBodyMemberAttribute(Name="GetLicenseDataResponse", Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
[System.Xml.Serialization.XmlArrayItemAttribute("LicenseFeature", IsNullable=false)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.LicenseFeatureData[] GetLicenseDataResponse1;
public getLicenseDataResponse() {
}
public getLicenseDataResponse(VidyoIntegration.VidyoService.VidyoPortalAdminService.LicenseFeatureData[] GetLicenseDataResponse1) {
this.GetLicenseDataResponse1 = GetLicenseDataResponse1;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetPortalVersionResponse : object, System.ComponentModel.INotifyPropertyChanged {
private string portalVersionField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string portalVersion {
get {
return this.portalVersionField;
}
set {
this.portalVersionField = value;
this.RaisePropertyChanged("portalVersion");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getPortalVersionRequest {
[System.ServiceModel.MessageBodyMemberAttribute(Name="GetPortalVersionRequest", Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public object GetPortalVersionRequest1;
public getPortalVersionRequest() {
}
public getPortalVersionRequest(object GetPortalVersionRequest1) {
this.GetPortalVersionRequest1 = GetPortalVersionRequest1;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getPortalVersionResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetPortalVersionResponse GetPortalVersionResponse;
public getPortalVersionResponse1() {
}
public getPortalVersionResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetPortalVersionResponse GetPortalVersionResponse) {
this.GetPortalVersionResponse = GetPortalVersionResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetRecordingProfilesResponse : object, System.ComponentModel.INotifyPropertyChanged {
private int totalField;
private Recorder[] recorderField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int total {
get {
return this.totalField;
}
set {
this.totalField = value;
this.RaisePropertyChanged("total");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute("recorder", IsNullable=true, Order=1)]
public Recorder[] recorder {
get {
return this.recorderField;
}
set {
this.recorderField = value;
this.RaisePropertyChanged("recorder");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class Recorder : object, System.ComponentModel.INotifyPropertyChanged {
private string recorderPrefixField;
private string descriptionField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string recorderPrefix {
get {
return this.recorderPrefixField;
}
set {
this.recorderPrefixField = value;
this.RaisePropertyChanged("recorderPrefix");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string description {
get {
return this.descriptionField;
}
set {
this.descriptionField = value;
this.RaisePropertyChanged("description");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getRecordingProfilesRequest {
[System.ServiceModel.MessageBodyMemberAttribute(Name="GetRecordingProfilesRequest", Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public object GetRecordingProfilesRequest1;
public getRecordingProfilesRequest() {
}
public getRecordingProfilesRequest(object GetRecordingProfilesRequest1) {
this.GetRecordingProfilesRequest1 = GetRecordingProfilesRequest1;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getRecordingProfilesResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRecordingProfilesResponse GetRecordingProfilesResponse;
public getRecordingProfilesResponse1() {
}
public getRecordingProfilesResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRecordingProfilesResponse GetRecordingProfilesResponse) {
this.GetRecordingProfilesResponse = GetRecordingProfilesResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class StartRecordingRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private string recorderPrefixField;
private bool webcastField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string recorderPrefix {
get {
return this.recorderPrefixField;
}
set {
this.recorderPrefixField = value;
this.RaisePropertyChanged("recorderPrefix");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=2)]
public bool webcast {
get {
return this.webcastField;
}
set {
this.webcastField = value;
this.RaisePropertyChanged("webcast");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class StartRecordingResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class startRecordingRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StartRecordingRequest StartRecordingRequest;
public startRecordingRequest1() {
}
public startRecordingRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.StartRecordingRequest StartRecordingRequest) {
this.StartRecordingRequest = StartRecordingRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class startRecordingResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StartRecordingResponse StartRecordingResponse;
public startRecordingResponse1() {
}
public startRecordingResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.StartRecordingResponse StartRecordingResponse) {
this.StartRecordingResponse = StartRecordingResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class PauseRecordingRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private int recorderIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public int recorderID {
get {
return this.recorderIDField;
}
set {
this.recorderIDField = value;
this.RaisePropertyChanged("recorderID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class PauseRecordingResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class pauseRecordingRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.PauseRecordingRequest PauseRecordingRequest;
public pauseRecordingRequest1() {
}
public pauseRecordingRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.PauseRecordingRequest PauseRecordingRequest) {
this.PauseRecordingRequest = PauseRecordingRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class pauseRecordingResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.PauseRecordingResponse PauseRecordingResponse;
public pauseRecordingResponse1() {
}
public pauseRecordingResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.PauseRecordingResponse PauseRecordingResponse) {
this.PauseRecordingResponse = PauseRecordingResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class ResumeRecordingRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private int recorderIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public int recorderID {
get {
return this.recorderIDField;
}
set {
this.recorderIDField = value;
this.RaisePropertyChanged("recorderID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class ResumeRecordingResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class resumeRecordingRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.ResumeRecordingRequest ResumeRecordingRequest;
public resumeRecordingRequest1() {
}
public resumeRecordingRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.ResumeRecordingRequest ResumeRecordingRequest) {
this.ResumeRecordingRequest = ResumeRecordingRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class resumeRecordingResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.ResumeRecordingResponse ResumeRecordingResponse;
public resumeRecordingResponse1() {
}
public resumeRecordingResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.ResumeRecordingResponse ResumeRecordingResponse) {
this.ResumeRecordingResponse = ResumeRecordingResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class StopRecordingRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int conferenceIDField;
private int recorderIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public int recorderID {
get {
return this.recorderIDField;
}
set {
this.recorderIDField = value;
this.RaisePropertyChanged("recorderID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class StopRecordingResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class stopRecordingRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StopRecordingRequest StopRecordingRequest;
public stopRecordingRequest1() {
}
public stopRecordingRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.StopRecordingRequest StopRecordingRequest) {
this.StopRecordingRequest = StopRecordingRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class stopRecordingResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StopRecordingResponse StopRecordingResponse;
public stopRecordingResponse1() {
}
public stopRecordingResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.StopRecordingResponse StopRecordingResponse) {
this.StopRecordingResponse = StopRecordingResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetLocationTagsRequest : object, System.ComponentModel.INotifyPropertyChanged {
private Filter filterField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public Filter Filter {
get {
return this.filterField;
}
set {
this.filterField = value;
this.RaisePropertyChanged("Filter");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetLocationTagsResponse : object, System.ComponentModel.INotifyPropertyChanged {
private int totalField;
private Location[] locationField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int total {
get {
return this.totalField;
}
set {
this.totalField = value;
this.RaisePropertyChanged("total");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute("location", Order=1)]
public Location[] location {
get {
return this.locationField;
}
set {
this.locationField = value;
this.RaisePropertyChanged("location");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class Location : object, System.ComponentModel.INotifyPropertyChanged {
private string locationTagField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string locationTag {
get {
return this.locationTagField;
}
set {
this.locationTagField = value;
this.RaisePropertyChanged("locationTag");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getLocationTagsRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLocationTagsRequest GetLocationTagsRequest;
public getLocationTagsRequest1() {
}
public getLocationTagsRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLocationTagsRequest GetLocationTagsRequest) {
this.GetLocationTagsRequest = GetLocationTagsRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getLocationTagsResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLocationTagsResponse GetLocationTagsResponse;
public getLocationTagsResponse1() {
}
public getLocationTagsResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLocationTagsResponse GetLocationTagsResponse) {
this.GetLocationTagsResponse = GetLocationTagsResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetWebcastURLRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetWebcastURLResponse : object, System.ComponentModel.INotifyPropertyChanged {
private string webCastURLField;
private bool hasWebCastPINField;
private bool hasWebCastPINFieldSpecified;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=0)]
public string webCastURL {
get {
return this.webCastURLField;
}
set {
this.webCastURLField = value;
this.RaisePropertyChanged("webCastURL");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public bool hasWebCastPIN {
get {
return this.hasWebCastPINField;
}
set {
this.hasWebCastPINField = value;
this.RaisePropertyChanged("hasWebCastPIN");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool hasWebCastPINSpecified {
get {
return this.hasWebCastPINFieldSpecified;
}
set {
this.hasWebCastPINFieldSpecified = value;
this.RaisePropertyChanged("hasWebCastPINSpecified");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getWebcastURLRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetWebcastURLRequest GetWebcastURLRequest;
public getWebcastURLRequest1() {
}
public getWebcastURLRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetWebcastURLRequest GetWebcastURLRequest) {
this.GetWebcastURLRequest = GetWebcastURLRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getWebcastURLResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetWebcastURLResponse GetWebcastURLResponse;
public getWebcastURLResponse1() {
}
public getWebcastURLResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetWebcastURLResponse GetWebcastURLResponse) {
this.GetWebcastURLResponse = GetWebcastURLResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class CreateWebcastURLRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class CreateWebcastURLResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class createWebcastURLRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastURLRequest CreateWebcastURLRequest;
public createWebcastURLRequest1() {
}
public createWebcastURLRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastURLRequest CreateWebcastURLRequest) {
this.CreateWebcastURLRequest = CreateWebcastURLRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class createWebcastURLResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastURLResponse CreateWebcastURLResponse;
public createWebcastURLResponse1() {
}
public createWebcastURLResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastURLResponse CreateWebcastURLResponse) {
this.CreateWebcastURLResponse = CreateWebcastURLResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveWebcastURLRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveWebcastURLResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeWebcastURLRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastURLRequest RemoveWebcastURLRequest;
public removeWebcastURLRequest1() {
}
public removeWebcastURLRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastURLRequest RemoveWebcastURLRequest) {
this.RemoveWebcastURLRequest = RemoveWebcastURLRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeWebcastURLResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastURLResponse RemoveWebcastURLResponse;
public removeWebcastURLResponse1() {
}
public removeWebcastURLResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastURLResponse RemoveWebcastURLResponse) {
this.RemoveWebcastURLResponse = RemoveWebcastURLResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class CreateWebcastPINRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
private string pINField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string PIN {
get {
return this.pINField;
}
set {
this.pINField = value;
this.RaisePropertyChanged("PIN");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class CreateWebcastPINResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class createWebcastPINRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastPINRequest CreateWebcastPINRequest;
public createWebcastPINRequest1() {
}
public createWebcastPINRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastPINRequest CreateWebcastPINRequest) {
this.CreateWebcastPINRequest = CreateWebcastPINRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class createWebcastPINResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastPINResponse CreateWebcastPINResponse;
public createWebcastPINResponse1() {
}
public createWebcastPINResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastPINResponse CreateWebcastPINResponse) {
this.CreateWebcastPINResponse = CreateWebcastPINResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveWebcastPINRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveWebcastPINResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeWebcastPINRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastPINRequest RemoveWebcastPINRequest;
public removeWebcastPINRequest1() {
}
public removeWebcastPINRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastPINRequest RemoveWebcastPINRequest) {
this.RemoveWebcastPINRequest = RemoveWebcastPINRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeWebcastPINResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastPINResponse RemoveWebcastPINResponse;
public removeWebcastPINResponse1() {
}
public removeWebcastPINResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastPINResponse RemoveWebcastPINResponse) {
this.RemoveWebcastPINResponse = RemoveWebcastPINResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetRoomProfilesResponse : object, System.ComponentModel.INotifyPropertyChanged {
private int totalField;
private RoomProfile[] roomProfileField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int total {
get {
return this.totalField;
}
set {
this.totalField = value;
this.RaisePropertyChanged("total");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute("roomProfile", IsNullable=true, Order=1)]
public RoomProfile[] roomProfile {
get {
return this.roomProfileField;
}
set {
this.roomProfileField = value;
this.RaisePropertyChanged("roomProfile");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RoomProfile : object, System.ComponentModel.INotifyPropertyChanged {
private string roomProfileNameField;
private string descriptionField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public string roomProfileName {
get {
return this.roomProfileNameField;
}
set {
this.roomProfileNameField = value;
this.RaisePropertyChanged("roomProfileName");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string description {
get {
return this.descriptionField;
}
set {
this.descriptionField = value;
this.RaisePropertyChanged("description");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getRoomProfilesRequest {
[System.ServiceModel.MessageBodyMemberAttribute(Name="GetRoomProfilesRequest", Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public object GetRoomProfilesRequest1;
public getRoomProfilesRequest() {
}
public getRoomProfilesRequest(object GetRoomProfilesRequest1) {
this.GetRoomProfilesRequest1 = GetRoomProfilesRequest1;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getRoomProfilesResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomProfilesResponse GetRoomProfilesResponse;
public getRoomProfilesResponse1() {
}
public getRoomProfilesResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomProfilesResponse GetRoomProfilesResponse) {
this.GetRoomProfilesResponse = GetRoomProfilesResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetRoomProfileRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetRoomProfileResponse : object, System.ComponentModel.INotifyPropertyChanged {
private RoomProfile roomProfileField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=0)]
public RoomProfile roomProfile {
get {
return this.roomProfileField;
}
set {
this.roomProfileField = value;
this.RaisePropertyChanged("roomProfile");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getRoomProfileRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomProfileRequest GetRoomProfileRequest;
public getRoomProfileRequest1() {
}
public getRoomProfileRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomProfileRequest GetRoomProfileRequest) {
this.GetRoomProfileRequest = GetRoomProfileRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getRoomProfileResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomProfileResponse GetRoomProfileResponse;
public getRoomProfileResponse1() {
}
public getRoomProfileResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomProfileResponse GetRoomProfileResponse) {
this.GetRoomProfileResponse = GetRoomProfileResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class SetRoomProfileRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
private string roomProfileNameField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string roomProfileName {
get {
return this.roomProfileNameField;
}
set {
this.roomProfileNameField = value;
this.RaisePropertyChanged("roomProfileName");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class SetRoomProfileResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class setRoomProfileRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.SetRoomProfileRequest SetRoomProfileRequest;
public setRoomProfileRequest1() {
}
public setRoomProfileRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.SetRoomProfileRequest SetRoomProfileRequest) {
this.SetRoomProfileRequest = SetRoomProfileRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class setRoomProfileResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.SetRoomProfileResponse SetRoomProfileResponse;
public setRoomProfileResponse1() {
}
public setRoomProfileResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.SetRoomProfileResponse SetRoomProfileResponse) {
this.SetRoomProfileResponse = SetRoomProfileResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveRoomProfileRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveRoomProfileResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeRoomProfileRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomProfileRequest RemoveRoomProfileRequest;
public removeRoomProfileRequest1() {
}
public removeRoomProfileRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomProfileRequest RemoveRoomProfileRequest) {
this.RemoveRoomProfileRequest = RemoveRoomProfileRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeRoomProfileResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomProfileResponse RemoveRoomProfileResponse;
public removeRoomProfileResponse1() {
}
public removeRoomProfileResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomProfileResponse RemoveRoomProfileResponse) {
this.RemoveRoomProfileResponse = RemoveRoomProfileResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class CreateModeratorPINRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
private string pINField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=1)]
public string PIN {
get {
return this.pINField;
}
set {
this.pINField = value;
this.RaisePropertyChanged("PIN");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class CreateModeratorPINResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class createModeratorPINRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateModeratorPINRequest CreateModeratorPINRequest;
public createModeratorPINRequest1() {
}
public createModeratorPINRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateModeratorPINRequest CreateModeratorPINRequest) {
this.CreateModeratorPINRequest = CreateModeratorPINRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class createModeratorPINResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateModeratorPINResponse CreateModeratorPINResponse;
public createModeratorPINResponse1() {
}
public createModeratorPINResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateModeratorPINResponse CreateModeratorPINResponse) {
this.CreateModeratorPINResponse = CreateModeratorPINResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveModeratorPINRequest : object, System.ComponentModel.INotifyPropertyChanged {
private int roomIDField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public int roomID {
get {
return this.roomIDField;
}
set {
this.roomIDField = value;
this.RaisePropertyChanged("roomID");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class RemoveModeratorPINResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeModeratorPINRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveModeratorPINRequest RemoveModeratorPINRequest;
public removeModeratorPINRequest1() {
}
public removeModeratorPINRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveModeratorPINRequest RemoveModeratorPINRequest) {
this.RemoveModeratorPINRequest = RemoveModeratorPINRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class removeModeratorPINResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveModeratorPINResponse RemoveModeratorPINResponse;
public removeModeratorPINResponse1() {
}
public removeModeratorPINResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveModeratorPINResponse RemoveModeratorPINResponse) {
this.RemoveModeratorPINResponse = RemoveModeratorPINResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetConferenceIDRequest : object, System.ComponentModel.INotifyPropertyChanged {
private string userNameField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=0)]
public string userName {
get {
return this.userNameField;
}
set {
this.userNameField = value;
this.RaisePropertyChanged("userName");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class GetConferenceIDResponse : object, System.ComponentModel.INotifyPropertyChanged {
private System.Nullable<int> conferenceIDField;
private bool conferenceIDFieldSpecified;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(IsNullable=true, Order=0)]
public System.Nullable<int> conferenceID {
get {
return this.conferenceIDField;
}
set {
this.conferenceIDField = value;
this.RaisePropertyChanged("conferenceID");
}
}
/// <remarks/>
[System.Xml.Serialization.XmlIgnoreAttribute()]
public bool conferenceIDSpecified {
get {
return this.conferenceIDFieldSpecified;
}
set {
this.conferenceIDFieldSpecified = value;
this.RaisePropertyChanged("conferenceIDSpecified");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getConferenceIDRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetConferenceIDRequest GetConferenceIDRequest;
public getConferenceIDRequest1() {
}
public getConferenceIDRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetConferenceIDRequest GetConferenceIDRequest) {
this.GetConferenceIDRequest = GetConferenceIDRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class getConferenceIDResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetConferenceIDResponse GetConferenceIDResponse;
public getConferenceIDResponse1() {
}
public getConferenceIDResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetConferenceIDResponse GetConferenceIDResponse) {
this.GetConferenceIDResponse = GetConferenceIDResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class ScheduledRoomEnabledResponse : object, System.ComponentModel.INotifyPropertyChanged {
private bool scheduledRoomEnabledField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public bool scheduledRoomEnabled {
get {
return this.scheduledRoomEnabledField;
}
set {
this.scheduledRoomEnabledField = value;
this.RaisePropertyChanged("scheduledRoomEnabled");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class isScheduledRoomEnabledRequest {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public object ScheduledRoomEnabledRequest;
public isScheduledRoomEnabledRequest() {
}
public isScheduledRoomEnabledRequest(object ScheduledRoomEnabledRequest) {
this.ScheduledRoomEnabledRequest = ScheduledRoomEnabledRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class isScheduledRoomEnabledResponse {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.ScheduledRoomEnabledResponse ScheduledRoomEnabledResponse;
public isScheduledRoomEnabledResponse() {
}
public isScheduledRoomEnabledResponse(VidyoIntegration.VidyoService.VidyoPortalAdminService.ScheduledRoomEnabledResponse ScheduledRoomEnabledResponse) {
this.ScheduledRoomEnabledResponse = ScheduledRoomEnabledResponse;
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class DisableScheduledRoomRequest : object, System.ComponentModel.INotifyPropertyChanged {
private bool disableScheduledRoomField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public bool disableScheduledRoom {
get {
return this.disableScheduledRoomField;
}
set {
this.disableScheduledRoomField = value;
this.RaisePropertyChanged("disableScheduledRoom");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
/// <remarks/>
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.Xml", "4.0.30319.33440")]
[System.SerializableAttribute()]
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.ComponentModel.DesignerCategoryAttribute("code")]
[System.Xml.Serialization.XmlTypeAttribute(AnonymousType=true, Namespace="http://portal.vidyo.com/admin/v1_1")]
public partial class DisableScheduledRoomResponse : object, System.ComponentModel.INotifyPropertyChanged {
private OK okField;
/// <remarks/>
[System.Xml.Serialization.XmlElementAttribute(Order=0)]
public OK OK {
get {
return this.okField;
}
set {
this.okField = value;
this.RaisePropertyChanged("OK");
}
}
public event System.ComponentModel.PropertyChangedEventHandler PropertyChanged;
protected void RaisePropertyChanged(string propertyName) {
System.ComponentModel.PropertyChangedEventHandler propertyChanged = this.PropertyChanged;
if ((propertyChanged != null)) {
propertyChanged(this, new System.ComponentModel.PropertyChangedEventArgs(propertyName));
}
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class disableScheduledRoomRequest1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DisableScheduledRoomRequest DisableScheduledRoomRequest;
public disableScheduledRoomRequest1() {
}
public disableScheduledRoomRequest1(VidyoIntegration.VidyoService.VidyoPortalAdminService.DisableScheduledRoomRequest DisableScheduledRoomRequest) {
this.DisableScheduledRoomRequest = DisableScheduledRoomRequest;
}
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
[System.ServiceModel.MessageContractAttribute(IsWrapped=false)]
public partial class disableScheduledRoomResponse1 {
[System.ServiceModel.MessageBodyMemberAttribute(Namespace="http://portal.vidyo.com/admin/v1_1", Order=0)]
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DisableScheduledRoomResponse DisableScheduledRoomResponse;
public disableScheduledRoomResponse1() {
}
public disableScheduledRoomResponse1(VidyoIntegration.VidyoService.VidyoPortalAdminService.DisableScheduledRoomResponse DisableScheduledRoomResponse) {
this.DisableScheduledRoomResponse = DisableScheduledRoomResponse;
}
}
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
public interface VidyoPortalAdminServicePortTypeChannel : VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType, System.ServiceModel.IClientChannel {
}
[System.Diagnostics.DebuggerStepThroughAttribute()]
[System.CodeDom.Compiler.GeneratedCodeAttribute("System.ServiceModel", "4.0.0.0")]
public partial class VidyoPortalAdminServicePortTypeClient : System.ServiceModel.ClientBase<VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType>, VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType {
public VidyoPortalAdminServicePortTypeClient() {
}
public VidyoPortalAdminServicePortTypeClient(string endpointConfigurationName) :
base(endpointConfigurationName) {
}
public VidyoPortalAdminServicePortTypeClient(string endpointConfigurationName, string remoteAddress) :
base(endpointConfigurationName, remoteAddress) {
}
public VidyoPortalAdminServicePortTypeClient(string endpointConfigurationName, System.ServiceModel.EndpointAddress remoteAddress) :
base(endpointConfigurationName, remoteAddress) {
}
public VidyoPortalAdminServicePortTypeClient(System.ServiceModel.Channels.Binding binding, System.ServiceModel.EndpointAddress remoteAddress) :
base(binding, remoteAddress) {
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getMembers(VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersRequest1 request) {
return base.Channel.getMembers(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMembersResponse getMembers(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMembersRequest GetMembersRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersRequest1();
inValue.GetMembersRequest = GetMembersRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getMembers(inValue);
return retVal.GetMembersResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getMembersAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersRequest1 request) {
return base.Channel.getMembersAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersResponse1> getMembersAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMembersRequest GetMembersRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getMembersRequest1();
inValue.GetMembersRequest = GetMembersRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getMembersAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberRequest1 request) {
return base.Channel.getMember(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMemberResponse getMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMemberRequest GetMemberRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberRequest1();
inValue.GetMemberRequest = GetMemberRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getMember(inValue);
return retVal.GetMemberResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberRequest1 request) {
return base.Channel.getMemberAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberResponse1> getMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetMemberRequest GetMemberRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getMemberRequest1();
inValue.GetMemberRequest = GetMemberRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getMemberAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.addMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberRequest1 request) {
return base.Channel.addMember(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.AddMemberResponse addMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddMemberRequest AddMemberRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberRequest1();
inValue.AddMemberRequest = AddMemberRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).addMember(inValue);
return retVal.AddMemberResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.addMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberRequest1 request) {
return base.Channel.addMemberAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberResponse1> addMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddMemberRequest AddMemberRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.addMemberRequest1();
inValue.AddMemberRequest = AddMemberRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).addMemberAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.updateMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberRequest1 request) {
return base.Channel.updateMember(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateMemberResponse updateMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateMemberRequest UpdateMemberRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberRequest1();
inValue.UpdateMemberRequest = UpdateMemberRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).updateMember(inValue);
return retVal.UpdateMemberResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.updateMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberRequest1 request) {
return base.Channel.updateMemberAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberResponse1> updateMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateMemberRequest UpdateMemberRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.updateMemberRequest1();
inValue.UpdateMemberRequest = UpdateMemberRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).updateMemberAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.deleteMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberRequest1 request) {
return base.Channel.deleteMember(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteMemberResponse deleteMember(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteMemberRequest DeleteMemberRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberRequest1();
inValue.DeleteMemberRequest = DeleteMemberRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).deleteMember(inValue);
return retVal.DeleteMemberResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.deleteMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberRequest1 request) {
return base.Channel.deleteMemberAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberResponse1> deleteMemberAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteMemberRequest DeleteMemberRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteMemberRequest1();
inValue.DeleteMemberRequest = DeleteMemberRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).deleteMemberAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getRooms(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsRequest1 request) {
return base.Channel.getRooms(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomsResponse getRooms(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomsRequest GetRoomsRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsRequest1();
inValue.GetRoomsRequest = GetRoomsRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getRooms(inValue);
return retVal.GetRoomsResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getRoomsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsRequest1 request) {
return base.Channel.getRoomsAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsResponse1> getRoomsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomsRequest GetRoomsRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomsRequest1();
inValue.GetRoomsRequest = GetRoomsRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getRoomsAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomRequest1 request) {
return base.Channel.getRoom(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomResponse getRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomRequest GetRoomRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomRequest1();
inValue.GetRoomRequest = GetRoomRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getRoom(inValue);
return retVal.GetRoomResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomRequest1 request) {
return base.Channel.getRoomAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomResponse1> getRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomRequest GetRoomRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomRequest1();
inValue.GetRoomRequest = GetRoomRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getRoomAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.addRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomRequest1 request) {
return base.Channel.addRoom(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.AddRoomResponse addRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddRoomRequest AddRoomRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomRequest1();
inValue.AddRoomRequest = AddRoomRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).addRoom(inValue);
return retVal.AddRoomResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.addRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomRequest1 request) {
return base.Channel.addRoomAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomResponse1> addRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddRoomRequest AddRoomRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.addRoomRequest1();
inValue.AddRoomRequest = AddRoomRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).addRoomAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.updateRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomRequest1 request) {
return base.Channel.updateRoom(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateRoomResponse updateRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateRoomRequest UpdateRoomRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomRequest1();
inValue.UpdateRoomRequest = UpdateRoomRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).updateRoom(inValue);
return retVal.UpdateRoomResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.updateRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomRequest1 request) {
return base.Channel.updateRoomAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomResponse1> updateRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateRoomRequest UpdateRoomRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.updateRoomRequest1();
inValue.UpdateRoomRequest = UpdateRoomRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).updateRoomAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.deleteRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomRequest1 request) {
return base.Channel.deleteRoom(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteRoomResponse deleteRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteRoomRequest DeleteRoomRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomRequest1();
inValue.DeleteRoomRequest = DeleteRoomRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).deleteRoom(inValue);
return retVal.DeleteRoomResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.deleteRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomRequest1 request) {
return base.Channel.deleteRoomAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomResponse1> deleteRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteRoomRequest DeleteRoomRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteRoomRequest1();
inValue.DeleteRoomRequest = DeleteRoomRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).deleteRoomAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getGroups(VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsRequest1 request) {
return base.Channel.getGroups(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupsResponse getGroups(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupsRequest GetGroupsRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsRequest1();
inValue.GetGroupsRequest = GetGroupsRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getGroups(inValue);
return retVal.GetGroupsResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getGroupsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsRequest1 request) {
return base.Channel.getGroupsAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsResponse1> getGroupsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupsRequest GetGroupsRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupsRequest1();
inValue.GetGroupsRequest = GetGroupsRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getGroupsAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupRequest1 request) {
return base.Channel.getGroup(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupResponse getGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupRequest GetGroupRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupRequest1();
inValue.GetGroupRequest = GetGroupRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getGroup(inValue);
return retVal.GetGroupResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupRequest1 request) {
return base.Channel.getGroupAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupResponse1> getGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetGroupRequest GetGroupRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getGroupRequest1();
inValue.GetGroupRequest = GetGroupRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getGroupAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.addGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupRequest1 request) {
return base.Channel.addGroup(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.AddGroupResponse addGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddGroupRequest AddGroupRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupRequest1();
inValue.AddGroupRequest = AddGroupRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).addGroup(inValue);
return retVal.AddGroupResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.addGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupRequest1 request) {
return base.Channel.addGroupAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupResponse1> addGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.AddGroupRequest AddGroupRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.addGroupRequest1();
inValue.AddGroupRequest = AddGroupRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).addGroupAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.updateGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupRequest1 request) {
return base.Channel.updateGroup(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateGroupResponse updateGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateGroupRequest UpdateGroupRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupRequest1();
inValue.UpdateGroupRequest = UpdateGroupRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).updateGroup(inValue);
return retVal.UpdateGroupResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.updateGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupRequest1 request) {
return base.Channel.updateGroupAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupResponse1> updateGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.UpdateGroupRequest UpdateGroupRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.updateGroupRequest1();
inValue.UpdateGroupRequest = UpdateGroupRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).updateGroupAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.deleteGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupRequest1 request) {
return base.Channel.deleteGroup(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteGroupResponse deleteGroup(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteGroupRequest DeleteGroupRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupRequest1();
inValue.DeleteGroupRequest = DeleteGroupRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).deleteGroup(inValue);
return retVal.DeleteGroupResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.deleteGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupRequest1 request) {
return base.Channel.deleteGroupAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupResponse1> deleteGroupAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.DeleteGroupRequest DeleteGroupRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.deleteGroupRequest1();
inValue.DeleteGroupRequest = DeleteGroupRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).deleteGroupAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getParticipants(VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsRequest1 request) {
return base.Channel.getParticipants(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetParticipantsResponse getParticipants(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetParticipantsRequest GetParticipantsRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsRequest1();
inValue.GetParticipantsRequest = GetParticipantsRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getParticipants(inValue);
return retVal.GetParticipantsResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getParticipantsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsRequest1 request) {
return base.Channel.getParticipantsAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsResponse1> getParticipantsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetParticipantsRequest GetParticipantsRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getParticipantsRequest1();
inValue.GetParticipantsRequest = GetParticipantsRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getParticipantsAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.inviteToConference(VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceRequest1 request) {
return base.Channel.inviteToConference(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.InviteToConferenceResponse inviteToConference(VidyoIntegration.VidyoService.VidyoPortalAdminService.InviteToConferenceRequest InviteToConferenceRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceRequest1();
inValue.InviteToConferenceRequest = InviteToConferenceRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).inviteToConference(inValue);
return retVal.InviteToConferenceResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.inviteToConferenceAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceRequest1 request) {
return base.Channel.inviteToConferenceAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceResponse1> inviteToConferenceAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.InviteToConferenceRequest InviteToConferenceRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.inviteToConferenceRequest1();
inValue.InviteToConferenceRequest = InviteToConferenceRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).inviteToConferenceAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.leaveConference(VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceRequest1 request) {
return base.Channel.leaveConference(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.LeaveConferenceResponse leaveConference(VidyoIntegration.VidyoService.VidyoPortalAdminService.LeaveConferenceRequest LeaveConferenceRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceRequest1();
inValue.LeaveConferenceRequest = LeaveConferenceRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).leaveConference(inValue);
return retVal.LeaveConferenceResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.leaveConferenceAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceRequest1 request) {
return base.Channel.leaveConferenceAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceResponse1> leaveConferenceAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.LeaveConferenceRequest LeaveConferenceRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.leaveConferenceRequest1();
inValue.LeaveConferenceRequest = LeaveConferenceRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).leaveConferenceAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.muteAudio(VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioRequest1 request) {
return base.Channel.muteAudio(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.MuteAudioResponse muteAudio(VidyoIntegration.VidyoService.VidyoPortalAdminService.MuteAudioRequest MuteAudioRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioRequest1();
inValue.MuteAudioRequest = MuteAudioRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).muteAudio(inValue);
return retVal.MuteAudioResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.muteAudioAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioRequest1 request) {
return base.Channel.muteAudioAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioResponse1> muteAudioAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.MuteAudioRequest MuteAudioRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.muteAudioRequest1();
inValue.MuteAudioRequest = MuteAudioRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).muteAudioAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.unmuteAudio(VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioRequest1 request) {
return base.Channel.unmuteAudio(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.UnmuteAudioResponse unmuteAudio(VidyoIntegration.VidyoService.VidyoPortalAdminService.UnmuteAudioRequest UnmuteAudioRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioRequest1();
inValue.UnmuteAudioRequest = UnmuteAudioRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).unmuteAudio(inValue);
return retVal.UnmuteAudioResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.unmuteAudioAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioRequest1 request) {
return base.Channel.unmuteAudioAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioResponse1> unmuteAudioAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.UnmuteAudioRequest UnmuteAudioRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.unmuteAudioRequest1();
inValue.UnmuteAudioRequest = UnmuteAudioRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).unmuteAudioAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.startVideo(VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoRequest1 request) {
return base.Channel.startVideo(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StartVideoResponse startVideo(VidyoIntegration.VidyoService.VidyoPortalAdminService.StartVideoRequest StartVideoRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoRequest1();
inValue.StartVideoRequest = StartVideoRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).startVideo(inValue);
return retVal.StartVideoResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.startVideoAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoRequest1 request) {
return base.Channel.startVideoAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoResponse1> startVideoAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.StartVideoRequest StartVideoRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.startVideoRequest1();
inValue.StartVideoRequest = StartVideoRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).startVideoAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.stopVideo(VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoRequest1 request) {
return base.Channel.stopVideo(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StopVideoResponse stopVideo(VidyoIntegration.VidyoService.VidyoPortalAdminService.StopVideoRequest StopVideoRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoRequest1();
inValue.StopVideoRequest = StopVideoRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).stopVideo(inValue);
return retVal.StopVideoResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.stopVideoAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoRequest1 request) {
return base.Channel.stopVideoAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoResponse1> stopVideoAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.StopVideoRequest StopVideoRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.stopVideoRequest1();
inValue.StopVideoRequest = StopVideoRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).stopVideoAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.createRoomURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLRequest1 request) {
return base.Channel.createRoomURL(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomURLResponse createRoomURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomURLRequest CreateRoomURLRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLRequest1();
inValue.CreateRoomURLRequest = CreateRoomURLRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).createRoomURL(inValue);
return retVal.CreateRoomURLResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.createRoomURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLRequest1 request) {
return base.Channel.createRoomURLAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLResponse1> createRoomURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomURLRequest CreateRoomURLRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomURLRequest1();
inValue.CreateRoomURLRequest = CreateRoomURLRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).createRoomURLAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeRoomURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLRequest1 request) {
return base.Channel.removeRoomURL(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomURLResponse removeRoomURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomURLRequest RemoveRoomURLRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLRequest1();
inValue.RemoveRoomURLRequest = RemoveRoomURLRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeRoomURL(inValue);
return retVal.RemoveRoomURLResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeRoomURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLRequest1 request) {
return base.Channel.removeRoomURLAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLResponse1> removeRoomURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomURLRequest RemoveRoomURLRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomURLRequest1();
inValue.RemoveRoomURLRequest = RemoveRoomURLRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeRoomURLAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.createRoomPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINRequest1 request) {
return base.Channel.createRoomPIN(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomPINResponse createRoomPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomPINRequest CreateRoomPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINRequest1();
inValue.CreateRoomPINRequest = CreateRoomPINRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).createRoomPIN(inValue);
return retVal.CreateRoomPINResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.createRoomPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINRequest1 request) {
return base.Channel.createRoomPINAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINResponse1> createRoomPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateRoomPINRequest CreateRoomPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.createRoomPINRequest1();
inValue.CreateRoomPINRequest = CreateRoomPINRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).createRoomPINAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeRoomPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINRequest1 request) {
return base.Channel.removeRoomPIN(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomPINResponse removeRoomPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomPINRequest RemoveRoomPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINRequest1();
inValue.RemoveRoomPINRequest = RemoveRoomPINRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeRoomPIN(inValue);
return retVal.RemoveRoomPINResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeRoomPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINRequest1 request) {
return base.Channel.removeRoomPINAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINResponse1> removeRoomPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomPINRequest RemoveRoomPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomPINRequest1();
inValue.RemoveRoomPINRequest = RemoveRoomPINRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeRoomPINAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataResponse VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getLicenseData(VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataRequest1 request) {
return base.Channel.getLicenseData(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.LicenseFeatureData[] getLicenseData(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLicenseDataRequest GetLicenseDataRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataRequest1();
inValue.GetLicenseDataRequest = GetLicenseDataRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataResponse retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getLicenseData(inValue);
return retVal.GetLicenseDataResponse1;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataResponse> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getLicenseDataAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataRequest1 request) {
return base.Channel.getLicenseDataAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataResponse> getLicenseDataAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLicenseDataRequest GetLicenseDataRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getLicenseDataRequest1();
inValue.GetLicenseDataRequest = GetLicenseDataRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getLicenseDataAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getPortalVersion(VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionRequest request) {
return base.Channel.getPortalVersion(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetPortalVersionResponse getPortalVersion(object GetPortalVersionRequest1) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionRequest inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionRequest();
inValue.GetPortalVersionRequest1 = GetPortalVersionRequest1;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getPortalVersion(inValue);
return retVal.GetPortalVersionResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getPortalVersionAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionRequest request) {
return base.Channel.getPortalVersionAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionResponse1> getPortalVersionAsync(object GetPortalVersionRequest1) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionRequest inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getPortalVersionRequest();
inValue.GetPortalVersionRequest1 = GetPortalVersionRequest1;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getPortalVersionAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getRecordingProfiles(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesRequest request) {
return base.Channel.getRecordingProfiles(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRecordingProfilesResponse getRecordingProfiles(object GetRecordingProfilesRequest1) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesRequest inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesRequest();
inValue.GetRecordingProfilesRequest1 = GetRecordingProfilesRequest1;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getRecordingProfiles(inValue);
return retVal.GetRecordingProfilesResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getRecordingProfilesAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesRequest request) {
return base.Channel.getRecordingProfilesAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesResponse1> getRecordingProfilesAsync(object GetRecordingProfilesRequest1) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesRequest inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getRecordingProfilesRequest();
inValue.GetRecordingProfilesRequest1 = GetRecordingProfilesRequest1;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getRecordingProfilesAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.startRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingRequest1 request) {
return base.Channel.startRecording(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StartRecordingResponse startRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.StartRecordingRequest StartRecordingRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingRequest1();
inValue.StartRecordingRequest = StartRecordingRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).startRecording(inValue);
return retVal.StartRecordingResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.startRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingRequest1 request) {
return base.Channel.startRecordingAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingResponse1> startRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.StartRecordingRequest StartRecordingRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.startRecordingRequest1();
inValue.StartRecordingRequest = StartRecordingRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).startRecordingAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.pauseRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingRequest1 request) {
return base.Channel.pauseRecording(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.PauseRecordingResponse pauseRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.PauseRecordingRequest PauseRecordingRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingRequest1();
inValue.PauseRecordingRequest = PauseRecordingRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).pauseRecording(inValue);
return retVal.PauseRecordingResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.pauseRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingRequest1 request) {
return base.Channel.pauseRecordingAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingResponse1> pauseRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.PauseRecordingRequest PauseRecordingRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.pauseRecordingRequest1();
inValue.PauseRecordingRequest = PauseRecordingRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).pauseRecordingAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.resumeRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingRequest1 request) {
return base.Channel.resumeRecording(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.ResumeRecordingResponse resumeRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.ResumeRecordingRequest ResumeRecordingRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingRequest1();
inValue.ResumeRecordingRequest = ResumeRecordingRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).resumeRecording(inValue);
return retVal.ResumeRecordingResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.resumeRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingRequest1 request) {
return base.Channel.resumeRecordingAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingResponse1> resumeRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.ResumeRecordingRequest ResumeRecordingRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.resumeRecordingRequest1();
inValue.ResumeRecordingRequest = ResumeRecordingRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).resumeRecordingAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.stopRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingRequest1 request) {
return base.Channel.stopRecording(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.StopRecordingResponse stopRecording(VidyoIntegration.VidyoService.VidyoPortalAdminService.StopRecordingRequest StopRecordingRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingRequest1();
inValue.StopRecordingRequest = StopRecordingRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).stopRecording(inValue);
return retVal.StopRecordingResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.stopRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingRequest1 request) {
return base.Channel.stopRecordingAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingResponse1> stopRecordingAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.StopRecordingRequest StopRecordingRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.stopRecordingRequest1();
inValue.StopRecordingRequest = StopRecordingRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).stopRecordingAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getLocationTags(VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsRequest1 request) {
return base.Channel.getLocationTags(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLocationTagsResponse getLocationTags(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLocationTagsRequest GetLocationTagsRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsRequest1();
inValue.GetLocationTagsRequest = GetLocationTagsRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getLocationTags(inValue);
return retVal.GetLocationTagsResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getLocationTagsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsRequest1 request) {
return base.Channel.getLocationTagsAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsResponse1> getLocationTagsAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetLocationTagsRequest GetLocationTagsRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getLocationTagsRequest1();
inValue.GetLocationTagsRequest = GetLocationTagsRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getLocationTagsAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getWebcastURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLRequest1 request) {
return base.Channel.getWebcastURL(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetWebcastURLResponse getWebcastURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetWebcastURLRequest GetWebcastURLRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLRequest1();
inValue.GetWebcastURLRequest = GetWebcastURLRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getWebcastURL(inValue);
return retVal.GetWebcastURLResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getWebcastURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLRequest1 request) {
return base.Channel.getWebcastURLAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLResponse1> getWebcastURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetWebcastURLRequest GetWebcastURLRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getWebcastURLRequest1();
inValue.GetWebcastURLRequest = GetWebcastURLRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getWebcastURLAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.createWebcastURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLRequest1 request) {
return base.Channel.createWebcastURL(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastURLResponse createWebcastURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastURLRequest CreateWebcastURLRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLRequest1();
inValue.CreateWebcastURLRequest = CreateWebcastURLRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).createWebcastURL(inValue);
return retVal.CreateWebcastURLResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.createWebcastURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLRequest1 request) {
return base.Channel.createWebcastURLAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLResponse1> createWebcastURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastURLRequest CreateWebcastURLRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastURLRequest1();
inValue.CreateWebcastURLRequest = CreateWebcastURLRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).createWebcastURLAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeWebcastURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLRequest1 request) {
return base.Channel.removeWebcastURL(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastURLResponse removeWebcastURL(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastURLRequest RemoveWebcastURLRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLRequest1();
inValue.RemoveWebcastURLRequest = RemoveWebcastURLRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeWebcastURL(inValue);
return retVal.RemoveWebcastURLResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeWebcastURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLRequest1 request) {
return base.Channel.removeWebcastURLAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLResponse1> removeWebcastURLAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastURLRequest RemoveWebcastURLRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastURLRequest1();
inValue.RemoveWebcastURLRequest = RemoveWebcastURLRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeWebcastURLAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.createWebcastPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINRequest1 request) {
return base.Channel.createWebcastPIN(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastPINResponse createWebcastPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastPINRequest CreateWebcastPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINRequest1();
inValue.CreateWebcastPINRequest = CreateWebcastPINRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).createWebcastPIN(inValue);
return retVal.CreateWebcastPINResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.createWebcastPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINRequest1 request) {
return base.Channel.createWebcastPINAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINResponse1> createWebcastPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateWebcastPINRequest CreateWebcastPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.createWebcastPINRequest1();
inValue.CreateWebcastPINRequest = CreateWebcastPINRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).createWebcastPINAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeWebcastPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINRequest1 request) {
return base.Channel.removeWebcastPIN(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastPINResponse removeWebcastPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastPINRequest RemoveWebcastPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINRequest1();
inValue.RemoveWebcastPINRequest = RemoveWebcastPINRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeWebcastPIN(inValue);
return retVal.RemoveWebcastPINResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeWebcastPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINRequest1 request) {
return base.Channel.removeWebcastPINAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINResponse1> removeWebcastPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveWebcastPINRequest RemoveWebcastPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeWebcastPINRequest1();
inValue.RemoveWebcastPINRequest = RemoveWebcastPINRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeWebcastPINAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getRoomProfiles(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesRequest request) {
return base.Channel.getRoomProfiles(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomProfilesResponse getRoomProfiles(object GetRoomProfilesRequest1) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesRequest inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesRequest();
inValue.GetRoomProfilesRequest1 = GetRoomProfilesRequest1;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getRoomProfiles(inValue);
return retVal.GetRoomProfilesResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getRoomProfilesAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesRequest request) {
return base.Channel.getRoomProfilesAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesResponse1> getRoomProfilesAsync(object GetRoomProfilesRequest1) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesRequest inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfilesRequest();
inValue.GetRoomProfilesRequest1 = GetRoomProfilesRequest1;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getRoomProfilesAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getRoomProfile(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileRequest1 request) {
return base.Channel.getRoomProfile(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomProfileResponse getRoomProfile(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomProfileRequest GetRoomProfileRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileRequest1();
inValue.GetRoomProfileRequest = GetRoomProfileRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getRoomProfile(inValue);
return retVal.GetRoomProfileResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getRoomProfileAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileRequest1 request) {
return base.Channel.getRoomProfileAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileResponse1> getRoomProfileAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetRoomProfileRequest GetRoomProfileRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getRoomProfileRequest1();
inValue.GetRoomProfileRequest = GetRoomProfileRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getRoomProfileAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.setRoomProfile(VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileRequest1 request) {
return base.Channel.setRoomProfile(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.SetRoomProfileResponse setRoomProfile(VidyoIntegration.VidyoService.VidyoPortalAdminService.SetRoomProfileRequest SetRoomProfileRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileRequest1();
inValue.SetRoomProfileRequest = SetRoomProfileRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).setRoomProfile(inValue);
return retVal.SetRoomProfileResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.setRoomProfileAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileRequest1 request) {
return base.Channel.setRoomProfileAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileResponse1> setRoomProfileAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.SetRoomProfileRequest SetRoomProfileRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.setRoomProfileRequest1();
inValue.SetRoomProfileRequest = SetRoomProfileRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).setRoomProfileAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeRoomProfile(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileRequest1 request) {
return base.Channel.removeRoomProfile(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomProfileResponse removeRoomProfile(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomProfileRequest RemoveRoomProfileRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileRequest1();
inValue.RemoveRoomProfileRequest = RemoveRoomProfileRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeRoomProfile(inValue);
return retVal.RemoveRoomProfileResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeRoomProfileAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileRequest1 request) {
return base.Channel.removeRoomProfileAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileResponse1> removeRoomProfileAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveRoomProfileRequest RemoveRoomProfileRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeRoomProfileRequest1();
inValue.RemoveRoomProfileRequest = RemoveRoomProfileRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeRoomProfileAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.createModeratorPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINRequest1 request) {
return base.Channel.createModeratorPIN(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateModeratorPINResponse createModeratorPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateModeratorPINRequest CreateModeratorPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINRequest1();
inValue.CreateModeratorPINRequest = CreateModeratorPINRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).createModeratorPIN(inValue);
return retVal.CreateModeratorPINResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.createModeratorPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINRequest1 request) {
return base.Channel.createModeratorPINAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINResponse1> createModeratorPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.CreateModeratorPINRequest CreateModeratorPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.createModeratorPINRequest1();
inValue.CreateModeratorPINRequest = CreateModeratorPINRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).createModeratorPINAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeModeratorPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINRequest1 request) {
return base.Channel.removeModeratorPIN(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveModeratorPINResponse removeModeratorPIN(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveModeratorPINRequest RemoveModeratorPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINRequest1();
inValue.RemoveModeratorPINRequest = RemoveModeratorPINRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeModeratorPIN(inValue);
return retVal.RemoveModeratorPINResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.removeModeratorPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINRequest1 request) {
return base.Channel.removeModeratorPINAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINResponse1> removeModeratorPINAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.RemoveModeratorPINRequest RemoveModeratorPINRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.removeModeratorPINRequest1();
inValue.RemoveModeratorPINRequest = RemoveModeratorPINRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).removeModeratorPINAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getConferenceID(VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDRequest1 request) {
return base.Channel.getConferenceID(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.GetConferenceIDResponse getConferenceID(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetConferenceIDRequest GetConferenceIDRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDRequest1();
inValue.GetConferenceIDRequest = GetConferenceIDRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getConferenceID(inValue);
return retVal.GetConferenceIDResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.getConferenceIDAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDRequest1 request) {
return base.Channel.getConferenceIDAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDResponse1> getConferenceIDAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.GetConferenceIDRequest GetConferenceIDRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.getConferenceIDRequest1();
inValue.GetConferenceIDRequest = GetConferenceIDRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).getConferenceIDAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledResponse VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.isScheduledRoomEnabled(VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledRequest request) {
return base.Channel.isScheduledRoomEnabled(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.ScheduledRoomEnabledResponse isScheduledRoomEnabled(object ScheduledRoomEnabledRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledRequest inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledRequest();
inValue.ScheduledRoomEnabledRequest = ScheduledRoomEnabledRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledResponse retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).isScheduledRoomEnabled(inValue);
return retVal.ScheduledRoomEnabledResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledResponse> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.isScheduledRoomEnabledAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledRequest request) {
return base.Channel.isScheduledRoomEnabledAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledResponse> isScheduledRoomEnabledAsync(object ScheduledRoomEnabledRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledRequest inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.isScheduledRoomEnabledRequest();
inValue.ScheduledRoomEnabledRequest = ScheduledRoomEnabledRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).isScheduledRoomEnabledAsync(inValue);
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomResponse1 VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.disableScheduledRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomRequest1 request) {
return base.Channel.disableScheduledRoom(request);
}
public VidyoIntegration.VidyoService.VidyoPortalAdminService.DisableScheduledRoomResponse disableScheduledRoom(VidyoIntegration.VidyoService.VidyoPortalAdminService.DisableScheduledRoomRequest DisableScheduledRoomRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomRequest1();
inValue.DisableScheduledRoomRequest = DisableScheduledRoomRequest;
VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomResponse1 retVal = ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).disableScheduledRoom(inValue);
return retVal.DisableScheduledRoomResponse;
}
[System.ComponentModel.EditorBrowsableAttribute(System.ComponentModel.EditorBrowsableState.Advanced)]
System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomResponse1> VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType.disableScheduledRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomRequest1 request) {
return base.Channel.disableScheduledRoomAsync(request);
}
public System.Threading.Tasks.Task<VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomResponse1> disableScheduledRoomAsync(VidyoIntegration.VidyoService.VidyoPortalAdminService.DisableScheduledRoomRequest DisableScheduledRoomRequest) {
VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomRequest1 inValue = new VidyoIntegration.VidyoService.VidyoPortalAdminService.disableScheduledRoomRequest1();
inValue.DisableScheduledRoomRequest = DisableScheduledRoomRequest;
return ((VidyoIntegration.VidyoService.VidyoPortalAdminService.VidyoPortalAdminServicePortType)(this)).disableScheduledRoomAsync(inValue);
}
}
}
| 28,545
|
https://github.com/jonyboy2000/ImeSharp/blob/master/ImeSharp/Native/NativeMethodsIMM32.cs
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
ImeSharp
|
jonyboy2000
|
C#
|
Code
| 646
| 2,035
|
using System;
using System.Runtime.InteropServices;
namespace ImeSharp.Native
{
public partial class NativeMethods
{
#region Constants
public const int WM_IME_SETCONTEXT = 0x0281;
public const int WM_IME_NOTIFY = 0x0282;
public const int WM_IME_CONTROL = 0x0283;
public const int WM_IME_COMPOSITIONFULL = 0x0284;
public const int WM_IME_SELECT = 0x0285;
public const int WM_IME_CHAR = 0x0286;
public const int WM_IME_REQUEST = 0x0288;
public const int WM_IME_KEYDOWN = 0x0290;
public const int WM_IME_KEYUP = 0x0291;
public const int WM_IME_STARTCOMPOSITION = 0x010D;
public const int WM_IME_ENDCOMPOSITION = 0x010E;
public const int WM_IME_COMPOSITION = 0x010F;
public const int WM_IME_KEYLAST = 0x010F;
// wParam of report message WM_IME_NOTIFY
public const int IMN_CLOSESTATUSWINDOW = 0x0001;
public const int IMN_OPENSTATUSWINDOW = 0x0002;
public const int IMN_CHANGECANDIDATE = 0x0003;
public const int IMN_CLOSECANDIDATE = 0x0004;
public const int IMN_OPENCANDIDATE = 0x0005;
public const int IMN_SETCONVERSIONMODE = 0x0006;
public const int IMN_SETSENTENCEMODE = 0x0007;
public const int IMN_SETOPENSTATUS = 0x0008;
public const int IMN_SETCANDIDATEPOS = 0x0009;
public const int IMN_SETCOMPOSITIONFONT = 0x000A;
public const int IMN_SETCOMPOSITIONWINDOW = 0x000B;
public const int IMN_SETSTATUSWINDOWPOS = 0x000C;
public const int IMN_GUIDELINE = 0x000D;
public const int IMN_PRIVATE = 0x000E;
// wParam of report message WM_IME_REQUEST
public const int IMR_COMPOSITIONWINDOW = 0x0001;
public const int IMR_CANDIDATEWINDOW = 0x0002;
public const int IMR_COMPOSITIONFONT = 0x0003;
public const int IMR_RECONVERTSTRING = 0x0004;
public const int IMR_CONFIRMRECONVERTSTRING = 0x0005;
public const int IMR_QUERYCHARPOSITION = 0x0006;
public const int IMR_DOCUMENTFEED = 0x0007;
// parameter of ImmGetCompositionString
public const int GCS_COMPREADSTR = 0x0001;
public const int GCS_COMPREADATTR = 0x0002;
public const int GCS_COMPREADCLAUSE = 0x0004;
public const int GCS_COMPSTR = 0x0008;
public const int GCS_COMPATTR = 0x0010;
public const int GCS_COMPCLAUSE = 0x0020;
public const int GCS_CURSORPOS = 0x0080;
public const int GCS_DELTASTART = 0x0100;
public const int GCS_RESULTREADSTR = 0x0200;
public const int GCS_RESULTREADCLAUSE = 0x0400;
public const int GCS_RESULTSTR = 0x0800;
public const int GCS_RESULTCLAUSE = 0x1000;
public const int GCS_COMP = (GCS_COMPSTR | GCS_COMPATTR | GCS_COMPCLAUSE);
public const int GCS_COMPREAD = (GCS_COMPREADSTR | GCS_COMPREADATTR | GCS_COMPREADCLAUSE);
public const int GCS_RESULT = (GCS_RESULTSTR | GCS_RESULTCLAUSE);
public const int GCS_RESULTREAD = (GCS_RESULTREADSTR | GCS_RESULTREADCLAUSE);
public const int CFS_CANDIDATEPOS = 0x0040;
public const int CFS_POINT = 0x0002;
public const int CFS_EXCLUDE = 0x0080;
// lParam for WM_IME_SETCONTEXT
public const long ISC_SHOWUICANDIDATEWINDOW = 0x00000001;
public const long ISC_SHOWUICOMPOSITIONWINDOW = 0x80000000;
public const long ISC_SHOWUIGUIDELINE = 0x40000000;
public const long ISC_SHOWUIALLCANDIDATEWINDOW = 0x0000000F;
public const long ISC_SHOWUIALL = 0xC000000F;
#endregion Constants
[StructLayout(LayoutKind.Sequential)]
public unsafe struct CANDIDATELIST
{
public uint dwSize;
public uint dwStyle;
public uint dwCount;
public uint dwSelection;
public uint dwPageStart;
public uint dwPageSize;
[MarshalAs(UnmanagedType.ByValArray, SizeConst = 1, ArraySubType = UnmanagedType.U4)]
public fixed uint dwOffset[1];
}
// CANDIDATEFORM structures
[StructLayout(LayoutKind.Sequential)]
public struct CANDIDATEFORM
{
public int dwIndex;
public int dwStyle;
public TsfSharp.Point ptCurrentPos;
public TsfSharp.Rect rcArea;
}
// COMPOSITIONFORM structures
[StructLayout(LayoutKind.Sequential)]
public struct COMPOSITIONFORM
{
public int dwStyle;
public TsfSharp.Point ptCurrentPos;
public TsfSharp.Rect rcArea;
}
[DllImport("imm32.dll", SetLastError = true)]
public static extern IntPtr ImmCreateContext();
[DllImport("imm32.dll", SetLastError = true)]
public static extern bool ImmDestroyContext(IntPtr hIMC);
[DllImport("imm32.dll", SetLastError = true)]
public static extern IntPtr ImmAssociateContext(IntPtr hWnd, IntPtr hIMC);
[DllImport("imm32.dll", SetLastError = true)]
public static extern IntPtr ImmReleaseContext(IntPtr hWnd, IntPtr hIMC);
[DllImport("imm32.dll", CharSet = CharSet.Unicode)]
public static extern uint ImmGetCandidateList(IntPtr hIMC, uint deIndex, IntPtr candidateList, uint dwBufLen);
[DllImport("imm32.dll", CharSet = CharSet.Unicode, SetLastError = true)]
public static extern int ImmGetCompositionString(IntPtr hIMC, int CompositionStringFlag, IntPtr buffer, int bufferLength);
[DllImport("imm32.dll", SetLastError = true)]
public static extern IntPtr ImmGetContext(IntPtr hWnd);
[DllImport("Imm32.dll", SetLastError = true)]
public static extern bool ImmGetOpenStatus(IntPtr hIMC);
[DllImport("Imm32.dll", SetLastError = true)]
public static extern bool ImmSetOpenStatus(IntPtr hIMC, bool open);
[DllImport("imm32.dll", SetLastError = true)]
public static extern bool ImmSetCandidateWindow(IntPtr hIMC, ref CANDIDATEFORM candidateForm);
[DllImport("imm32.dll", SetLastError = true)]
public static extern int ImmSetCompositionWindow(IntPtr hIMC, ref COMPOSITIONFORM compForm);
[DllImport("user32.dll", SetLastError = true)]
public static extern bool CreateCaret(IntPtr hWnd, IntPtr hBitmap, int nWidth, int nHeight);
[DllImport("user32.dll", SetLastError = true)]
public static extern bool DestroyCaret();
[DllImport("user32.dll", SetLastError = true)]
public static extern bool SetCaretPos(int x, int y);
}
}
| 50,856
|
https://github.com/davidbertsch/atom/blob/master/packages/exception-reporting/lib/main.js
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
atom
|
davidbertsch
|
JavaScript
|
Code
| 106
| 373
|
/** @babel */
import {CompositeDisposable} from 'atom'
let reporter
function getReporter () {
if (!reporter) {
const Reporter = require('./reporter')
reporter = new Reporter()
}
return reporter
}
export default {
activate() {
this.subscriptions = new CompositeDisposable()
if (!atom.config.get('exception-reporting.userId')) {
atom.config.set('exception-reporting.userId', require('node-uuid').v4())
}
this.subscriptions.add(atom.onDidThrowError(({message, url, line, column, originalError}) => {
try {
getReporter().reportUncaughtException(originalError)
} catch (secondaryException) {
try {
console.error("Error reporting uncaught exception", secondaryException)
getReporter().reportUncaughtException(secondaryException)
} catch (error) { }
}
})
)
if (atom.onDidFailAssertion != null) {
this.subscriptions.add(atom.onDidFailAssertion(error => {
try {
getReporter().reportFailedAssertion(error)
} catch (secondaryException) {
try {
console.error("Error reporting assertion failure", secondaryException)
getReporter().reportUncaughtException(secondaryException)
} catch (error) {}
}
})
)
}
}
}
| 27,886
|
https://github.com/YoduYodu/school-projects/blob/master/school-projects/principals-of-software-development/trip-advisor-frontend/src/signin/SignIn.js
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,022
|
school-projects
|
YoduYodu
|
JavaScript
|
Code
| 191
| 753
|
import React from 'react';
import '../Page.css';
import Cookies from 'js-cookie';
export default class SignIn extends React.Component {
constructor(props) {
super(props);
this.state = {
username: '',
password: '',
};
this.getRequest = this.getRequest.bind(this);
this.redirectToSignUp = this.redirectToSignUp.bind(this);
}
getRequest() {
const username = this.state.username;
const password = this.state.password;
fetch('http://localhost:8000/users?username=' + username + '&password=' + password)
.then(res => res.json())
.then(res => {
if (res['sign_up_success']) {
Cookies.set('username', username);
alert("Sign-in succeed!");
window.location = "http://localhost:3000/";
} else {
alert("Invalid username or password");
}
});
}
redirectToSignUp() {
window.location = "http://localhost:3000/signup";
}
render() {
if (Cookies.get('username') !== undefined) {
window.location = "http://localhost:3000/";
}
return (
<div className="container">
<div className="row">
<div className="col-sm-9 col-md-7 col-lg-5 mx-auto">
<div className="card card-signin my-5">
<div className="card-body">
<h5 className="card-title text-center">Sign In</h5>
<form className="form-signin">
<div className="form-label-group">
<input type="text" id="inputEmail" className="form-control"
placeholder="Email address" required autoFocus
onChange={e => {
this.setState({username: e.target.value});
}}
/>
<label htmlFor="inputEmail">Username</label>
</div>
<div className="form-label-group">
<input type="password" id="inputPassword" className="form-control"
placeholder="Password" required
onChange={e => {
this.setState({password: e.target.value});
}}
/>
<label htmlFor="inputPassword">Password</label>
</div>
<hr/>
<button className="btn btn-lg btn-primary btn-block text-uppercase"
type="button" onClick={this.getRequest}>Sign in
</button>
<hr/>
<button className="btn btn-lg btn-success btn-block text-uppercase"
type="button" onClick={this.redirectToSignUp}>Don't have an account? Sign up
</button>
</form>
</div>
</div>
</div>
</div>
</div>
);
}
}
| 14,151
|
https://github.com/AAI-USZ/FixJS/blob/master/input/100+/before/14dfd5513d5fbaf89eae9b425157e50ec572480b_0_1.js
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
FixJS
|
AAI-USZ
|
JavaScript
|
Code
| 62
| 206
|
function() {
this.radius = 2.5;
this.position = new Vector(100, 100);
this.velocity = new Vector(0, 0);
this.acceleration = new Vector(0, 0);
this.speedLimit = 4;
this.orientation = { 'alpha': 0, 'beta': 0, 'gamma': 0 };
var self = this;
window.addEventListener('deviceorientation', function(event) {
self.orientation['alpha'] = Math.round(event.alpha);
self.orientation['beta'] = Math.round(event.beta);
self.orientation['gamma'] = Math.round(event.gamma);
self.acceleration.x = Math.round(event.gamma) / 100;
self.acceleration.y = Math.round(event.beta) / 100;
}, false);
}
| 10,272
|
https://github.com/laxmanvijay/QDM-QICore-Conversion/blob/master/MeasureAuthoringTool/src/main/java/mat/server/logging/RequestResponseLoggingFilter.java
|
Github Open Source
|
Open Source
|
CC0-1.0
| 2,022
|
QDM-QICore-Conversion
|
laxmanvijay
|
Java
|
Code
| 332
| 1,249
|
package mat.server.logging;
import mat.server.LoggedInUserUtil;
import org.apache.commons.io.IOUtils;
import org.apache.commons.lang3.StringUtils;
import org.apache.commons.logging.Log;
import org.slf4j.MDC;
import org.springframework.http.HttpStatus;
import javax.servlet.Filter;
import javax.servlet.FilterChain;
import javax.servlet.FilterConfig;
import javax.servlet.ServletException;
import javax.servlet.ServletRequest;
import javax.servlet.ServletResponse;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.servlet.http.HttpSession;
import java.io.IOException;
import java.nio.charset.StandardCharsets;
import java.util.ArrayList;
import java.util.Enumeration;
import java.util.List;
import java.util.UUID;
import java.util.stream.Collectors;
public class RequestResponseLoggingFilter implements Filter {
private static final String HEADER_TEMPLATE = "%s:\"%s\"";
public static ThreadLocal<String> logHeaders = new ThreadLocal<>();
private static final Log log = LogFactory.getLog(RequestResponseLoggingFilter.class);
@Override
public void init(FilterConfig filterConfig) {
//Empty impl
}
@Override
public void destroy() {
//Empty impl
}
@Override
public void doFilter(ServletRequest request, ServletResponse response, FilterChain chain) throws IOException, ServletException {
long start = System.currentTimeMillis();
HttpServletRequest req = new BufferingInputFilter.NonBufferingRequestWrapper((HttpServletRequest) request);
HttpServletResponse res = (HttpServletResponse) response;
setupMDC(req);
logRequest(req);
chain.doFilter(req, res);
logResponse(res, System.currentTimeMillis() - start);
clearMDC();
}
public void logRequest(HttpServletRequest request) {
if (log.isDebugEnabled()) {
String body = "";
try {
body = IOUtils.toString(request.getInputStream(), "utf-8");
} catch (IOException e) {
log.error("Cannot find body", e);
}
String headers = processRequestHeaders(request);
ServletLogging.logIncomingRequest(request.getRequestURI(),
request.getQueryString(),
request.getMethod(),
headers,
body);
}
}
private String processRequestHeaders(HttpServletRequest request) {
List<String> headers = new ArrayList<>();
Enumeration<String> headerNames = request.getHeaderNames();
while (headerNames.hasMoreElements()) {
String name = headerNames.nextElement();
String value = request.getHeader(name);
headers.add(String.format(HEADER_TEMPLATE, name, value));
}
return String.join(", ", headers);
}
private void logResponse(HttpServletResponse response, long executionTime) {
if (log.isDebugEnabled()) {
HttpStatus httpStatus = HttpStatus.resolve(response.getStatus());
String statusText = httpStatus == null ? "" : httpStatus.getReasonPhrase();
String status = response.getStatus() + " " + statusText;
String headers = processResponseHeadersForLog(response);
String body = ThreadLocalBody.getBody();
ServletLogging.logIncomingResponse(status, executionTime, headers, body);
}
}
private String processResponseHeadersForLog(HttpServletResponse response) {
return response.getHeaderNames().stream()
.map(name -> String.format(HEADER_TEMPLATE, name, response.getHeader(name)))
.collect(Collectors.joining(", "));
}
private void setupMDC(HttpServletRequest req) {
HttpSession session = req.getSession(false);
String userId = LoggedInUserUtil.getLoggedInUserId();
String sessionId = session != null ? session.getId() : null;
String transactionId = UUID.randomUUID().toString();
String requestId = UUID.randomUUID().toString();
if (StringUtils.isNotBlank(userId)) {
MDC.put("userId", userId);
}
if (StringUtils.isNotBlank(sessionId)) {
MDC.put("sessionId", sessionId);
}
MDC.put("transactionId", transactionId);
MDC.put("requestId", requestId);
StringBuilder b = new StringBuilder();
org.jboss.logging.MDC.getMap().forEach((k, v) -> b.append(" ").append(k).append("=").append(v));
b.append(" ");
logHeaders.set(b.toString());
}
private void clearMDC() {
MDC.clear();
logHeaders.remove();
}
}
| 8,386
|
https://github.com/QueremosAprobar/COLEGIO/blob/master/app/Http/Controllers/AulaController.php
|
Github Open Source
|
Open Source
|
MIT
| 2,018
|
COLEGIO
|
QueremosAprobar
|
PHP
|
Code
| 277
| 1,058
|
<?php
namespace App\Http\Controllers;
use Illuminate\Http\Request;
use App\Http\Requests;
use Illuminate\Support\Facades\DB;
//use App\Http\Requests\AulaFormRequest;
use App\aula;
class AulaController extends Controller
{
/**
* Display a listing of the resource.
*
* @return \Illuminate\Http\Response
*/
public $tabla='aulas';
public function index()
{
//
$aulas = aula::all();
return view($this->tabla.'.index',['aulas'=>$aulas]);
}
/**
* Show the form for creating a new resource.
*
* @return \Illuminate\Http\Response
*/
public function create()
{
//
return view($this->tabla.'.create');
}
/**
* Store a newly created resource in storage.
*
* @param \Illuminate\Http\Request $request
* @return \Illuminate\Http\Response
*/
public function store(Request $request)
{
//
$aula = new aula;
$aula->idaula=$request->get('idaula');
$aula->tipo=$request->get('tipo');
$aula->capacidad=$request->get('capacidad');
$aula->save();
return redirect('/aulas')->with('mensaje','Insercion Exitosa');
}
/**
* Display the specified resource.
*
* @param int $id
* @return \Illuminate\Http\Response
*/
public function show($idaula)
{
//
$aula = DB::table('aulas')->where('idaula', $idaula)->first();
return view($this->tabla.'.show',['aula'=>$aula]);
}
/**
* Show the form for editing the specified resource.
*
* @param int $id
* @return \Illuminate\Http\Response
*/
public function edit($idaula)
{
//
// $aula=aula::findOrFail($idaula);
$aula = DB::table('aulas')->where('idaula', $idaula)->first();
return view($this->tabla.'.edit',['aula'=>$aula]);
}
/**
* Update the specified resource in storage.
*
* @param \Illuminate\Http\Request $request
* @param int $id
* @return \Illuminate\Http\Response
*/
public function update(Request $request, $idaula)
{
// $aula= aula::findOrFail($idaula);
// $aula->idaula=$request->get('idaula');
// $aula->tipo=$request->get('tipo');
// $aula->capacidad=$request->get('capacidad');
// $aula ->save();
// return redirect('/aulas')->with('mensaje','Modificacion exitosa');
$id = $request->input('idaula');
$tipo = $request->input('tipo');
$cap= $request->input('capacidad');
//
DB::table('aulas')
->where('idaula', $idaula)
->update([
'idaula' => $id,
'tipo' => $tipo,
'capacidad' => $cap
]);
//
return redirect('/aulas');
}
/**
* Remove the specified resource from storage.
*
* @param int $id
* @return \Illuminate\Http\Response
*/
public function destroy($idaula)
{
// $aula = DB::table('aulas')->where('idaula', $idaula)->first();
// $aula->delete();
// return redirect('/aulas')->with('mensaje','El aula con id:'.$id.',se elimino');
DB::table('aulas')->where('idaula',$idaula)->delete();
return redirect('/aulas')->with('mensaje','El aula con id:'.$idaula.',se elimino');
}
}
| 3,694
|
https://github.com/gsakkas/nate/blob/master/data/sp14_all/0353.ml
|
Github Open Source
|
Open Source
|
BSD-3-Clause
| 2,019
|
nate
|
gsakkas
|
OCaml
|
Code
| 76
| 248
|
let rec wwhile (f,b) =
let func = f b in
let (value,boo) = func in if boo then wwhile (func, boo) else value;;
(* fix
let rec wwhile (f,b) =
let func = f b in
let (value,boo) = func in if boo then wwhile (f, value) else value;;
*)
(* changed spans
(4,49)-(4,53)
f
VarG
(4,55)-(4,58)
value
VarG
*)
(* type error slice
(2,4)-(4,72)
(2,17)-(4,70)
(3,14)-(3,15)
(3,14)-(3,17)
(4,3)-(4,70)
(4,21)-(4,25)
(4,41)-(4,47)
(4,41)-(4,59)
(4,48)-(4,59)
(4,49)-(4,53)
*)
| 13,628
|
https://github.com/qaware/findfacts/blob/master/common-da-solr/src/test/scala/de/qaware/findfacts/common/solr/MapperTest.scala
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
findfacts
|
qaware
|
Scala
|
Code
| 190
| 693
|
package de.qaware.findfacts.common.solr
import de.qaware.findfacts.common.da.api.Variant.Discriminator
import de.qaware.findfacts.common.da.api.{ChildrenField, MultiValuedField, SingleValuedField}
import de.qaware.findfacts.common.utils.DefaultEnum
import enumeratum.EnumEntry
import io.circe.generic.auto._
import org.scalatest.funsuite.AnyFunSuite
import de.qaware.findfacts.common.solr.mapper.{FromSolrDoc, ToSolrDoc}
class MapperTest extends AnyFunSuite {
case object SingleField extends SingleValuedField[String] {
override val name: String = "Single"
override val implicits: FieldImplicits[String] = FieldImplicits()
}
case object MultiField extends MultiValuedField[Int] {
override val name: String = "Multi"
override val implicits: FieldImplicits[Int] = FieldImplicits()
}
case object ChildField extends ChildrenField[SimpleTestEt] {
override val name: String = "Child"
override val implicits: FieldImplicits[SimpleTestEt] = FieldImplicits()
}
sealed trait TestKind extends EnumEntry
object Kinds extends DefaultEnum[TestKind] {
override final val values = findValues
override final val names = findNames
case object A extends TestKind
case object B extends TestKind
}
case object VariantField extends SingleValuedField[TestKind] {
override val name: String = "Variant"
override val implicits: FieldImplicits[TestKind] = FieldImplicits()
}
case class SimpleTestEt(name: SingleField.T, nums: MultiField.T)
test("simple mapper generation") {
assertCompiles("FromSolrDoc[SimpleTestEt]")
assertCompiles("ToSolrDoc[SimpleTestEt]")
}
test("nested mapper generation") {
case class NestedTestEt(name: SingleField.T, children: ChildField.T)
assertCompiles("FromSolrDoc[NestedTestEt]")
assertCompiles("ToSolrDoc[NestedTestEt]")
}
test("variant mapper generation") {
sealed trait Base
case class VariantA(name: SingleField.T) extends Base with Discriminator[TestKind, VariantField.type, Kinds.A.type]
case class VariantB(nums: MultiField.T) extends Base with Discriminator[TestKind, VariantField.type, Kinds.B.type]
assertCompiles("FromSolrDoc[Base]")
assertCompiles("ToSolrDoc[Base]")
}
}
| 10,476
|
https://github.com/YosysHQ/yosys/blob/master/techlibs/gatemate/inv_map.v
|
Github Open Source
|
Open Source
|
ISC, MIT, LicenseRef-scancode-other-copyleft, BSD-2-Clause
| 2,023
|
yosys
|
YosysHQ
|
Verilog
|
Code
| 27
| 75
|
// Any inverters not folded into LUTs are mapped to a LUT of their own
module \$__CC_NOT (input A, output Y);
CC_LUT1 #(.INIT(2'b01)) _TECHMAP_REPLACE_ (.I0(A), .O(Y));
endmodule
| 23,246
|
https://github.com/vpatzdorf/queiroz.js/blob/master/src/js/strings.js
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
queiroz.js
|
vpatzdorf
|
JavaScript
|
Code
| 38
| 134
|
/*!
* Queiroz.js: strings.js
* JavaScript Extension for Dimep Kairos
* https://github.com/viniciusknob/queiroz.js
*/
(function(Queiroz) {
/* Class Definition */
var Strings = function(key) {
return Strings._[key];
};
Strings._ = JSON.parse('__strings__');
/* Module Definition */
Queiroz.module.strings = Strings;
})(window.Queiroz);
| 28,884
|
https://github.com/VasilKalchev/ExponentMap/blob/master/doc/Doxygen/html/search/files_0.js
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
ExponentMap
|
VasilKalchev
|
JavaScript
|
Code
| 5
| 45
|
var searchData=
[
['exponentmap_2eh',['ExponentMap.h',['../_exponent_map_8h.html',1,'']]]
];
| 46,229
|
https://github.com/ksangha1/cpsc410project/blob/master/src/models/POSITION.java
|
Github Open Source
|
Open Source
|
MIT
| null |
cpsc410project
|
ksangha1
|
Java
|
Code
| 129
| 419
|
package models;
import java.lang.reflect.Array;
import java.util.ArrayList;
import java.util.Arrays;
public class POSITION {
String base;
String dir;
String node;
static ArrayList<String> validDirs = new ArrayList<>();
public POSITION(){
validDirs.add("N");
validDirs.add("S");
validDirs.add("E");
validDirs.add("W");
validDirs.add("SW");
validDirs.add("SE");
validDirs.add("NE");
validDirs.add("NW");
}
public void setBase(String base)
{
this.base = base;
}
public void setDir(String dir)
{
this.dir = dir;
}
public void setNode(String node)
{
this.node = node;
}
public String getBase(){return this.base;}
public String getDir(){return this.dir;}
public String getNode(){return this.node;}
public static boolean checkDir(String dir)
{
return validDirs.contains(dir);
}
public static String mapDir(String dir)
{
switch (dir) {
case "N": return "above";
case "S": return "below";
case "E": return "right";
case "W": return "left";
case"SW": return "below left";
case"SE": return "below right";
case"NE": return "above right";
case"NW": return "above left";
}
return "";
}
}
| 5,401
|
https://github.com/WorldWindEarth/WorldWindJava/blob/master/test/gov/nasa/worldwind/ogc/kml/KMLExportTest.java
|
Github Open Source
|
Open Source
|
Apache-2.0, MIT
| 2,022
|
WorldWindJava
|
WorldWindEarth
|
Java
|
Code
| 1,043
| 5,312
|
/*
* Copyright 2006-2009, 2017, 2020 United States Government, as represented by the
* Administrator of the National Aeronautics and Space Administration.
* All rights reserved.
*
* The NASA World Wind Java (WWJ) platform is licensed under the Apache License,
* Version 2.0 (the "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software distributed
* under the License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR
* CONDITIONS OF ANY KIND, either express or implied. See the License for the
* specific language governing permissions and limitations under the License.
*
* NASA World Wind Java (WWJ) also contains the following 3rd party Open Source
* software:
*
* Jackson Parser – Licensed under Apache 2.0
* GDAL – Licensed under MIT
* JOGL – Licensed under Berkeley Software Distribution (BSD)
* Gluegen – Licensed under Berkeley Software Distribution (BSD)
*
* A complete listing of 3rd Party software notices and licenses included in
* NASA World Wind Java (WWJ) can be found in the WorldWindJava-v2.2 3rd-party
* notices and licenses PDF found in code directory.
*/
package gov.nasa.worldwind.ogc.kml;
import gov.nasa.worldwind.*;
import gov.nasa.worldwind.avlist.AVKey;
import gov.nasa.worldwind.geom.*;
import gov.nasa.worldwind.render.*;
import gov.nasa.worldwind.util.Logging;
import gov.nasa.worldwindx.examples.kml.KMLDocumentBuilder;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.junit.runners.Parameterized;
import javax.xml.XMLConstants;
import javax.xml.stream.XMLStreamException;
import javax.xml.transform.Source;
import javax.xml.transform.stream.StreamSource;
import javax.xml.validation.*;
import java.io.*;
import java.util.*;
import static org.junit.Assert.assertTrue;
/**
* Test export of KML by writing shapes to KML and validating the resulting document against the KML schema.
*/
@RunWith(Parameterized.class)
public class KMLExportTest
{
private static ShapeAttributes normalShapeAttributes;
private static ShapeAttributes highlightShapeAttributes;
private List<Exportable> objectsToExport;
public KMLExportTest(List<Exportable> objectsToExport)
{
this.objectsToExport = objectsToExport;
}
/**
* Method to create parametrized data to drive the test.
*
* @return Collection of object[]. Each object[] holds parameters for one invocation of the test.
*/
@Parameterized.Parameters
public static Collection<Object[]> data()
{
normalShapeAttributes = new BasicShapeAttributes();
normalShapeAttributes.setInteriorMaterial(Material.BLUE);
normalShapeAttributes.setOutlineMaterial(Material.BLACK);
highlightShapeAttributes = new BasicShapeAttributes();
highlightShapeAttributes.setInteriorMaterial(Material.RED);
highlightShapeAttributes.setOutlineMaterial(Material.BLACK);
return Arrays.asList(new Object[][] {
// Export a single instance of each type of shape to its own document to test the shape exporters in isolation.
{Collections.singletonList(makePointPlacemark())},
{Collections.singletonList(makePath())},
{Collections.singletonList(makePolygon())},
{Collections.singletonList(makeExtrudedPolygon())},
{Collections.singletonList(makeSurfacePolygon())},
{Collections.singletonList(makeScreenImage())},
{Collections.singletonList(makeSurfaceSector())},
{Collections.singletonList(makeSurfacePolyline())},
{Collections.singletonList(makeSurfaceImage())},
{Collections.singletonList(makeSurfaceImageWithLatLonQuad())},
// Finally, test exporting all of the shapes to the same document.
{Arrays.asList(makePointPlacemark(),
makePath(),
makePolygon(),
makeExtrudedPolygon(),
makeSurfacePolygon(),
makeScreenImage(),
makeSurfaceSector(),
makeSurfacePolyline(),
makeSurfaceImage(),
makeSurfaceImageWithLatLonQuad())}
});
}
@Test
public void testExport() throws XMLStreamException, IOException
{
Writer stringWriter = new StringWriter();
KMLDocumentBuilder kmlBuilder = new KMLDocumentBuilder(stringWriter);
for (Exportable e : this.objectsToExport)
{
kmlBuilder.writeObject(e);
}
kmlBuilder.close();
String xmlString = stringWriter.toString();
boolean docValid = validateDocument(xmlString);
assertTrue("Exported document failed to validate", docValid);
}
@Test(expected = UnsupportedOperationException.class)
public void testKmlNotSupported() throws XMLStreamException, IOException
{
Pyramid pyramid = new Pyramid(Position.ZERO, 100, 100);
pyramid.export(KMLConstants.KML_MIME_TYPE, new StringWriter());
}
private boolean validateDocument(String doc)
{
try
{
Source source = new StreamSource(new StringReader(doc));
SchemaFactory factory = SchemaFactory.newInstance(XMLConstants.W3C_XML_SCHEMA_NS_URI);
// Load the KML GX schema, which extends the OGC KML schema. This allows us to validate documents that use
// the gx extensions.
Source schemaFile = new StreamSource(new File("testData/schemas/kml22gx.xsd"));
Schema schema = factory.newSchema(schemaFile);
Validator validator = schema.newValidator();
validator.validate(source);
return true;
}
catch (Exception e)
{
String message = Logging.getMessage("XML.ValidationFailed", e.getLocalizedMessage());
Logging.logger().warning(message);
return false;
}
}
//////////////////////////////////////////////////////////
// Methods to build test shapes
//////////////////////////////////////////////////////////
private static PointPlacemark makePointPlacemark()
{
PointPlacemark placemark = new PointPlacemark(Position.fromDegrees(37.824713, -122.370028, 0.0));
placemark.setLabelText("Treasure Island");
placemark.setValue(AVKey.SHORT_DESCRIPTION, "Sample placemark");
placemark.setValue(AVKey.BALLOON_TEXT, "This is a <b>Point Placemark</b>");
placemark.setLineEnabled(false);
placemark.setAltitudeMode(WorldWind.CLAMP_TO_GROUND);
return placemark;
}
private static Path makePath()
{
Path path = new Path();
List<Position> positions = Arrays.asList(
Position.fromDegrees(37.8304, -122.3720, 0),
Position.fromDegrees(37.8293, -122.3679, 50),
Position.fromDegrees(37.8282, -122.3710, 100));
path.setPositions(positions);
path.setExtrude(true);
path.setAttributes(normalShapeAttributes);
path.setHighlightAttributes(highlightShapeAttributes);
path.setValue(AVKey.SHORT_DESCRIPTION, "Short description of Path");
path.setValue(AVKey.BALLOON_TEXT, "This is a Path.");
return path;
}
private static Polygon makePolygon()
{
Polygon poly = new Polygon();
List<Position> outerBoundary = Arrays.asList(
Position.fromDegrees(37.8224479345424, -122.3739784354151, 50.0),
Position.fromDegrees(37.82239261906633, -122.3740285701554, 50.0),
Position.fromDegrees(37.82240608112512, -122.3744696934806, 50.0),
Position.fromDegrees(37.82228167878964, -122.3744693163394, 50.0),
Position.fromDegrees(37.82226619249474, -122.3739902862858, 50.0),
Position.fromDegrees(37.82219810227204, -122.3739510452131, 50.0),
Position.fromDegrees(37.82191990027978, -122.3742004406226, 50.0),
Position.fromDegrees(37.82186185177756, -122.3740740264531, 50.0),
Position.fromDegrees(37.82213350487949, -122.3738377669854, 50.0),
Position.fromDegrees(37.82213842777661, -122.3737599855226, 50.0),
Position.fromDegrees(37.82184815805735, -122.3735538230499, 50.0),
Position.fromDegrees(37.82188747252212, -122.3734202823307, 50.0),
Position.fromDegrees(37.82220302338508, -122.37362176179, 50.0),
Position.fromDegrees(37.8222686063349, -122.3735762207482, 50.0),
Position.fromDegrees(37.82224254303025, -122.3731468984375, 50.0),
Position.fromDegrees(37.82237319467147, -122.3731303943743, 50.0),
Position.fromDegrees(37.82238194814573, -122.3735637823936, 50.0),
Position.fromDegrees(37.82244505243797, -122.3736008458059, 50.0),
Position.fromDegrees(37.82274355652806, -122.3734009024945, 50.0),
Position.fromDegrees(37.82280084508153, -122.3735091430554, 50.0),
Position.fromDegrees(37.82251198652374, -122.3737489159765, 50.0),
Position.fromDegrees(37.82251207172572, -122.3738269699774, 50.0),
Position.fromDegrees(37.82280161524027, -122.3740332968739, 50.0),
Position.fromDegrees(37.82275318071796, -122.3741825267907, 50.0),
Position.fromDegrees(37.8224479345424, -122.3739784354151, 50.0));
List<Position> innerBoundary = Arrays.asList(
Position.fromDegrees(37.82237624346899, -122.3739179072036, 50.0),
Position.fromDegrees(37.82226147323489, -122.3739053159649, 50.0),
Position.fromDegrees(37.82221834573171, -122.3737889140025, 50.0),
Position.fromDegrees(37.82226275093125, -122.3736772434448, 50.0),
Position.fromDegrees(37.82237889526623, -122.3736727730745, 50.0),
Position.fromDegrees(37.82243486851886, -122.3737811526564, 50.0),
Position.fromDegrees(37.82237624346899, -122.3739179072036, 50.0));
poly.setOuterBoundary(outerBoundary);
poly.addInnerBoundary(innerBoundary);
poly.setAltitudeMode(WorldWind.RELATIVE_TO_GROUND);
poly.setAttributes(normalShapeAttributes);
poly.setHighlightAttributes(highlightShapeAttributes);
poly.setValue(AVKey.SHORT_DESCRIPTION, "Short description of Polygon");
poly.setValue(AVKey.BALLOON_TEXT, "This is a Polygon.");
return poly;
}
private static ExtrudedPolygon makeExtrudedPolygon()
{
List<LatLon> outerBoundary = Arrays.asList(
LatLon.fromDegrees(37.82149354446911, -122.3733560304957),
LatLon.fromDegrees(37.82117090585719, -122.373137984389),
LatLon.fromDegrees(37.82112935430661, -122.3731700720207),
LatLon.fromDegrees(37.82113506282489, -122.3735841514635),
LatLon.fromDegrees(37.82101164837017, -122.3735817496288),
LatLon.fromDegrees(37.82099914948776, -122.3731815096979),
LatLon.fromDegrees(37.82093774387397, -122.3731333692387),
LatLon.fromDegrees(37.82064954769766, -122.3733605302921),
LatLon.fromDegrees(37.82057406490976, -122.3732525187856),
LatLon.fromDegrees(37.82086416575975, -122.3729848018693),
LatLon.fromDegrees(37.82086255206195, -122.3729324258244),
LatLon.fromDegrees(37.82057205724941, -122.3727416785599),
LatLon.fromDegrees(37.82061568890014, -122.3725671569858),
LatLon.fromDegrees(37.82093295537437, -122.3727709788506),
LatLon.fromDegrees(37.82098871578818, -122.3727255708088),
LatLon.fromDegrees(37.82097808162479, -122.3723060217839),
LatLon.fromDegrees(37.82110007219308, -122.3722968671965),
LatLon.fromDegrees(37.82110373259643, -122.3726983367773),
LatLon.fromDegrees(37.82117566788379, -122.3727596225336),
LatLon.fromDegrees(37.82145563874553, -122.3725326523252),
LatLon.fromDegrees(37.82151892072805, -122.3726641448363),
LatLon.fromDegrees(37.82124069262472, -122.3728982274088),
LatLon.fromDegrees(37.82124096659101, -122.3729893447623),
LatLon.fromDegrees(37.82153635589877, -122.3731815613555),
LatLon.fromDegrees(37.82149354446911, -122.3733560304957));
List<LatLon> innerBoundary = Arrays.asList(
LatLon.fromDegrees(37.82112031091372, -122.373064499392),
LatLon.fromDegrees(37.82100759559802, -122.3730689911348),
LatLon.fromDegrees(37.820948040709, -122.3729462525036),
LatLon.fromDegrees(37.8209989651238, -122.3728227939659),
LatLon.fromDegrees(37.8211120257155, -122.3728156874424),
LatLon.fromDegrees(37.82117285576511, -122.3729373105723),
LatLon.fromDegrees(37.82112031091372, -122.373064499392));
ExtrudedPolygon poly = new ExtrudedPolygon();
poly.setOuterBoundary(outerBoundary, 50d);
poly.addInnerBoundary(innerBoundary);
poly.setAltitudeMode(WorldWind.RELATIVE_TO_GROUND);
poly.setCapAttributes(normalShapeAttributes);
poly.setSideAttributes(normalShapeAttributes);
poly.setCapHighlightAttributes(highlightShapeAttributes);
poly.setSideHighlightAttributes(highlightShapeAttributes);
poly.setValue(AVKey.SHORT_DESCRIPTION, "Short description of Extruded Polygon");
poly.setValue(AVKey.BALLOON_TEXT, "This is an Extruded Polygon.");
return poly;
}
private static SurfacePolygon makeSurfacePolygon()
{
List<LatLon> positions = Arrays.asList(
LatLon.fromDegrees(37.8117, -122.3688),
LatLon.fromDegrees(37.8098, -122.3622),
LatLon.fromDegrees(37.8083, -122.3670),
LatLon.fromDegrees(37.8117, -122.3688));
SurfacePolygon poly = new SurfacePolygon();
poly.setOuterBoundary(positions);
poly.setAttributes(normalShapeAttributes);
poly.setHighlightAttributes(highlightShapeAttributes);
poly.setValue(AVKey.SHORT_DESCRIPTION, "Short description of Surface Polygon");
poly.setValue(AVKey.BALLOON_TEXT, "This is a Surface Polygon.");
return poly;
}
private static ScreenImage makeScreenImage()
{
ScreenImage sc = new ScreenImage();
sc.setImageSource("images/pushpins/plain-yellow.png");
sc.setScreenOffset(new Offset(0.0, 0.0, AVKey.FRACTION, AVKey.FRACTION));
sc.setImageOffset(new Offset(0.0, 0.0, AVKey.FRACTION, AVKey.FRACTION));
Size size = new Size();
size.setWidth(Size.EXPLICIT_DIMENSION, 100.0, AVKey.PIXELS);
size.setHeight(Size.MAINTAIN_ASPECT_RATIO, 0.0, null);
sc.setSize(size);
return sc;
}
private static SurfaceImage makeSurfaceImage()
{
String url = "http://code.google.com/apis/kml/documentation/Images/rectangle.gif";
Sector sector = Sector.fromDegrees(60.0, 80.0, -60.0, 60.0);
return new SurfaceImage(url, sector);
}
private static SurfaceImage makeSurfaceImageWithLatLonQuad()
{
String url = "http://code.google.com/apis/kml/documentation/Images/rectangle.gif";
List<LatLon> corners = Arrays.asList(
LatLon.fromDegrees(44.160723, 81.601884),
LatLon.fromDegrees(43.665148, 83.529902),
LatLon.fromDegrees(44.248831, 82.947737),
LatLon.fromDegrees(44.321015, 81.509322));
return new SurfaceImage(url, corners);
}
private static SurfaceSector makeSurfaceSector()
{
SurfaceSector sector = new SurfaceSector(Sector.fromDegrees(60, 80, -90, -70));
sector.setAttributes(normalShapeAttributes);
sector.setHighlightAttributes(highlightShapeAttributes);
sector.setValue(AVKey.DISPLAY_NAME, "Surface Sector");
sector.setValue(AVKey.SHORT_DESCRIPTION, "Short description of Surface Sector");
sector.setValue(AVKey.BALLOON_TEXT, "This is a Surface Sector.");
return sector;
}
private static SurfacePolyline makeSurfacePolyline()
{
SurfacePolyline polyline = new SurfacePolyline();
List<LatLon> positions = Arrays.asList(
LatLon.fromDegrees(37.83, -122.37),
LatLon.fromDegrees(37.82, -122.36),
LatLon.fromDegrees(37.82, -122.37));
polyline.setLocations(positions);
polyline.setAttributes(normalShapeAttributes);
polyline.setHighlightAttributes(highlightShapeAttributes);
polyline.setValue(AVKey.DISPLAY_NAME, "Surface Polyline");
polyline.setValue(AVKey.SHORT_DESCRIPTION, "Short description of Surface Polyline");
polyline.setValue(AVKey.BALLOON_TEXT, "This is a Surface Polyline.");
return polyline;
}
}
| 26,503
|
https://github.com/DescartesNetwork/sen-lightning-tunnel/blob/master/src/os/store/page.reducer.ts
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
sen-lightning-tunnel
|
DescartesNetwork
|
TypeScript
|
Code
| 607
| 1,627
|
import { createAsyncThunk, createSlice } from '@reduxjs/toolkit'
import { account } from '@senswap/sen-js'
import PDB from 'shared/pdb'
import configs from 'os/configs'
import { env } from 'shared/runtime'
const {
register: { senreg, extra, devAppId },
} = configs
/**
* Interface & Utility
*/
export type PageState = {
register: SenReg
appIds: AppIds
}
const troubleshoot = (register: SenReg, appIds?: AppIds): AppIds => {
if (!appIds || !Array.isArray(appIds)) return []
if (env === 'development' && !appIds.includes(devAppId))
appIds.unshift(devAppId)
return appIds.filter((appId) => register[appId])
}
const fetchRegister = async () => {
try {
const res = await fetch(senreg)
return await res.json()
} catch (er) {
return {}
}
}
/**
* Store constructor
*/
const NAME = 'page'
const initialState: PageState = {
register: {},
appIds: [],
}
/**
* Actions
*/
// Must fetch register at very first of the process
export const loadRegister = createAsyncThunk(
`${NAME}/loadRegister`,
async () => {
const register = await fetchRegister()
return { register: { ...register, ...extra } }
},
)
// For sandbox only
export const installManifest = createAsyncThunk<
Partial<PageState>,
ComponentManifest,
{ state: any }
>(`${NAME}/installManifest`, async (manifest, { getState }) => {
const {
wallet: { address: walletAddress },
page: { appIds, register },
} = getState()
if (!account.isAddress(walletAddress))
throw new Error('Wallet is not connected yet.')
if (appIds.includes(manifest.appId))
throw new Error('Cannot run sandbox for an installed application.')
const newAppIds: AppIds = [...appIds]
newAppIds.push(manifest.appId)
const newRegister: SenReg = { ...register }
newRegister[manifest.appId] = manifest
return { appIds: newAppIds, register: newRegister }
})
/**
* App Actions
*/
export const loadPage = createAsyncThunk<
Partial<PageState>,
void,
{ state: any }
>(`${NAME}/loadPage`, async (_, { getState }) => {
const {
wallet: { address: walletAddress },
page: { register },
} = getState()
if (!account.isAddress(walletAddress))
throw new Error('Wallet is not connected yet.')
// Fetch user's apps
const db = new PDB(walletAddress).createInstance('sentre')
const appIds = troubleshoot(
register,
(await db.getItem('appIds')) || initialState.appIds,
)
return { appIds }
})
export const updatePage = createAsyncThunk<
Partial<PageState>,
AppIds,
{ state: any }
>(`${NAME}/updatePage`, async (appIds, { getState }) => {
const {
wallet: { address: walletAddress },
page: { register },
} = getState()
if (!account.isAddress(walletAddress))
throw new Error('Wallet is not connected yet.')
appIds = troubleshoot(register, appIds)
const db = new PDB(walletAddress).createInstance('sentre')
await db.setItem('appIds', appIds)
return { appIds }
})
export const installApp = createAsyncThunk<
Partial<PageState>,
string,
{ state: any }
>(`${NAME}/installApp`, async (appId, { getState }) => {
const {
wallet: { address: walletAddress },
page: { appIds },
} = getState()
if (!account.isAddress(walletAddress))
throw new Error('Wallet is not connected yet.')
if (appIds.includes(appId)) return {}
const newAppIds: AppIds = [...appIds]
newAppIds.push(appId)
const db = new PDB(walletAddress).createInstance('sentre')
await db.setItem('appIds', newAppIds)
return { appIds: newAppIds }
})
export const uninstallApp = createAsyncThunk<
Partial<PageState>,
string,
{ state: any }
>(`${NAME}/uninstallApp`, async (appId, { getState }) => {
const {
wallet: { address: walletAddress },
page: { appIds },
} = getState()
if (!account.isAddress(walletAddress))
throw new Error('Wallet is not connected yet.')
if (!appIds.includes(appId)) return {}
const newAppIds = appIds.filter((_appId: string) => _appId !== appId)
const pdb = new PDB(walletAddress)
const db = pdb.createInstance('sentre')
await db.setItem('appIds', newAppIds)
await pdb.dropInstance(appId)
return { appIds: newAppIds }
})
/**
* Usual procedure
*/
const slice = createSlice({
name: NAME,
initialState,
reducers: {},
extraReducers: (builder) =>
void builder
.addCase(
loadRegister.fulfilled,
(state, { payload }) => void Object.assign(state, payload),
)
.addCase(
installManifest.fulfilled,
(state, { payload }) => void Object.assign(state, payload),
)
.addCase(
loadPage.fulfilled,
(state, { payload }) => void Object.assign(state, payload),
)
.addCase(
updatePage.fulfilled,
(state, { payload }) => void Object.assign(state, payload),
)
.addCase(
installApp.fulfilled,
(state, { payload }) => void Object.assign(state, payload),
)
.addCase(
uninstallApp.fulfilled,
(state, { payload }) => void Object.assign(state, payload),
),
})
export default slice.reducer
| 17,802
|
https://github.com/naromero77/MCT/blob/master/mct/m_SparseMatrix.F90
|
Github Open Source
|
Open Source
|
BSD-2-Clause
| 2,020
|
MCT
|
naromero77
|
Fortran Free Form
|
Code
| 10,228
| 26,868
|
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!-----------------------------------------------------------------------
! CVS $Id$
! CVS $Name$
!BOP -------------------------------------------------------------------
!
! !MODULE: m_SparseMatrix -- Sparse Matrix Object
!
! !DESCRIPTION:
! The {\tt SparseMatrix} data type is MCT's object for storing sparse
! matrices. In MCT, intergrid interpolation is implemented as a sparse
! matrix-vector multiplication, with the {\tt AttrVect} type playing the
! roles of the input and output vectors. The interpolation matrices tend
! to be {\em extremely} sparse. For ${\bf x} \in \Re^{N_x}$, and
! ${\bf y} \in \Re^{N_y}$, the interpolation matrix {\bf M} used to effect
! ${\bf y} = {\bf M} {\bf x}$ will typically have ${\cal O}({N_y})$
! non-zero elements. For that reason, the {\tt SparseMatrix} type
! stores {\em only} information about non-zero matrix elements, along
! with the number of rows and columns in the full matrix. The nonzero
! matrix elements are stored in {\tt AttrVect} form (see the module
! {\tt m\_AttrVect} for more details), and the set of attributes are
! listed below:
!
!\begin{table}[htbp]
!\begin{center}
!\begin{tabular}{|l|l|l|}
!\hline
!{\bf Attribute Name} & {\bf Significance} & {\tt Type} \\
!\hline
!{\tt grow} & Global Row Index & {\tt INTEGER} \\
!\hline
!{\tt gcol} & Global Column Index & {\tt INTEGER} \\
!\hline
!{\tt lrow} & Local Row Index & {\tt INTEGER} \\
!\hline
!{\tt lcol} & Local Column Index & {\tt INTEGER} \\
!\hline
!{\tt weight} & Matrix Element ${M_{ij}}$ & {\tt REAL} \\
!\hline
!\end{tabular}
!\end{center}
!\end{table}
!
! The provision of both local and global column and row indices is
! made because this datatype can be used in either shared-memory or
! distributed-memory parallel matrix-vector products.
!
! This module contains the definition of the {\tt SparseMatrix} type,
! creation and destruction methods, a variety of accessor methods,
! routines for testing the suitability of the matrix for interpolation
! (i.e. the sum of each row is either zero or unity), and methods for
! sorting and permuting matrix entries.
!
! For better performance of the Matrix-Vector multiply on vector
! architectures, the {\tt SparseMatrix} object also contains arrays
! for holding the sparse matrix data in a more vector-friendly form.
!
!
! !INTERFACE:
module m_SparseMatrix
!
! !USES:
!
use m_realkinds, only : FP
use m_AttrVect, only : AttrVect
private ! except
! !PUBLIC TYPES:
public :: SparseMatrix ! The class data structure
Type SparseMatrix
#ifdef SEQUENCE
sequence
#endif
integer :: nrows
integer :: ncols
type(AttrVect) :: data
logical :: vecinit ! additional data for the vectorized sMat
integer,dimension(:),pointer :: row_s, row_e
integer, dimension(:,:), pointer :: tcol
real(FP), dimension(:,:), pointer :: twgt
integer :: row_max, row_min
integer :: tbl_end
End Type SparseMatrix
! !PUBLIC MEMBER FUNCTIONS:
public :: init ! Create a SparseMatrix
public :: vecinit ! Initialize the vector parts
public :: clean ! Destroy a SparseMatrix
public :: lsize ! Local number of elements
public :: indexIA ! Index integer attribute
public :: indexRA ! Index real attribute
public :: nRows ! Total number of rows
public :: nCols ! Total number of columns
public :: exportGlobalRowIndices ! Return global row indices
! for matrix elements
public :: exportGlobalColumnIndices ! Return global column indices
! for matrix elements
public :: exportLocalRowIndices ! Return local row indices
! for matrix elements
public :: exportLocalColumnIndices ! Return local column indices
! for matrix elements
public :: exportMatrixElements ! Return matrix elements
public :: importGlobalRowIndices ! Set global row indices
! using
public :: importGlobalColumnIndices ! Return global column indices
! for matrix elements
public :: importLocalRowIndices ! Return local row indices
! for matrix elements
public :: importLocalColumnIndices ! Return local column indices
! for matrix elements
public :: importMatrixElements ! Return matrix elements
public :: Copy ! Copy a SparseMatrix
public :: GlobalNumElements ! Total number of nonzero elements
public :: ComputeSparsity ! Fraction of matrix that is nonzero
public :: local_row_range ! Local (on-process) row range
public :: global_row_range ! Local (on-process) row range
public :: local_col_range ! Local (on-process) column range
public :: global_col_range ! Local (on-process) column range
public :: CheckBounds ! Check row and column values
! for out-of-bounds values
public :: row_sum ! Return SparseMatrix row sums
public :: row_sum_check ! Check SparseMatrix row sums against
! input "valid" values
public :: Sort ! Sort matrix entries to generate an
! index permutation (to be used by
! Permute()
public :: Permute ! Permute matrix entries using index
! permutation gernerated by Sort()
public :: SortPermute ! Sort/Permute matrix entries
interface init ; module procedure init_ ; end interface
interface vecinit ; module procedure vecinit_ ; end interface
interface clean ; module procedure clean_ ; end interface
interface lsize ; module procedure lsize_ ; end interface
interface indexIA ; module procedure indexIA_ ; end interface
interface indexRA ; module procedure indexRA_ ; end interface
interface nRows ; module procedure nRows_ ; end interface
interface nCols ; module procedure nCols_ ; end interface
interface exportGlobalRowIndices ; module procedure &
exportGlobalRowIndices_
end interface
interface exportGlobalColumnIndices ; module procedure &
exportGlobalColumnIndices_
end interface
interface exportLocalRowIndices ; module procedure &
exportLocalRowIndices_
end interface
interface exportLocalColumnIndices ; module procedure &
exportLocalColumnIndices_
end interface
interface exportMatrixElements ; module procedure &
exportMatrixElementsSP_, &
exportMatrixElementsDP_
end interface
interface importGlobalRowIndices ; module procedure &
importGlobalRowIndices_
end interface
interface importGlobalColumnIndices ; module procedure &
importGlobalColumnIndices_
end interface
interface importLocalRowIndices ; module procedure &
importLocalRowIndices_
end interface
interface importLocalColumnIndices ; module procedure &
importLocalColumnIndices_
end interface
interface importMatrixElements ; module procedure &
importMatrixElementsSP_, &
importMatrixElementsDP_
end interface
interface Copy ; module procedure Copy_ ; end interface
interface GlobalNumElements ; module procedure &
GlobalNumElements_
end interface
interface ComputeSparsity ; module procedure &
ComputeSparsitySP_, &
ComputeSparsityDP_
end interface
interface local_row_range ; module procedure &
local_row_range_
end interface
interface global_row_range ; module procedure &
global_row_range_
end interface
interface local_col_range ; module procedure &
local_col_range_
end interface
interface global_col_range ; module procedure &
global_col_range_
end interface
interface CheckBounds; module procedure &
CheckBounds_
end interface
interface row_sum ; module procedure &
row_sumSP_, &
row_sumDP_
end interface
interface row_sum_check ; module procedure &
row_sum_checkSP_, &
row_sum_checkDP_
end interface
interface Sort ; module procedure Sort_ ; end interface
interface Permute ; module procedure Permute_ ; end interface
interface SortPermute ; module procedure SortPermute_ ; end interface
! !REVISION HISTORY:
! 19Sep00 - J.W. Larson <larson@mcs.anl.gov> - initial prototype
! 15Jan01 - J.W. Larson <larson@mcs.anl.gov> - added numerous APIs
! 25Feb01 - J.W. Larson <larson@mcs.anl.gov> - changed from row/column
! attributes to global and local row and column attributes
! 23Apr01 - J.W. Larson <larson@mcs.anl.gov> - added number of rows
! and columns to the SparseMatrix type. This means the
! SparseMatrix is no longer a straight AttrVect type. This
! also made necessary the addition of lsize(), indexIA(),
! and indexRA().
! 29Oct03 - R. Jacob <jacob@mcs.anl.gov> - extend the SparseMatrix type
! to include mods from Fujitsu for a vector-friendly MatVecMul
!EOP ___________________________________________________________________
character(len=*),parameter :: myname='MCT::m_SparseMatrix'
! SparseMatrix_iList components:
character(len=*),parameter :: SparseMatrix_iList='grow:gcol:lrow:lcol'
integer,parameter :: SparseMatrix_igrow=1
integer,parameter :: SparseMatrix_igcol=2
integer,parameter :: SparseMatrix_ilrow=3
integer,parameter :: SparseMatrix_ilcol=4
! SparseMatrix_rList components:
character(len=*),parameter :: SparseMatrix_rList='weight'
integer,parameter :: SparseMatrix_iweight=1
contains
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: init_ - Initialize an Empty SparseMatrix
!
! !DESCRIPTION: This routine creates the storage space for the
! entries of a {\tt SparseMatrix}, and sets the number of rows and
! columns in it. The input {\tt INTEGER} arguments {\tt nrows} and
! {\tt ncols} specify the number of rows and columns respectively.
! The optional input argument {\tt lsize} specifies the number of
! nonzero entries in the {\tt SparseMatrix}. The initialized
! {\tt SparseMatrix} is returned in the output argument {\tt sMat}.
!
! {\bf N.B.}: This routine is allocating dynamical memory in the form
! of a {\tt SparseMatrix}. The user must deallocate this space when
! the {\tt SparseMatrix} is no longer needed by invoking the routine
! {\tt clean\_()}.
!
! !INTERFACE:
subroutine init_(sMat, nrows, ncols, lsize)
!
! !USES:
!
use m_AttrVect, only : AttrVect_init => init
use m_die
implicit none
! !INPUT PARAMETERS:
integer, intent(in) :: nrows
integer, intent(in) :: ncols
integer, optional, intent(in) :: lsize
! !OUTPUT PARAMETERS:
type(SparseMatrix), intent(out) :: sMat
! !REVISION HISTORY:
! 19Sep00 - Jay Larson <larson@mcs.anl.gov> - initial prototype
! 23Apr01 - Jay Larson <larson@mcs.anl.gov> - added arguments
! nrows and ncols--number of rows and columns in the
! SparseMatrix
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::init_'
integer :: n
! if lsize is present, use it to set n; if not, set n=0
n = 0
if(present(lsize)) n=lsize
! Initialize number of rows and columns:
sMat%nrows = nrows
sMat%ncols = ncols
! Initialize sMat%data using AttrVect_init
call AttrVect_init(sMat%data, SparseMatrix_iList, &
SparseMatrix_rList, n)
! vecinit is off by default
sMat%vecinit = .FALSE.
end subroutine init_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: vecinit_ - Initialize vector parts of a SparseMatrix
!
! !DESCRIPTION: This routine creates the storage space for
! and intializes the vector parts of a {\tt SparseMatrix}.
!
! {\bf N.B.}: This routine assumes the locally indexed parts of a
! {\tt SparseMatrix} have been initialized. This is
! accomplished by either importing the values directly with
! {\tt importLocalRowIndices} and {\tt importLocalColIndices} or by
! importing the Global Row and Col Indices and making two calls to
! {\tt GlobalToLocalMatrix}.
!
! {\bf N.B.}: The vector portion can use a large amount of
! memory so it is highly recommended that this routine only
! be called on a {\tt SparseMatrix} that has been scattered
! or otherwise sized locally.
!
! !INTERFACE:
subroutine vecinit_(sMat)
!
! !USES:
!
use m_die
use m_stdio
implicit none
! !INPUT/OUTPUT PARAMETERS:
type(SparseMatrix), intent(inout) :: sMat
! !REVISION HISTORY:
! 27Oct03 - R. Jacob <jacob@mcs.anl.gov> - initial version
! using code provided by Yoshi et. al.
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::vecinit_'
integer :: irow,icol,iwgt
integer :: num_elements
integer :: row,col
integer :: ier,l,n
integer, dimension(:) , allocatable :: nr, rn
if(sMat%vecinit) then
write(stderr,'(2a)') myname_, &
'MCTERROR: sMat vector parts have already been initialized...Continuing'
RETURN
endif
write(6,*) myname_,'Initializing vecMat'
irow = indexIA_(sMat,'lrow',dieWith=myname_)
icol = indexIA_(sMat,'lcol',dieWith=myname_)
iwgt = indexRA_(sMat,'weight',dieWith=myname_)
num_elements = lsize_(sMat)
sMat%row_min = sMat%data%iAttr(irow,1)
sMat%row_max = sMat%row_min
do n=1,num_elements
row = sMat%data%iAttr(irow,n)
if ( row > sMat%row_max ) sMat%row_max = row
if ( row < sMat%row_min ) sMat%row_min = row
enddo
allocate( nr(sMat%row_max), rn(num_elements), stat=ier)
if(ier/=0) call die(myname_,'allocate(nr,rn)',ier)
sMat%tbl_end = 0
nr(:) = 0
do n=1,num_elements
row = sMat%data%iAttr(irow,n)
nr(row) = nr(row)+1
rn(n) = nr(row)
enddo
sMat%tbl_end = maxval(rn)
allocate( sMat%tcol(sMat%row_max,sMat%tbl_end), &
sMat%twgt(sMat%row_max,sMat%tbl_end), stat=ier )
if(ier/=0) call die(myname_,'allocate(tcol,twgt)',ier)
!CDIR COLLAPSE
sMat%tcol(:,:) = -1
do n=1,num_elements
row = sMat%data%iAttr(irow,n)
sMat%tcol(row,rn(n)) = sMat%data%iAttr(icol,n)
sMat%twgt(row,rn(n)) = sMat%data%rAttr(iwgt,n)
enddo
allocate( sMat%row_s(sMat%tbl_end) , sMat%row_e(sMat%tbl_end), &
stat=ier )
if(ier/=0) call die(myname_,'allocate(row_s,row_e',ier)
sMat%row_s = sMat%row_min
sMat%row_e = sMat%row_max
do l=1,sMat%tbl_end
do n=sMat%row_min,sMat%row_max
if (nr(n) >= l) then
sMat%row_s(l) = n
exit
endif
enddo
do n = sMat%row_max,sMat%row_min,-1
if (nr(n) >= l) then
sMat%row_e(l) = n
exit
endif
enddo
enddo
deallocate(nr,rn, stat=ier)
if(ier/=0) call die(myname_,'deallocate()',ier)
sMat%vecinit = .TRUE.
end subroutine vecinit_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: clean_ - Destroy a SparseMatrix.
!
! !DESCRIPTION: This routine deallocates dynamical memory held by the
! input {\tt SparseMatrix} argument {\tt sMat}. It also sets the number
! of rows and columns in the {\tt SparseMatrix} to zero.
!
! !INTERFACE:
subroutine clean_(sMat,stat)
!
! !USES:
!
use m_AttrVect,only : AttrVect_clean => clean
use m_die
implicit none
! !INPUT/OUTPTU PARAMETERS:
type(SparseMatrix), intent(inout) :: sMat
! !OUTPUT PARAMETERS:
integer, optional, intent(out) :: stat
! !REVISION HISTORY:
! 19Sep00 - J.W. Larson <larson@mcs.anl.gov> - initial prototype
! 23Apr00 - J.W. Larson <larson@mcs.anl.gov> - added changes to
! accomodate clearing nrows and ncols.
! 01Mar02 - E.T. Ong <eong@mcs.anl.gov> Added stat argument.
! 03Oct03 - R. Jacob <jacob@mcs.anl.gov> - clean vector parts
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::clean_'
integer :: ier
! Deallocate memory held by sMat:
if(present(stat)) then
call AttrVect_clean(sMat%data,stat)
else
call AttrVect_clean(sMat%data)
endif
! Set the number of rows and columns in sMat to zero:
sMat%nrows = 0
sMat%ncols = 0
if(sMat%vecinit) then
sMat%row_max = 0
sMat%row_min = 0
sMat%tbl_end = 0
deallocate(sMat%row_s,sMat%row_e,stat=ier)
if(ier/=0) then
if(present(stat)) then
stat=ier
else
call warn(myname_,'deallocate(row_s,row_e)',ier)
endif
endif
deallocate(sMat%tcol,sMat%twgt,stat=ier)
if(ier/=0) then
if(present(stat)) then
stat=ier
else
call warn(myname_,'deallocate(tcol,twgt)',ier)
endif
endif
sMat%vecinit = .FALSE.
endif
end subroutine clean_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: lsize_ - Local Number Non-zero Elements
!
! !DESCRIPTION: This {\tt INTEGER} function reports on-processor storage
! of the number of nonzero elements in the input {\tt SparseMatrix}
! argument {\tt sMat}.
!
! !INTERFACE:
integer function lsize_(sMat)
!
! !USES:
!
use m_AttrVect,only : AttrVect_lsize => lsize
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !REVISION HISTORY:
! 23Apr00 - J.W. Larson <larson@mcs.anl.gov> - initial version.
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::lsize_'
lsize_ = AttrVect_lsize(sMat%data)
end function lsize_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: GlobalNumElements_ - Global Number of Non-zero Elements
!
! !DESCRIPTION: This routine computes the number of nonzero elements
! in a distributed {\tt SparseMatrix} variable {\tt sMat}. The input
! {\tt SparseMatrix} argument {\tt sMat} is examined on each process
! to determine the number of nonzero elements it holds, and this value
! is summed across the communicator associated with the input
! {\tt INTEGER} handle {\tt comm}, with the total returned {\em on each
! process on the communicator}.
!
! !INTERFACE:
integer function GlobalNumElements_(sMat, comm)
!
! !USES:
!
use m_die
use m_mpif90
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
integer, optional, intent(in) :: comm
! !REVISION HISTORY:
! 24Apr01 - Jay Larson <larson@mcs.anl.gov> - New routine.
!
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//':: GlobalNumElements_'
integer :: MyNumElements, GNumElements, ierr
! Determine the number of locally held nonzero elements:
MyNumElements = lsize_(sMat)
call MPI_ALLREDUCE(MyNumElements, GNumElements, 1, MP_INTEGER, &
MP_SUM, comm, ierr)
if(ierr /= 0) then
call MP_perr_die(myname_,"MPI_ALLREDUCE(MyNumElements...",ierr)
endif
GlobalNumElements_ = GNumElements
end function GlobalNumElements_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: indexIA_ - Index an Integer Attribute
!
! !DESCRIPTION: This {\tt INTEGER} function reports the row index
! for a given {\tt INTEGER} attribute of the input {\tt SparseMatrix}
! argument {\tt sMat}. The attribute requested is represented by the
! input {\tt CHARACTER} variable {\tt attribute}. The list of integer
! attributes one can request is defined in the description block of the
! header of this module ({\tt m\_SparseMatrix}).
!
! Here is how {\tt indexIA\_} provides access to integer attribute data
! in a {\tt SparseMatrix} variable {\tt sMat}. Suppose we wish to access
! global row information. This attribute has associated with it the
! string tag {\tt grow}. The corresponding index returned ({\tt igrow})
! is determined by invoking {\tt indexIA\_}:
! \begin{verbatim}
! igrow = indexIA_(sMat, 'grow')
! \end{verbatim}
!
! Access to the global row index data in {\tt sMat} is thus obtained by
! referencing {\tt sMat\%data\%iAttr(igrow,:)}.
!
!
! !INTERFACE:
integer function indexIA_(sMat, item, perrWith, dieWith)
!
! !USES:
!
use m_String, only : String
use m_String, only : String_init => init
use m_String, only : String_clean => clean
use m_String, only : String_ToChar => ToChar
use m_TraceBack, only : GenTraceBackString
use m_AttrVect,only : AttrVect_indexIA => indexIA
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
character(len=*), intent(in) :: item
character(len=*), optional, intent(in) :: perrWith
character(len=*), optional, intent(in) :: dieWith
! !REVISION HISTORY:
! 23Apr00 - J.W. Larson <larson@mcs.anl.gov> - initial version.
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::indexIA_'
type(String) :: myTrace
! Generate a traceback String
if(present(dieWith)) then
call GenTraceBackString(myTrace, dieWith, myname_)
else
if(present(perrWith)) then
call GenTraceBackString(myTrace, perrWith, myname_)
else
call GenTraceBackString(myTrace, myname_)
endif
endif
! Call AttrVect_indexIA() accordingly:
if( present(dieWith) .or. &
((.not. present(dieWith)) .and. (.not. present(perrWith))) ) then
indexIA_ = AttrVect_indexIA(sMat%data, item, &
dieWith=String_ToChar(myTrace))
else ! perrWith but no dieWith case
indexIA_ = AttrVect_indexIA(sMat%data, item, &
perrWith=String_ToChar(myTrace))
endif
call String_clean(myTrace)
end function indexIA_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: indexRA_ - Index a Real Attribute
!
! !DESCRIPTION: This {\tt INTEGER} function reports the row index
! for a given {\tt REAL} attribute of the input {\tt SparseMatrix}
! argument {\tt sMat}. The attribute requested is represented by the
! input {\tt CHARACTER} variable {\tt attribute}. The list of real
! attributes one can request is defined in the description block of the
! header of this module ({\tt m\_SparseMatrix}).
!
! Here is how {\tt indexRA\_} provides access to integer attribute data
! in a {\tt SparseMatrix} variable {\tt sMat}. Suppose we wish to access
! matrix element values. This attribute has associated with it the
! string tag {\tt weight}. The corresponding index returned ({\tt iweight})
! is determined by invoking {\tt indexRA\_}:
! \begin{verbatim}
! iweight = indexRA_(sMat, 'weight')
! \end{verbatim}
!
! Access to the matrix element data in {\tt sMat} is thus obtained by
! referencing {\tt sMat\%data\%rAttr(iweight,:)}.
!
! !INTERFACE:
integer function indexRA_(sMat, item, perrWith, dieWith)
!
! !USES:
!
use m_String, only : String
use m_String, only : String_init => init
use m_String, only : String_clean => clean
use m_String, only : String_ToChar => ToChar
use m_TraceBack, only : GenTraceBackString
use m_AttrVect,only : AttrVect_indexRA => indexRA
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
character(len=*), intent(in) :: item
character(len=*), optional, intent(in) :: perrWith
character(len=*), optional, intent(in) :: dieWith
! !REVISION HISTORY:
! 24Apr00 - J.W. Larson <larson@mcs.anl.gov> - initial version.
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::indexRA_'
type(String) :: myTrace
! Generate a traceback String
if(present(dieWith)) then ! append myname_ onto dieWith
call GenTraceBackString(myTrace, dieWith, myname_)
else
if(present(perrWith)) then ! append myname_ onto perrwith
call GenTraceBackString(myTrace, perrWith, myname_)
else ! Start a TraceBack String
call GenTraceBackString(myTrace, myname_)
endif
endif
! Call AttrVect_indexRA() accordingly:
if( present(dieWith) .or. &
((.not. present(dieWith)) .and. (.not. present(perrWith))) ) then
indexRA_ = AttrVect_indexRA(sMat%data, item, &
dieWith=String_ToChar(myTrace))
else ! perrWith but no dieWith case
indexRA_ = AttrVect_indexRA(sMat%data, item, &
perrWith=String_ToChar(myTrace))
endif
call String_clean(myTrace)
end function indexRA_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: nRows_ - Return the Number of Rows
!
! !DESCRIPTION: This routine returns the {\em total} number of rows
! in the input {\tt SparseMatrix} argument {\tt sMat}. This number of
! rows is a constant, and not dependent on the decomposition of the
! {\tt SparseMatrix}.
!
! !INTERFACE:
integer function nRows_(sMat)
!
! !USES:
!
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !REVISION HISTORY:
! 19Apr01 - J.W. Larson <larson@mcs.anl.gov> - initial prototype
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::nRows_'
nRows_ = sMat%nrows
end function nRows_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: nCols_ - Return the Number of Columns
!
! !DESCRIPTION: This routine returns the {\em total} number of columns
! in the input {\tt SparseMatrix} argument {\tt sMat}. This number of
! columns is a constant, and not dependent on the decomposition of the
! {\tt SparseMatrix}.
!
! !INTERFACE:
integer function nCols_(sMat)
!
! !USES:
!
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !REVISION HISTORY:
! 19Apr01 - J.W. Larson <larson@mcs.anl.gov> - initial prototype
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::nCols_'
nCols_ = sMat%ncols
end function nCols_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: exportGlobalRowIndices_ - Return Global Row Indices
!
! !DESCRIPTION:
! This routine extracts from the input {\tt SparseMatrix} argument
! {\tt sMat} its global row indices, and returns them in the {\tt INTEGER}
! output array {\tt GlobalRows}, and its length in the output {\tt INTEGER}
! argument {\tt length}.
!
! {\bf N.B.:} The flexibility of this routine regarding the pointer
! association status of the output argument {\tt GlobalRows} means the
! user must invoke this routine with care. If the user wishes this
! routine to fill a pre-allocated array, then obviously this array
! must be allocated prior to calling this routine. If the user wishes
! that the routine {\em create} the output argument array {\tt GlobalRows},
! then the user must ensure this pointer is not allocated (i.e. the user
! must nullify this pointer) at the time this routine is invoked.
!
! {\bf N.B.:} If the user has relied on this routine to allocate memory
! associated with the pointer {\tt GlobalRows}, then the user is responsible
! for deallocating this array once it is no longer needed. Failure to
! do so will result in a memory leak.
!
! !INTERFACE:
subroutine exportGlobalRowIndices_(sMat, GlobalRows, length)
!
! !USES:
!
use m_die
use m_stdio
use m_AttrVect, only : AttrVect_exportIAttr => exportIAttr
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !OUTPUT PARAMETERS:
integer, dimension(:), pointer :: GlobalRows
integer, optional, intent(out) :: length
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial version.
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::exportGlobalRowIndices_'
! Export the data (inheritance from AttrVect)
if(present(length)) then
call AttrVect_exportIAttr(sMat%data, 'grow', GlobalRows, length)
else
call AttrVect_exportIAttr(sMat%data, 'grow', GlobalRows)
endif
end subroutine exportGlobalRowIndices_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: exportGlobalColumnIndices_ - Return Global Column Indices
!
! !DESCRIPTION:
! This routine extracts from the input {\tt SparseMatrix} argument
! {\tt sMat} its global column indices, and returns them in the {\tt INTEGER}
! output array {\tt GlobalColumns}, and its length in the output {\tt INTEGER}
! argument {\tt length}.
!
! {\bf N.B.:} The flexibility of this routine regarding the pointer
! association status of the output argument {\tt GlobalColumns} means the
! user must invoke this routine with care. If the user wishes this
! routine to fill a pre-allocated array, then obviously this array
! must be allocated prior to calling this routine. If the user wishes
! that the routine {\em create} the output argument array {\tt GlobalColumns},
! then the user must ensure this pointer is not allocated (i.e. the user
! must nullify this pointer) at the time this routine is invoked.
!
! {\bf N.B.:} If the user has relied on this routine to allocate memory
! associated with the pointer {\tt GlobalColumns}, then the user is responsible
! for deallocating this array once it is no longer needed. Failure to
! do so will result in a memory leak.
!
! !INTERFACE:
subroutine exportGlobalColumnIndices_(sMat, GlobalColumns, length)
!
! !USES:
!
use m_die
use m_stdio
use m_AttrVect, only : AttrVect_exportIAttr => exportIAttr
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !OUTPUT PARAMETERS:
integer, dimension(:), pointer :: GlobalColumns
integer, optional, intent(out) :: length
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial version.
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::exportGlobalColumnIndices_'
! Export the data (inheritance from AttrVect)
if(present(length)) then
call AttrVect_exportIAttr(sMat%data, 'gcol', GlobalColumns, length)
else
call AttrVect_exportIAttr(sMat%data, 'gcol', GlobalColumns)
endif
end subroutine exportGlobalColumnIndices_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: exportLocalRowIndices_ - Return Local Row Indices
!
! !DESCRIPTION:
! This routine extracts from the input {\tt SparseMatrix} argument
! {\tt sMat} its local row indices, and returns them in the {\tt INTEGER}
! output array {\tt LocalRows}, and its length in the output {\tt INTEGER}
! argument {\tt length}.
!
! {\bf N.B.:} The flexibility of this routine regarding the pointer
! association status of the output argument {\tt LocalRows} means the
! user must invoke this routine with care. If the user wishes this
! routine to fill a pre-allocated array, then obviously this array
! must be allocated prior to calling this routine. If the user wishes
! that the routine {\em create} the output argument array {\tt LocalRows},
! then the user must ensure this pointer is not allocated (i.e. the user
! must nullify this pointer) at the time this routine is invoked.
!
! {\bf N.B.:} If the user has relied on this routine to allocate memory
! associated with the pointer {\tt LocalRows}, then the user is responsible
! for deallocating this array once it is no longer needed. Failure to
! do so will result in a memory leak.
!
! !INTERFACE:
subroutine exportLocalRowIndices_(sMat, LocalRows, length)
!
! !USES:
!
use m_die
use m_stdio
use m_AttrVect, only : AttrVect_exportIAttr => exportIAttr
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !OUTPUT PARAMETERS:
integer, dimension(:), pointer :: LocalRows
integer, optional, intent(out) :: length
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial version.
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::exportLocalRowIndices_'
! Export the data (inheritance from AttrVect)
if(present(length)) then
call AttrVect_exportIAttr(sMat%data, 'lrow', LocalRows, length)
else
call AttrVect_exportIAttr(sMat%data, 'lrow', LocalRows)
endif
end subroutine exportLocalRowIndices_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: exportLocalColumnIndices_ - Return Local Column Indices
!
! !DESCRIPTION:
! This routine extracts from the input {\tt SparseMatrix} argument
! {\tt sMat} its local column indices, and returns them in the {\tt INTEGER}
! output array {\tt LocalColumns}, and its length in the output {\tt INTEGER}
! argument {\tt length}.
!
! {\bf N.B.:} The flexibility of this routine regarding the pointer
! association status of the output argument {\tt LocalColumns} means the
! user must invoke this routine with care. If the user wishes this
! routine to fill a pre-allocated array, then obviously this array
! must be allocated prior to calling this routine. If the user wishes
! that the routine {\em create} the output argument array {\tt LocalColumns},
! then the user must ensure this pointer is not allocated (i.e. the user
! must nullify this pointer) at the time this routine is invoked.
!
! {\bf N.B.:} If the user has relied on this routine to allocate memory
! associated with the pointer {\tt LocalColumns}, then the user is responsible
! for deallocating this array once it is no longer needed. Failure to
! do so will result in a memory leak.
!
! !INTERFACE:
subroutine exportLocalColumnIndices_(sMat, LocalColumns, length)
!
! !USES:
!
use m_die
use m_stdio
use m_AttrVect, only : AttrVect_exportIAttr => exportIAttr
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !OUTPUT PARAMETERS:
integer, dimension(:), pointer :: LocalColumns
integer, optional, intent(out) :: length
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial version.
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::exportLocalColumnIndices_'
! Export the data (inheritance from AttrVect)
if(present(length)) then
call AttrVect_exportIAttr(sMat%data, 'lcol', LocalColumns, length)
else
call AttrVect_exportIAttr(sMat%data, 'lcol', LocalColumns)
endif
end subroutine exportLocalColumnIndices_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: exportMatrixElementsSP_ - Return Matrix Elements as Array
!
! !DESCRIPTION:
! This routine extracts the matrix elements from the input {\tt SparseMatrix}
! argument {\tt sMat}, and returns them in the {\tt REAL} output array
! {\tt MatrixElements}, and its length in the output {\tt INTEGER}
! argument {\tt length}.
!
! {\bf N.B.:} The flexibility of this routine regarding the pointer
! association status of the output argument {\tt MatrixElements} means the
! user must invoke this routine with care. If the user wishes this
! routine to fill a pre-allocated array, then obviously this array
! must be allocated prior to calling this routine. If the user wishes
! that the routine {\em create} the output argument array {\tt MatrixElements},
! then the user must ensure this pointer is not allocated (i.e. the user
! must nullify this pointer) at the time this routine is invoked.
!
! {\bf N.B.:} If the user has relied on this routine to allocate memory
! associated with the pointer {\tt MatrixElements}, then the user is responsible
! for deallocating this array once it is no longer needed. Failure to
! do so will result in a memory leak.
!
! The native precision version is described here. A double precision version
! is also available.
!
! !INTERFACE:
subroutine exportMatrixelementsSP_(sMat, MatrixElements, length)
!
! !USES:
!
use m_die
use m_stdio
use m_realkinds, only : SP
use m_AttrVect, only : AttrVect_exportRAttr => exportRAttr
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !OUTPUT PARAMETERS:
real(SP), dimension(:), pointer :: MatrixElements
integer, optional, intent(out) :: length
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial version.
! 6Jan04 - R. Jacob <jacob@mcs.anl.gov> - SP and DP versions
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::exportMatrixElementsSP_'
! Export the data (inheritance from AttrVect)
if(present(length)) then
call AttrVect_exportRAttr(sMat%data, 'weight', MatrixElements, length)
else
call AttrVect_exportRAttr(sMat%data, 'weight', MatrixElements)
endif
end subroutine exportMatrixElementsSP_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
! -------------------------------------------------------------------
!
! !IROUTINE: exportMatrixElementsDP_ - Return Matrix Elements as Array
!
! !DESCRIPTION:
! Double precision version of exportMatrixElementsSP_
!
! !INTERFACE:
subroutine exportMatrixelementsDP_(sMat, MatrixElements, length)
!
! !USES:
!
use m_die
use m_stdio
use m_realkinds, only : DP
use m_AttrVect, only : AttrVect_exportRAttr => exportRAttr
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !OUTPUT PARAMETERS:
real(DP), dimension(:), pointer :: MatrixElements
integer, optional, intent(out) :: length
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial version.
!
! ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::exportMatrixElementsDP_'
! Export the data (inheritance from AttrVect)
if(present(length)) then
call AttrVect_exportRAttr(sMat%data, 'weight', MatrixElements, length)
else
call AttrVect_exportRAttr(sMat%data, 'weight', MatrixElements)
endif
end subroutine exportMatrixElementsDP_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: importGlobalRowIndices_ - Set Global Row Indices of Elements
!
! !DESCRIPTION:
! This routine imports global row index data into the {\tt SparseMatrix}
! argument {\tt sMat}. The user provides the index data in the input
! {\tt INTEGER} vector {\tt inVect}. The input {\tt INTEGER} argument
! {\tt lsize} is used as a consistencey check to ensure the user is
! sufficient space in the {\tt SparseMatrix} to store the data.
!
! !INTERFACE:
subroutine importGlobalRowIndices_(sMat, inVect, lsize)
!
! !USES:
!
use m_die
use m_stdio
use m_AttrVect, only : AttrVect_importIAttr => importIAttr
implicit none
! !INPUT PARAMETERS:
integer, dimension(:), pointer :: inVect
integer, intent(in) :: lsize
! !INPUT/OUTPUT PARAMETERS:
type(SparseMatrix), intent(inout) :: sMat
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial prototype.
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::importGlobalRowIndices_'
! Argument Check:
if(lsize > lsize_(sMat)) then
write(stderr,*) myname_,':: ERROR, lsize > lsize_(sMat).', &
'lsize = ',lsize,'lsize_(sMat) = ',lsize_(sMat)
call die(myname_)
endif
! Import the data (inheritance from AttrVect)
call AttrVect_importIAttr(sMat%data, 'grow', inVect, lsize)
end subroutine importGlobalRowIndices_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: importGlobalColumnIndices_ - Set Global Column Indices of Elements
!
! !DESCRIPTION:
! This routine imports global column index data into the {\tt SparseMatrix}
! argument {\tt sMat}. The user provides the index data in the input
! {\tt INTEGER} vector {\tt inVect}. The input {\tt INTEGER} argument
! {\tt lsize} is used as a consistencey check to ensure the user is
! sufficient space in the {\tt SparseMatrix} to store the data.
!
! !INTERFACE:
subroutine importGlobalColumnIndices_(sMat, inVect, lsize)
!
! !USES:
!
use m_die
use m_stdio
use m_AttrVect, only : AttrVect_importIAttr => importIAttr
implicit none
! !INPUT PARAMETERS:
integer, dimension(:), pointer :: inVect
integer, intent(in) :: lsize
! !INPUT/OUTPUT PARAMETERS:
type(SparseMatrix), intent(inout) :: sMat
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial prototype.
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::importGlobalColumnIndices_'
! Argument Check:
if(lsize > lsize_(sMat)) then
write(stderr,*) myname_,':: ERROR, lsize > lsize_(sMat).', &
'lsize = ',lsize,'lsize_(sMat) = ',lsize_(sMat)
call die(myname_)
endif
! Import the data (inheritance from AttrVect)
call AttrVect_importIAttr(sMat%data, 'gcol', inVect, lsize)
end subroutine importGlobalColumnIndices_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: importLocalRowIndices_ - Set Local Row Indices of Elements
!
! !DESCRIPTION:
! This routine imports local row index data into the {\tt SparseMatrix}
! argument {\tt sMat}. The user provides the index data in the input
! {\tt INTEGER} vector {\tt inVect}. The input {\tt INTEGER} argument
! {\tt lsize} is used as a consistencey check to ensure the user is
! sufficient space in the {\tt SparseMatrix} to store the data.
!
! !INTERFACE:
subroutine importLocalRowIndices_(sMat, inVect, lsize)
!
! !USES:
!
use m_die
use m_stdio
use m_AttrVect, only : AttrVect_importIAttr => importIAttr
implicit none
! !INPUT PARAMETERS:
integer, dimension(:), pointer :: inVect
integer, intent(in) :: lsize
! !INPUT/OUTPUT PARAMETERS:
type(SparseMatrix), intent(inout) :: sMat
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial prototype.
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::importLocalRowIndices_'
! Argument Check:
if(lsize > lsize_(sMat)) then
write(stderr,*) myname_,':: ERROR, lsize > lsize_(sMat).', &
'lsize = ',lsize,'lsize_(sMat) = ',lsize_(sMat)
call die(myname_)
endif
! Import the data (inheritance from AttrVect)
call AttrVect_importIAttr(sMat%data, 'lrow', inVect, lsize)
end subroutine importLocalRowIndices_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: importLocalColumnIndices_ - Set Local Column Indices of Elements
!
! !DESCRIPTION:
! This routine imports local column index data into the {\tt SparseMatrix}
! argument {\tt sMat}. The user provides the index data in the input
! {\tt INTEGER} vector {\tt inVect}. The input {\tt INTEGER} argument
! {\tt lsize} is used as a consistencey check to ensure the user is
! sufficient space in the {\tt SparseMatrix} to store the data.
!
! !INTERFACE:
subroutine importLocalColumnIndices_(sMat, inVect, lsize)
!
! !USES:
!
use m_die
use m_stdio
use m_AttrVect, only : AttrVect_importIAttr => importIAttr
implicit none
! !INPUT PARAMETERS:
integer, dimension(:), pointer :: inVect
integer, intent(in) :: lsize
! !INPUT/OUTPUT PARAMETERS:
type(SparseMatrix), intent(inout) :: sMat
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial prototype.
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::importLocalColumnIndices_'
! Argument Check:
if(lsize > lsize_(sMat)) then
write(stderr,*) myname_,':: ERROR, lsize > lsize_(sMat).', &
'lsize = ',lsize,'lsize_(sMat) = ',lsize_(sMat)
call die(myname_)
endif
! Import the data (inheritance from AttrVect)
call AttrVect_importIAttr(sMat%data, 'lcol', inVect, lsize)
end subroutine importLocalColumnIndices_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: importMatrixElementsSP_ - Import Non-zero Matrix Elements
!
! !DESCRIPTION:
! This routine imports matrix elements index data into the
! {\tt SparseMatrix} argument {\tt sMat}. The user provides the index
! data in the input {\tt REAL} vector {\tt inVect}. The input
! {\tt INTEGER} argument {\tt lsize} is used as a consistencey check
! to ensure the user is sufficient space in the {\tt SparseMatrix}
! to store the data.
!
! !INTERFACE:
subroutine importMatrixElementsSP_(sMat, inVect, lsize)
!
! !USES:
!
use m_die
use m_stdio
use m_realkinds, only : SP
use m_AttrVect, only : AttrVect_importRAttr => importRAttr
implicit none
! !INPUT PARAMETERS:
real(SP), dimension(:), pointer :: inVect
integer, intent(in) :: lsize
! !INPUT/OUTPUT PARAMETERS:
type(SparseMatrix), intent(inout) :: sMat
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial prototype.
! 6Jan04 - R. Jacob <jacob@mcs.anl.gov> - Make SP and DP versions.
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::importMatrixElementsSP_'
! Argument Check:
if(lsize > lsize_(sMat)) then
write(stderr,*) myname_,':: ERROR, lsize > lsize_(sMat).', &
'lsize = ',lsize,'lsize_(sMat) = ',lsize_(sMat)
call die(myname_)
endif
! Import the data (inheritance from AttrVect)
call AttrVect_importRAttr(sMat%data, 'weight', inVect, lsize)
end subroutine importMatrixElementsSP_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
! -------------------------------------------------------------------
!
! !IROUTINE: importMatrixElementsDP_ - Import Non-zero Matrix Elements
!
! !DESCRIPTION:
! Double precision version of importMatrixElementsSP_
!
! !INTERFACE:
subroutine importMatrixElementsDP_(sMat, inVect, lsize)
!
! !USES:
!
use m_die
use m_stdio
use m_realkinds, only : DP
use m_AttrVect, only : AttrVect_importRAttr => importRAttr
implicit none
! !INPUT PARAMETERS:
real(DP), dimension(:), pointer :: inVect
integer, intent(in) :: lsize
! !INPUT/OUTPUT PARAMETERS:
type(SparseMatrix), intent(inout) :: sMat
! !REVISION HISTORY:
! 7May02 - J.W. Larson <larson@mcs.anl.gov> - initial prototype.
!
! ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::importMatrixElementsDP_'
! Argument Check:
if(lsize > lsize_(sMat)) then
write(stderr,*) myname_,':: ERROR, lsize > lsize_(sMat).', &
'lsize = ',lsize,'lsize_(sMat) = ',lsize_(sMat)
call die(myname_)
endif
! Import the data (inheritance from AttrVect)
call AttrVect_importRAttr(sMat%data, 'weight', inVect, lsize)
end subroutine importMatrixElementsDP_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: Copy_ - Create a Copy of an Input SparseMatrix
!
! !DESCRIPTION:
! This routine creates a copy of the input {\tt SparseMatrix} argument
! {\tt sMat}, returning it as the output {\tt SparseMatrix} argument
! {\tt sMatCopy}.
!
! {\bf N.B.:} The output argument {\tt sMatCopy} represents allocated
! memory the user must deallocate when it is no longer needed. The
! MCT routine to use for this purpose is {\tt clean()} from this module.
!
! !INTERFACE:
subroutine Copy_(sMat, sMatCopy)
!
! !USES:
!
use m_die
use m_stdio
use m_AttrVect, only : AttrVect
use m_AttrVect, only : AttrVect_init => init
use m_AttrVect, only : AttrVect_lsize => lsize
use m_AttrVect, only : AttrVect_Copy => Copy
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !OUTPUT PARAMETERS:
type(SparseMatrix), intent(out) :: sMatCopy
! !REVISION HISTORY:
! 27Sep02 - J.W. Larson <larson@mcs.anl.gov> - initial prototype.
!
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::Copy_'
! Step one: copy the integer components of sMat:
sMatCopy%nrows = sMat%nrows
sMatCopy%ncols = sMat%ncols
sMatCopy%vecinit = .FALSE.
! Step two: Initialize the AttrVect sMatCopy%data off of sMat:
call AttrVect_init(sMatCopy%data, sMat%data, AttrVect_lsize(sMat%data))
! Step three: Copy sMat%data to sMatCopy%data:
call AttrVect_Copy(sMat%data, aVout=sMatCopy%data)
if(sMat%vecinit) call vecinit_(sMatCopy)
end subroutine Copy_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: local_row_range_ - Local Row Extent of Non-zero Elements
!
! !DESCRIPTION: This routine examines the input distributed
! {\tt SparseMatrix} variable {\tt sMat}, and returns the range of local
! row values having nonzero elements. The first local row with
! nonzero elements is returned in the {\tt INTEGER} argument
! {\tt start\_row}, the last row in {\tt end\_row}.
!
! !INTERFACE:
subroutine local_row_range_(sMat, start_row, end_row)
!
! !USES:
!
use m_die
use m_AttrVect, only : AttrVect_lsize => lsize
use m_AttrVect, only : AttrVect_indexIA => indexIA
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !OUTPUT PARAMETERS:
integer, intent(out) :: start_row
integer, intent(out) :: end_row
! !REVISION HISTORY:
! 15Jan01 - Jay Larson <larson@mcs.anl.gov> - API specification.
! 25Feb01 - Jay Larson <larson@mcs.anl.gov> - Initial prototype.
! 23Apr01 - Jay Larson <larson@mcs.anl.gov> - Modified to accomodate
! changes to the SparseMatrix type.
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::local_row_range_'
integer :: i, ilrow, lsize
ilrow = AttrVect_indexIA(sMat%data, 'lrow')
lsize = AttrVect_lsize(sMat%data)
! Initialize start_row and end_row:
start_row = sMat%data%iAttr(ilrow,1)
end_row = sMat%data%iAttr(ilrow,1)
do i=1,lsize
start_row = min(start_row, sMat%data%iAttr(ilrow,i))
end_row = max(end_row, sMat%data%iAttr(ilrow,i))
end do
end subroutine local_row_range_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: global_row_range_ - Global Row Extent of Non-zero Elements
!
! !DESCRIPTION: This routine examines the input distributed
! {\tt SparseMatrix} variable {\tt sMat}, and returns the range of
! global row values having nonzero elements. The first local row with
! nonzero elements is returned in the {\tt INTEGER} argument
! {\tt start\_row}, the last row in {\tt end\_row}.
!
! !INTERFACE:
subroutine global_row_range_(sMat, comm, start_row, end_row)
!
! !USES:
!
use m_die
use m_AttrVect, only : AttrVect_lsize => lsize
use m_AttrVect, only : AttrVect_indexIA => indexIA
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
integer, intent(in) :: comm
! !OUTPUT PARAMETERS:
integer, intent(out) :: start_row
integer, intent(out) :: end_row
! !REVISION HISTORY:
! 15Jan01 - Jay Larson <larson@mcs.anl.gov> - API specification.
! 25Feb01 - Jay Larson <larson@mcs.anl.gov> - Initial prototype.
! 23Apr01 - Jay Larson <larson@mcs.anl.gov> - Modified to accomodate
! changes to the SparseMatrix type.
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::global_row_range_'
integer :: i, igrow, lsize
igrow = AttrVect_indexIA(sMat%data, 'grow', dieWith=myname_)
lsize = AttrVect_lsize(sMat%data)
! Initialize start_row and end_row:
start_row = sMat%data%iAttr(igrow,1)
end_row = sMat%data%iAttr(igrow,1)
do i=1,lsize
start_row = min(start_row, sMat%data%iAttr(igrow,i))
end_row = max(end_row, sMat%data%iAttr(igrow,i))
end do
end subroutine global_row_range_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: local_col_range_ - Local Column Extent of Non-zero Elements
!
! !DESCRIPTION: This routine examines the input distributed
! {\tt SparseMatrix} variable {\tt sMat}, and returns the range of
! local column values having nonzero elements. The first local column
! with nonzero elements is returned in the {\tt INTEGER} argument
! {\tt start\_col}, the last column in {\tt end\_col}.
!
! !INTERFACE:
subroutine local_col_range_(sMat, start_col, end_col)
!
! !USES:
!
use m_die
use m_AttrVect, only : AttrVect_lsize => lsize
use m_AttrVect, only : AttrVect_indexIA => indexIA
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !OUTPUT PARAMETERS:
integer, intent(out) :: start_col
integer, intent(out) :: end_col
! !REVISION HISTORY:
! 15Jan01 - Jay Larson <larson@mcs.anl.gov> - API specification.
! 25Feb01 - Jay Larson <larson@mcs.anl.gov> - Initial prototype.
! 23Apr01 - Jay Larson <larson@mcs.anl.gov> - Modified to accomodate
! changes to the SparseMatrix type.
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::local_col_range_'
integer :: i, ilcol, lsize
ilcol = AttrVect_indexIA(sMat%data, 'lcol')
lsize = AttrVect_lsize(sMat%data)
! Initialize start_col and end_col:
start_col = sMat%data%iAttr(ilcol,1)
end_col = sMat%data%iAttr(ilcol,1)
do i=1,lsize
start_col = min(start_col, sMat%data%iAttr(ilcol,i))
end_col = max(end_col, sMat%data%iAttr(ilcol,i))
end do
end subroutine local_col_range_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: global_col_range_ - Global Column Extent of Non-zero Elements
!
! !DESCRIPTION: This routine examines the input distributed
! {\tt SparseMatrix} variable {\tt sMat}, and returns the range of
! global column values having nonzero elements. The first global
! column with nonzero elements is returned in the {\tt INTEGER} argument
! {\tt start\_col}, the last column in {\tt end\_col}.
!
! !INTERFACE:
subroutine global_col_range_(sMat, comm, start_col, end_col)
!
! !USES:
!
use m_die
use m_AttrVect, only : AttrVect_lsize => lsize
use m_AttrVect, only : AttrVect_indexIA => indexIA
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
integer, intent(in) :: comm
! !OUTPUT PARAMETERS:
integer, intent(out) :: start_col
integer, intent(out) :: end_col
! !REVISION HISTORY:
! 15Jan01 - Jay Larson <larson@mcs.anl.gov> - API specification.
! 25Feb01 - Jay Larson <larson@mcs.anl.gov> - Initial prototype.
! 23Apr01 - Jay Larson <larson@mcs.anl.gov> - Modified to accomodate
! changes to the SparseMatrix type.
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::global_col_range_'
integer :: i, igcol, lsize
igcol = AttrVect_indexIA(sMat%data, 'gcol')
lsize = AttrVect_lsize(sMat%data)
! Initialize start_col and end_col:
start_col = sMat%data%iAttr(igcol,1)
end_col = sMat%data%iAttr(igcol,1)
do i=1,lsize
start_col = min(start_col, sMat%data%iAttr(igcol,i))
end_col = max(end_col, sMat%data%iAttr(igcol,i))
end do
end subroutine global_col_range_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: ComputeSparsitySP_ - Compute Matrix Sparsity
!
! !DESCRIPTION: This routine computes the sparsity of a consolidated
! (all on one process) or distributed {\tt SparseMatrix}. The input
! {\tt SparseMatrix} argument {\tt sMat} is examined to determine the
! number of nonzero elements it holds, and this value is divided by the
! product of the number of rows and columns in {\tt sMat}. If the
! optional input argument {\tt comm} is given, the number of elements is
! reduced with a SUM operation and the sparsity computed from that.
! The resulting value of {\tt sparsity} is computed identically on all
! processors.
!
! The rows and columns in an {\tt sMat} are always the global values so
! there is no need to do a reduction on those.
!
! The calculation is always done in double precision even with the argument is
! single precision.
!
! !INTERFACE:
subroutine ComputeSparsitySP_(sMat, sparsity, comm)
!
! !USES:
!
use m_die
use m_mpif90
use m_realkinds, only : SP, FP, DP
use m_AttrVect, only : AttrVect_lsize => lsize
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
integer, optional, intent(in) :: comm
! !OUTPUT PARAMETERS:
real(SP), intent(out) :: sparsity
! !REVISION HISTORY:
! 04Aug20 - Robert Jacob <jacob@anl.gov> - new algorithm
! 23Apr01 - Jay Larson <larson@mcs.anl.gov> - New routine.
!
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::ComputeSparsitySP_'
integer :: num_elements, num_rows, num_cols
real(DP) :: Lnum_elements, Lnum_rows, Lnum_cols
real(DP) :: tot_elements
integer :: ierr
! Extract number of nonzero elements and convert to real
num_elements = lsize_(sMat)
Lnum_elements = REAL(num_elements,DP)
! If a communicator handle is present, sum up the
! distributed num_elements to all processes. If not,
! use the value of lnum_elements
if(present(comm)) then
call MPI_ALLREDUCE(Lnum_elements, tot_elements, 1, MP_REAL8, &
MP_SUM, comm, ierr)
if(ierr /= 0) then
call MP_perr_die(myname_,"MPI_ALLREDUCE(MySparsity...",ierr)
endif
else
tot_elements = Lnum_elements
endif
! Extract number of rows and convert to real
num_rows = nRows_(sMat)
Lnum_rows = REAL(num_rows,DP)
! Extract number of columns and convert to real
num_cols = nCols_(sMat)
Lnum_cols = REAL(num_cols,DP)
! Compute sparsity
sparsity = tot_elements / (Lnum_rows * Lnum_cols)
end subroutine ComputeSparsitySP_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
! ----------------------------------------------------------------------
!
! !IROUTINE: ComputeSparsityDP_ - Compute Matrix Sparsity
!
! !DESCRIPTION:
! Double precision version of ComputeSparsitySP_
!
! !INTERFACE:
subroutine ComputeSparsityDP_(sMat, sparsity, comm)
!
! !USES:
!
use m_die
use m_mpif90
use m_realkinds, only : DP, FP
use m_AttrVect, only : AttrVect_lsize => lsize
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
integer, optional, intent(in) :: comm
! !OUTPUT PARAMETERS:
real(DP), intent(out) :: sparsity
! !REVISION HISTORY:
! 04Aug20 - Robert Jacob <jacob@anl.gov> - new algorithm
! 23Apr01 - Jay Larson <larson@mcs.anl.gov> - New routine.
!
! ______________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::ComputeSparsityDP_'
integer :: num_elements, num_rows, num_cols
real(FP) :: Lnum_elements, Lnum_rows, Lnum_cols
real(FP) :: tot_elements
integer :: ierr
! Extract number of nonzero elements and convert to real
num_elements = lsize_(sMat)
Lnum_elements = REAL(num_elements,FP)
! If a communicator handle is present, sum up the
! distributed num_elements to all processes. If not,
! use the value of lnum_elements
if(present(comm)) then
call MPI_ALLREDUCE(Lnum_elements, tot_elements, 1, MP_REAL8, &
MP_SUM, comm, ierr)
if(ierr /= 0) then
call MP_perr_die(myname_,"MPI_ALLREDUCE(MySparsity...",ierr)
endif
else
tot_elements = Lnum_elements
endif
! Extract number of rows and convert to real
num_rows = nRows_(sMat)
Lnum_rows = REAL(num_rows,FP)
! Extract number of columns and convert to real
num_cols = nCols_(sMat)
Lnum_cols = REAL(num_cols,FP)
! Compute sparsity
sparsity = tot_elements / (Lnum_rows * Lnum_cols)
end subroutine ComputeSparsityDP_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: CheckBounds_ - Check for Out-of-Bounds Row/Column Values
!
! !DESCRIPTION: This routine examines the input distributed
! {\tt SparseMatrix} variable {\tt sMat}, and examines the global row
! and column index for each element, comparing them with the known
! maximum values for each (as returned by the routines {\tt nRows\_()}
! and {\tt nCols\_()}, respectively). If global row or column entries
! are non-positive, or greater than the defined maximum values, this
! routine stops execution with an error message. If no out-of-bounds
! values are detected, the output {\tt INTEGER} status {\tt ierror} is
! set to zero.
!
! !INTERFACE:
subroutine CheckBounds_(sMat, ierror)
!
! !USES:
!
use m_die
use m_AttrVect, only : AttrVect_lsize => lsize
use m_AttrVect, only : AttrVect_indexIA => indexIA
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
! !OUTPUT PARAMETERS:
integer, intent(out) :: ierror
! !REVISION HISTORY:
! 24Apr01 - Jay Larson <larson@mcs.anl.gov> - Initial prototype.
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::CheckBounds_'
integer :: MaxRow, MaxCol, NumElements
integer :: igrow, igcol
integer :: i
! Initially, set ierror to zero (success):
ierror = 0
! Query sMat to find the number of rows and columns:
MaxRow = nRows_(sMat)
MaxCol = nCols_(sMat)
! Query sMat for the number of nonzero elements:
NumElements = lsize_(sMat)
! Query sMat to index global row and column storage indices:
igrow = indexIA_(sMat=sMat,item='grow',dieWith=myname_)
igcol = indexIA_(sMat=sMat,item='gcol',dieWith=myname_)
! Scan the entries of sMat for row or column elements that
! are out-of-bounds. Here, out-of-bounds means: 1) non-
! positive row or column indices; 2) row or column indices
! exceeding the stated number of rows or columns.
do i=1,NumElements
! Row index out of bounds?
if((sMat%data%iAttr(igrow,i) > MaxRow) .or. &
(sMat%data%iAttr(igrow,i) <= 0)) then
ierror = 1
call die(myname_,"Row index out of bounds",ierror)
endif
! Column index out of bounds?
if((sMat%data%iAttr(igcol,i) > MaxCol) .or. &
(sMat%data%iAttr(igcol,i) <= 0)) then
ierror = 2
call die(myname_,"Column index out of bounds",ierror)
endif
end do
end subroutine CheckBounds_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: row_sumSP_ - Sum Elements in Each Row
!
! !DESCRIPTION:
! Given an input {\tt SparseMatrix} argument {\tt sMat}, {\tt row\_sum\_()}
! returns the number of the rows {\tt num\_rows} in the sparse matrix and
! the sum of the elements in each row in the array {\tt sums}. The input
! argument {\tt comm} is the Fortran 90 MPI communicator handle used to
! determine the number of rows and perform the sums. The output arguments
! {\tt num\_rows} and {\tt sums} are valid on all processes.
!
! {\bf N.B.: } This routine allocates an array {\tt sums}. The user is
! responsible for deallocating this array when it is no longer needed.
! Failure to do so will cause a memory leak.
!
! !INTERFACE:
subroutine row_sumSP_(sMat, num_rows, sums, comm)
!
! !USES:
!
use m_die
use m_mpif90
use m_realkinds, only : SP, FP
use m_AttrVect, only : AttrVect_lsize => lsize
use m_AttrVect, only : AttrVect_indexIA => indexIA
use m_AttrVect, only : AttrVect_indexRA => indexRA
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
integer, intent(in) :: comm
! !OUTPUT PARAMETERS:
integer, intent(out) :: num_rows
real(SP), dimension(:), pointer :: sums
! !REVISION HISTORY:
! 15Jan01 - Jay Larson <larson@mcs.anl.gov> - API specification.
! 25Jan01 - Jay Larson <larson@mcs.anl.gov> - Prototype code.
! 23Apr01 - Jay Larson <larson@mcs.anl.gov> - Modified to accomodate
! changes to the SparseMatrix type.
! 18May01 - R. Jacob <jacob@mcs.anl.gov> - Use MP_TYPE function
! to set type in the mpi_allreduce
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::row_sumSP_'
integer :: i, igrow, ierr, iwgt, lsize, myID
integer :: start_row, end_row
integer :: mp_Type_lsums
real(FP), dimension(:), allocatable :: lsums
real(FP), dimension(:), allocatable :: gsums
! Determine local rank
call MP_COMM_RANK(comm, myID, ierr)
! Determine on each process the row of global row indices:
call global_row_range_(sMat, comm, start_row, end_row)
! Determine across the communicator the _maximum_ value of
! end_row, which will be assigned to num_rows on each process:
call MPI_ALLREDUCE(end_row, num_rows, 1, MP_INTEGER, MP_MAX, &
comm, ierr)
if(ierr /= 0) then
call MP_perr_die(myname_,"MPI_ALLREDUCE(end_row...",ierr)
endif
! Allocate storage for the sums on each process.
allocate(lsums(num_rows), gsums(num_rows), sums(num_rows), stat=ierr)
if(ierr /= 0) then
call die(myname_,"allocate(lsums(...",ierr)
endif
! Compute the local entries to lsum(1:num_rows) for each process:
lsize = AttrVect_lsize(sMat%data)
igrow = AttrVect_indexIA(aV=sMat%data,item='grow',dieWith=myname_)
iwgt = AttrVect_indexRA(aV=sMat%data,item='weight',dieWith=myname_)
lsums = 0._FP
do i=1,lsize
lsums(sMat%data%iAttr(igrow,i)) = lsums(sMat%data%iAttr(igrow,i)) + &
sMat%data%rAttr(iwgt,i)
end do
! Compute the global sum of the entries of lsums so that all
! processes own the global sums.
mp_Type_lsums=MP_Type(lsums)
call MPI_ALLREDUCE(lsums, gsums, num_rows, mp_Type_lsums, MP_SUM, comm, ierr)
if(ierr /= 0) then
call MP_perr_die(myname_,"MPI_ALLREDUCE(lsums...",ierr)
endif
! Copy our temporary array gsums into the output pointer sums
! This was done so that lsums and gsums have the same precision (FP)
! Precision conversion occurs here from FP to (SP or DP)
sums = gsums
! Clean up...
deallocate(lsums, gsums, stat=ierr)
if(ierr /= 0) then
call die(myname_,"deallocate(lsums...",ierr)
endif
end subroutine row_sumSP_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
! ----------------------------------------------------------------------
!
! !IROUTINE: row_sumDP_ - Sum Elements in Each Row
!
! !DESCRIPTION:
! Double precision version of row_sumSP_
!
! {\bf N.B.: } This routine allocates an array {\tt sums}. The user is
! responsible for deallocating this array when it is no longer needed.
! Failure to do so will cause a memory leak.
!
! !INTERFACE:
subroutine row_sumDP_(sMat, num_rows, sums, comm)
!
! !USES:
!
use m_die
use m_mpif90
use m_realkinds, only : DP, FP
use m_AttrVect, only : AttrVect_lsize => lsize
use m_AttrVect, only : AttrVect_indexIA => indexIA
use m_AttrVect, only : AttrVect_indexRA => indexRA
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
integer, intent(in) :: comm
! !OUTPUT PARAMETERS:
integer, intent(out) :: num_rows
real(DP), dimension(:), pointer :: sums
! !REVISION HISTORY:
! 15Jan01 - Jay Larson <larson@mcs.anl.gov> - API specification.
! 25Jan01 - Jay Larson <larson@mcs.anl.gov> - Prototype code.
! 23Apr01 - Jay Larson <larson@mcs.anl.gov> - Modified to accomodate
! changes to the SparseMatrix type.
! 18May01 - R. Jacob <jacob@mcs.anl.gov> - Use MP_TYPE function
! to set type in the mpi_allreduce
! ______________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::row_sumDP_'
integer :: i, igrow, ierr, iwgt, lsize, myID
integer :: start_row, end_row
integer :: mp_Type_lsums
real(FP), dimension(:), allocatable :: lsums
real(FP), dimension(:), allocatable :: gsums
! Determine local rank
call MP_COMM_RANK(comm, myID, ierr)
! Determine on each process the row of global row indices:
call global_row_range_(sMat, comm, start_row, end_row)
! Determine across the communicator the _maximum_ value of
! end_row, which will be assigned to num_rows on each process:
call MPI_ALLREDUCE(end_row, num_rows, 1, MP_INTEGER, MP_MAX, &
comm, ierr)
if(ierr /= 0) then
call MP_perr_die(myname_,"MPI_ALLREDUCE(end_row...",ierr)
endif
! Allocate storage for the sums on each process.
allocate(lsums(num_rows), gsums(num_rows), sums(num_rows), stat=ierr)
if(ierr /= 0) then
call die(myname_,"allocate(lsums(...",ierr)
endif
! Compute the local entries to lsum(1:num_rows) for each process:
lsize = AttrVect_lsize(sMat%data)
igrow = AttrVect_indexIA(aV=sMat%data,item='grow',dieWith=myname_)
iwgt = AttrVect_indexRA(aV=sMat%data,item='weight',dieWith=myname_)
lsums = 0._FP
do i=1,lsize
lsums(sMat%data%iAttr(igrow,i)) = lsums(sMat%data%iAttr(igrow,i)) + &
sMat%data%rAttr(iwgt,i)
end do
! Compute the global sum of the entries of lsums so that all
! processes own the global sums.
mp_Type_lsums=MP_Type(lsums)
call MPI_ALLREDUCE(lsums, gsums, num_rows, mp_Type_lsums, MP_SUM, comm, ierr)
if(ierr /= 0) then
call MP_perr_die(myname_,"MPI_ALLREDUCE(lsums...",ierr)
endif
! Copy our temporary array gsums into the output pointer sums
! This was done so that lsums and gsums have the same precision (FP)
! Precision conversion occurs here from FP to (SP or DP)
sums = gsums
! Clean up...
deallocate(lsums, gsums, stat=ierr)
if(ierr /= 0) then
call die(myname_,"deallocate(lsums...",ierr)
endif
end subroutine row_sumDP_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: row_sum_checkSP_ - Check Row Sums vs. Valid Values
!
! !DESCRIPTION: The routine {\tt row\_sum\_check()} sums the rows of
! the input distributed (across the communicator identified by {\tt comm})
! {\tt SparseMatrix} variable {\tt sMat}. It then compares these sums
! with the {\tt num\_valid} input "valid" values stored in the array
! {\tt valid\_sums}. If all of the sums are within the absolute tolerence
! specified by the input argument {\tt abs\_tol} of any of the valid values,
! the output {\tt LOGICAL} flag {\tt valid} is set to {\tt .TRUE}.
! Otherwise, this flag is returned with value {\tt .FALSE}.
!
! !INTERFACE:
subroutine row_sum_checkSP_(sMat, comm, num_valid, valid_sums, abs_tol, valid)
!
! !USES:
!
use m_die
use m_realkinds, only : SP, FP
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
integer, intent(in) :: comm
integer, intent(in) :: num_valid
real(SP), intent(in) :: valid_sums(num_valid)
real(SP), intent(in) :: abs_tol
! !OUTPUT PARAMETERS:
logical, intent(out) :: valid
! !REVISION HISTORY:
! 15Jan01 - Jay Larson <larson@mcs.anl.gov> - API specification.
! 25Feb01 - Jay Larson <larson@mcs.anl.gov> - Prototype code.
! 06Jan03 - R. Jacob <jacob@mcs.anl.gov> - create DP and SP versions
!EOP ___________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::row_sum_checkSP_'
integer :: i, j, num_invalid, num_rows
real(FP), dimension(:), pointer :: sums
! Compute row sums:
call row_sum(sMat, num_rows, sums, comm)
! Initialize for the scanning loop (assume the matrix row
! sums are valid):
valid = .TRUE.
i = 1
SCAN_LOOP: do
! Count the number of elements in valid_sums(:) that
! are separated from sums(i) by more than abs_tol
num_invalid = 0
do j=1,num_valid
if(abs(sums(i) - valid_sums(j)) > abs_tol) then
num_invalid = num_invalid + 1
endif
end do
! If num_invalid = num_valid, then we have failed to
! find a valid sum value within abs_tol of sums(i). This
! one failure is enough to halt the process.
if(num_invalid == num_valid) then
valid = .FALSE.
EXIT
endif
! Prepare index i for the next element of sums(:)
i = i + 1
if( i > num_rows) EXIT
end do SCAN_LOOP
end subroutine row_sum_checkSP_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
! ----------------------------------------------------------------------
!
! !IROUTINE: row_sum_checkDP_ - Check Row Sums vs. Valid Values
!
! !DESCRIPTION:
! Double precision version of row_sum_checkSP
!
! !INTERFACE:
subroutine row_sum_checkDP_(sMat, comm, num_valid, valid_sums, abs_tol, valid)
!
! !USES:
!
use m_die
use m_realkinds, only : DP, FP
implicit none
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
integer, intent(in) :: comm
integer, intent(in) :: num_valid
real(DP), intent(in) :: valid_sums(num_valid)
real(DP), intent(in) :: abs_tol
! !OUTPUT PARAMETERS:
logical, intent(out) :: valid
! !REVISION HISTORY:
! 15Jan01 - Jay Larson <larson@mcs.anl.gov> - API specification.
! 25Feb01 - Jay Larson <larson@mcs.anl.gov> - Prototype code.
! 06Jan03 - R. Jacob <jacob@mcs.anl.gov> - create DP and SP versions
! ______________________________________________________________________
!
character(len=*),parameter :: myname_=myname//'::row_sum_checkDP_'
integer :: i, j, num_invalid, num_rows
real(FP), dimension(:), pointer :: sums
! Compute row sums:
call row_sum(sMat, num_rows, sums, comm)
! Initialize for the scanning loop (assume the matrix row
! sums are valid):
valid = .TRUE.
i = 1
SCAN_LOOP: do
! Count the number of elements in valid_sums(:) that
! are separated from sums(i) by more than abs_tol
num_invalid = 0
do j=1,num_valid
if(abs(sums(i) - valid_sums(j)) > abs_tol) then
num_invalid = num_invalid + 1
endif
end do
! If num_invalid = num_valid, then we have failed to
! find a valid sum value within abs_tol of sums(i). This
! one failure is enough to halt the process.
if(num_invalid == num_valid) then
valid = .FALSE.
EXIT
endif
! Prepare index i for the next element of sums(:)
i = i + 1
if( i > num_rows) EXIT
end do SCAN_LOOP
end subroutine row_sum_checkDP_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: Sort_ - Generate Index Permutation
!
! !DESCRIPTION:
! The subroutine {\tt Sort\_()} uses a list of sorting keys defined by
! the input {\tt List} argument {\tt key\_list}, searches for the appropriate
! integer or real attributes referenced by the items in {\tt key\_list}
! ( that is, it identifies the appropriate entries in {sMat\%data\%iList}
! and {\tt sMat\%data\%rList}), and then uses these keys to generate an index
! permutation {\tt perm} that will put the nonzero matrix entries of stored
! in {\tt sMat\%data} in lexicographic order as defined by {\tt key\_ist}
! (the ordering in {\tt key\_list} being from left to right. The optional
! {\tt LOGICAL} array input argument {\tt descend} specifies whether or
! not to sort by each key in {\em descending} order or {\em ascending}
! order. Entries in {\tt descend} that have value {\tt .TRUE.} correspond
! to a sort by the corresponding key in descending order. If the argument
! {\tt descend} is not present, the sort is performed for all keys in
! ascending order.
!
! !INTERFACE:
subroutine Sort_(sMat, key_list, perm, descend)
!
! !USES:
!
use m_die , only : die
use m_stdio , only : stderr
use m_List , only : List
use m_AttrVect, only: AttrVect_Sort => Sort
implicit none
!
! !INPUT PARAMETERS:
type(SparseMatrix), intent(in) :: sMat
type(List), intent(in) :: key_list
logical, dimension(:), optional, intent(in) :: descend
!
! !OUTPUT PARAMETERS:
integer, dimension(:), pointer :: perm
! !REVISION HISTORY:
! 24Apr01 - J.W. Larson <larson@mcs.anl.gov> - initial prototype
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::Sort_'
if(present(descend)) then
call AttrVect_Sort(sMat%data, key_list, perm, descend)
else
call AttrVect_Sort(sMat%data, key_list, perm)
endif
end Subroutine Sort_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: Permute_ - Permute Matrix Elements using Supplied Index Permutation
!
! !DESCRIPTION:
! The subroutine {\tt Permute\_()} uses an input index permutation
! {\tt perm} to re-order the entries of the {\tt SparseMatrix} argument
! {\tt sMat}. The index permutation {\tt perm} is generated using the
! routine {\tt Sort\_()} (in this module).
!
! !INTERFACE:
subroutine Permute_(sMat, perm)
!
! !USES:
!
use m_die , only : die
use m_stdio , only : stderr
use m_AttrVect, only: AttrVect_Permute => Permute
implicit none
!
! !INPUT PARAMETERS:
integer, dimension(:), pointer :: perm
!
! !INPUT/OUTPUT PARAMETERS:
type(SparseMatrix), intent(inout) :: sMat
! !REVISION HISTORY:
! 24Apr01 - J.W. Larson <larson@mcs.anl.gov> - initial prototype
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::Permute_'
call AttrVect_Permute(sMat%data, perm)
end Subroutine Permute_
!~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
! Math and Computer Science Division, Argonne National Laboratory !
!BOP -------------------------------------------------------------------
!
! !IROUTINE: SortPermute_ - Sort and Permute Matrix Elements
!
! !DESCRIPTION:
! The subroutine {\tt SortPermute\_()} uses a list of sorting keys defined
! by the input {\tt List} argument {\tt key\_list}, searches for the
! appropriate integer or real attributes referenced by the items in
! {\tt key\_ist} ( that is, it identifies the appropriate entries in
! {sMat\%data\%iList} and {\tt sMat\%data\%rList}), and then uses these
! keys to generate an index permutation that will put the nonzero matrix
! entries of stored in {\tt sMat\%data} in lexicographic order as defined
! by {\tt key\_list} (the ordering in {\tt key\_list} being from left to
! right. The optional {\tt LOGICAL} array input argument {\tt descend}
! specifies whether or not to sort by each key in {\em descending} order
! or {\em ascending} order. Entries in {\tt descend} that have value
! {\tt .TRUE.} correspond to a sort by the corresponding key in descending
! order. If the argument {\tt descend} is not present, the sort is
! performed for all keys in ascending order.
!
! Once this index permutation is created, it is applied to re-order the
! entries of the {\tt SparseMatrix} argument {\tt sMat} accordingly.
!
! !INTERFACE:
subroutine SortPermute_(sMat, key_list, descend)
!
! !USES:
!
use m_die , only : die
use m_stdio , only : stderr
use m_List , only : List
implicit none
!
! !INPUT PARAMETERS:
type(List), intent(in) :: key_list
logical, dimension(:), optional, intent(in) :: descend
!
! !INPUT/OUTPUT PARAMETERS:
type(SparseMatrix), intent(inout) :: sMat
! !REVISION HISTORY:
! 24Apr01 - J.W. Larson <larson@mcs.anl.gov> - initial prototype
!EOP ___________________________________________________________________
character(len=*),parameter :: myname_=myname//'::SortPermute_'
integer :: ier
integer, dimension(:), pointer :: perm
! Create index permutation perm(:)
if(present(descend)) then
call Sort_(sMat, key_list, perm, descend)
else
call Sort_(sMat, key_list, perm)
endif
! Apply index permutation perm(:) to re-order sMat:
call Permute_(sMat, perm)
! Clean up
deallocate(perm, stat=ier)
if(ier/=0) call die(myname_, "deallocate(perm)", ier)
end subroutine SortPermute_
end module m_SparseMatrix
| 33,098
|
https://github.com/FreedomFries37/AutoMakeFile/blob/master/AutoMakeFile/core/input/resource_collectors/RegexDirectoryCollector.cs
|
Github Open Source
|
Open Source
|
MIT
| null |
AutoMakeFile
|
FreedomFries37
|
C#
|
Code
| 59
| 175
|
using System.Collections.Generic;
using System.IO;
using System.Text.RegularExpressions;
namespace AutoMakeFile.core.input.resource_collectors {
// TODO: Implement regex collection within a directory
public class RegexDirectoryCollector : DirectoryCollector{
public Regex pattern { get; }
public RegexDirectoryCollector(string path, string pattern) : base(path) {
this.pattern = new Regex(pattern);
}
public override List<FileInfo> GetFiles() {
return base.GetFiles();
}
public override bool Verify() {
return base.Verify();
}
}
}
| 20,135
|
https://github.com/fgretief/SoftPosit.Net/blob/master/src/SoftPosit.Net/Posits/Internal/i32_to_p64.cs
|
Github Open Source
|
Open Source
|
MIT
| null |
SoftPosit.Net
|
fgretief
|
C#
|
Code
| 350
| 848
|
// SPDX-License-Identifier: MIT
using System.Diagnostics;
namespace System.Numerics.Posits.Internal
{
using posit64_t = Posit64;
internal static partial class Native
{
public static posit64_t i32_to_p64(in int value)
{
if (value == int.MinValue)
{
return new Posit64(0x8480_0000_0000_0000ul); // -2147483648
}
var sign = value < 0;
int iA = sign ? -value : value;
Console.WriteLine(" sign={0}, value={1} {2:X8}", sign ? '-' : '+', iA, iA);
ulong uiZ;
if (iA < 2)
{
uiZ = (ulong)iA << 62; // 0, 1, -1
}
else
{
Debug.Assert(iA > 0, "must be positive");
// output environment
const int psZ = 64;
const int esZ = 3;
// The maximum value that can reach this point
// is 2147483647, which can fit in 31 bits.
const int nbits = 31;
Debug.Assert(nbits > 0);
var log2 = nbits - 1;
var fracA = (ulong)iA;
var mask = 1ul << log2;
Debug.Assert((fracA & ~((1u << nbits) - 1)) == 0, "Upper bits must be clear");
Debug.Assert(fracA != 0, "Can cause an infinite loop");
while ((fracA & mask) == 0)
{
log2--;
fracA <<= 1;
}
fracA ^= mask; // clear silent one
const ulong signMaskZ = 1ul << (psZ - 1);
var k = (sbyte)(log2 >> esZ);
var regimeZ = (signMaskZ - 1) ^ (((signMaskZ >> 1) - 1) >> k);
var expZ = (ulong)(log2 % (1 << esZ)) << ((psZ - 1) - (k + 2) - esZ);
var shift = (nbits - psZ) + (k + 2) + esZ;
var fracZ = shift < 0 ? fracA << -shift : fracA >> shift;
uiZ = regimeZ | expZ | fracZ;
var bitNPlusOneShift = psZ - (k + 2) - esZ;
if (!(bitNPlusOneShift < nbits))
{
//Console.WriteLine("!! No rounding needed. Enough space to fit input");
}
else
{
var bitNPlusOneMask = mask >> bitNPlusOneShift;
if ((bitNPlusOneMask & fracA) != 0)
{
var bitLastMask = bitNPlusOneMask << 1;
var bitsMoreMask = bitNPlusOneMask - 1;
// logic for round to nearest, tie to even
if (((bitLastMask | bitsMoreMask) & fracA) != 0)
{
uiZ++;
}
}
}
Debug.Assert(uiZ == ConvertUIntToPositImpl(iA, 31, 64, 3));
}
return new Posit64(sign, uiZ);
}
}
}
| 31,721
|
https://github.com/LukeAndersonTrocme/genome_simulations/blob/master/misc/test_txt_pedigree.py
|
Github Open Source
|
Open Source
|
MIT
| 2,023
|
genome_simulations
|
LukeAndersonTrocme
|
Python
|
Code
| 109
| 357
|
import os
import pandas as pd
import numpy as np
import msprime
chromosome = 22
out_file = "./test_run_chr%s.ts" % chromosome
# define appropriate mutation rate
mutation_rate = 2.36e-8 # From Gutenkunst 2009
# define appropriate demography model
demography = msprime.Demography._ooa_model()
# recombination map from stdpopsim
# https://stdpopsim.s3-us-west-2.amazonaws.com/genetic_maps/HomSap/HapmapII_GRCh37_RecombinationHotspots.tar.gz
fn = "./genetic_map_GRCh37_chr%s.txt" % chromosome
map = pd.read_csv(fn, sep = "\t", nrows = 5)
pos = map.loc[:,"Position(bp)"].values
pos = np.insert(pos, 0, 0) # add start position
rate = map.loc[:,"Map(cM)"].values
# make custom rate map
rate_map = msprime.RateMap(position=pos, rate=rate)
# initialize msprime pedigree
labaie_str = "./test_genealogy.txt"
source_pop_id = "CEU" # population ID of founders
pedigree = balsac_tools.read_balsac_file(labaie_str, "CEU", pop_id=0, )
assert
assert
assert
| 44,844
|
https://github.com/membase/ep-engine/blob/master/management/clitool.py
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,022
|
ep-engine
|
membase
|
Python
|
Code
| 245
| 842
|
import optparse
import socket
import sys
import mc_bin_client
class CliTool(object):
def __init__(self, extraUsage=""):
self.cmds = {}
self.flags = {}
self.extraUsage = extraUsage.strip()
self.parser = optparse.OptionParser(
usage="%prog host[:dataport] command [options]\n\n"
"dataport [default:11210]")
def addCommand(self, name, f, help=None):
if not help:
help = name
self.cmds[name] = (f, help)
def addFlag(self, flag, key, description):
self.flags[flag] = description
self.parser.add_option(flag, dest=key, action='store_true',
help=description)
def addHiddenFlag(self, flag, key):
self.parser.add_option(flag, dest=key, action='store_true',
help=optparse.SUPPRESS_HELP)
def addOption(self, flag, key, description):
self.flags[flag] = description
self.parser.add_option(flag, dest=key, action='store',
help=description)
def execute(self):
self.parser.usage += "\n" + self.format_command_list()
opts, args = self.parser.parse_args()
if len(args) < 2:
print >> sys.stderr, self.parser.error("Too few arguments")
sys.exit(2)
hp, self.cmd = args[:2]
if ':' in hp:
host, port = hp.split(':', 1)
try:
port = int(port)
except ValueError:
print >> sys.stderr, self.parser.error(
"invalid host[:dataport]")
sys.exit(2)
else:
host = hp
port = 11210
try:
mc = mc_bin_client.MemcachedClient(host, port)
except socket.gaierror, e:
print 'Connection error: %s' % e
sys.exit(1)
f = self.cmds.get(self.cmd)
if not f:
print self.parser.error("Unknown command")
try:
if callable(f[0]):
f[0](mc, *args[2:], **opts.__dict__)
else:
getattr(mc, f[0])(*args[2:])
except socket.error, e:
# "Broken pipe" is confusing, so print "Connection refused" instead.
if type(e) is tuple and e[0] == 32 or \
isinstance(e, socket.error) and e.errno == 32:
print >> sys.stderr, "Could not connect to %s:%d: " \
"Connection refused" % (host, port)
else:
raise
def format_command_list(self):
output = ""
cmds = sorted(c[1] for c in self.cmds.values())
output += "\nCommands:\n"
for c in cmds:
output += " %s\n" % c
output = output[:-1]
output += self.extraUsage
return output
| 10,528
|
https://github.com/rcore-os/arceos/blob/master/crates/memory_addr/src/lib.rs
|
Github Open Source
|
Open Source
|
Apache-2.0, AGPL-3.0-only, LicenseRef-scancode-mulanpubl-2.0, AGPL-3.0-or-later, GPL-3.0-only, MulanPSL-2.0, LicenseRef-scancode-unknown-license-reference, LicenseRef-scancode-mulanpsl-2.0-en
| 2,023
|
arceos
|
rcore-os
|
Rust
|
Code
| 1,199
| 3,176
|
#![no_std]
#![feature(const_mut_refs)]
#![doc = include_str!("../README.md")]
use core::fmt;
use core::ops::{Add, AddAssign, Sub, SubAssign};
/// The size of a 4K page (4096 bytes).
pub const PAGE_SIZE_4K: usize = 0x1000;
/// Align address downwards.
///
/// Returns the greatest `x` with alignment `align` so that `x <= addr`.
///
/// The alignment must be a power of two.
#[inline]
pub const fn align_down(addr: usize, align: usize) -> usize {
addr & !(align - 1)
}
/// Align address upwards.
///
/// Returns the smallest `x` with alignment `align` so that `x >= addr`.
///
/// The alignment must be a power of two.
#[inline]
pub const fn align_up(addr: usize, align: usize) -> usize {
(addr + align - 1) & !(align - 1)
}
/// Returns the offset of the address within the alignment.
///
/// Equivalent to `addr % align`, but the alignment must be a power of two.
#[inline]
pub const fn align_offset(addr: usize, align: usize) -> usize {
addr & (align - 1)
}
/// Checks whether the address has the demanded alignment.
///
/// Equivalent to `addr % align == 0`, but the alignment must be a power of two.
#[inline]
pub const fn is_aligned(addr: usize, align: usize) -> bool {
align_offset(addr, align) == 0
}
/// Align address downwards to 4096 (bytes).
#[inline]
pub const fn align_down_4k(addr: usize) -> usize {
align_down(addr, PAGE_SIZE_4K)
}
/// Align address upwards to 4096 (bytes).
#[inline]
pub const fn align_up_4k(addr: usize) -> usize {
align_up(addr, PAGE_SIZE_4K)
}
/// Returns the offset of the address within a 4K-sized page.
#[inline]
pub const fn align_offset_4k(addr: usize) -> usize {
align_offset(addr, PAGE_SIZE_4K)
}
/// Checks whether the address is 4K-aligned.
#[inline]
pub const fn is_aligned_4k(addr: usize) -> bool {
is_aligned(addr, PAGE_SIZE_4K)
}
/// A physical memory address.
///
/// It's a wrapper type around an `usize`.
#[repr(transparent)]
#[derive(Copy, Clone, Default, Ord, PartialOrd, Eq, PartialEq)]
pub struct PhysAddr(usize);
/// A virtual memory address.
///
/// It's a wrapper type around an `usize`.
#[repr(transparent)]
#[derive(Copy, Clone, Default, Ord, PartialOrd, Eq, PartialEq)]
pub struct VirtAddr(usize);
impl PhysAddr {
/// Converts an `usize` to a physical address.
#[inline]
pub const fn from(addr: usize) -> Self {
Self(addr)
}
/// Converts the address to an `usize`.
#[inline]
pub const fn as_usize(self) -> usize {
self.0
}
/// Aligns the address downwards to the given alignment.
///
/// See the [`align_down`] function for more information.
#[inline]
pub fn align_down<U>(self, align: U) -> Self
where
U: Into<usize>,
{
Self(align_down(self.0, align.into()))
}
/// Aligns the address upwards to the given alignment.
///
/// See the [`align_up`] function for more information.
#[inline]
pub fn align_up<U>(self, align: U) -> Self
where
U: Into<usize>,
{
Self(align_up(self.0, align.into()))
}
/// Returns the offset of the address within the given alignment.
///
/// See the [`align_offset`] function for more information.
#[inline]
pub fn align_offset<U>(self, align: U) -> usize
where
U: Into<usize>,
{
align_offset(self.0, align.into())
}
/// Checks whether the address has the demanded alignment.
///
/// See the [`is_aligned`] function for more information.
#[inline]
pub fn is_aligned<U>(self, align: U) -> bool
where
U: Into<usize>,
{
is_aligned(self.0, align.into())
}
/// Aligns the address downwards to 4096 (bytes).
#[inline]
pub fn align_down_4k(self) -> Self {
self.align_down(PAGE_SIZE_4K)
}
/// Aligns the address upwards to 4096 (bytes).
#[inline]
pub fn align_up_4k(self) -> Self {
self.align_up(PAGE_SIZE_4K)
}
/// Returns the offset of the address within a 4K-sized page.
#[inline]
pub fn align_offset_4k(self) -> usize {
self.align_offset(PAGE_SIZE_4K)
}
/// Checks whether the address is 4K-aligned.
#[inline]
pub fn is_aligned_4k(self) -> bool {
self.is_aligned(PAGE_SIZE_4K)
}
}
impl VirtAddr {
/// Converts an `usize` to a virtual address.
#[inline]
pub const fn from(addr: usize) -> Self {
Self(addr)
}
/// Converts the address to an `usize`.
#[inline]
pub const fn as_usize(self) -> usize {
self.0
}
/// Converts the virtual address to a raw pointer.
#[inline]
pub const fn as_ptr(self) -> *const u8 {
self.0 as *const u8
}
/// Converts the virtual address to a mutable raw pointer.
#[inline]
pub const fn as_mut_ptr(self) -> *mut u8 {
self.0 as *mut u8
}
/// Aligns the address downwards to the given alignment.
///
/// See the [`align_down`] function for more information.
#[inline]
pub fn align_down<U>(self, align: U) -> Self
where
U: Into<usize>,
{
Self(align_down(self.0, align.into()))
}
/// Aligns the address upwards to the given alignment.
///
/// See the [`align_up`] function for more information.
#[inline]
pub fn align_up<U>(self, align: U) -> Self
where
U: Into<usize>,
{
Self(align_up(self.0, align.into()))
}
/// Returns the offset of the address within the given alignment.
///
/// See the [`align_offset`] function for more information.
#[inline]
pub fn align_offset<U>(self, align: U) -> usize
where
U: Into<usize>,
{
align_offset(self.0, align.into())
}
/// Checks whether the address has the demanded alignment.
///
/// See the [`is_aligned`] function for more information.
#[inline]
pub fn is_aligned<U>(self, align: U) -> bool
where
U: Into<usize>,
{
is_aligned(self.0, align.into())
}
/// Aligns the address downwards to 4096 (bytes).
#[inline]
pub fn align_down_4k(self) -> Self {
self.align_down(PAGE_SIZE_4K)
}
/// Aligns the address upwards to 4096 (bytes).
#[inline]
pub fn align_up_4k(self) -> Self {
self.align_up(PAGE_SIZE_4K)
}
/// Returns the offset of the address within a 4K-sized page.
#[inline]
pub fn align_offset_4k(self) -> usize {
self.align_offset(PAGE_SIZE_4K)
}
/// Checks whether the address is 4K-aligned.
#[inline]
pub fn is_aligned_4k(self) -> bool {
self.is_aligned(PAGE_SIZE_4K)
}
}
impl From<usize> for PhysAddr {
#[inline]
fn from(addr: usize) -> Self {
Self(addr)
}
}
impl From<usize> for VirtAddr {
#[inline]
fn from(addr: usize) -> Self {
Self(addr)
}
}
impl From<PhysAddr> for usize {
#[inline]
fn from(addr: PhysAddr) -> usize {
addr.0
}
}
impl From<VirtAddr> for usize {
#[inline]
fn from(addr: VirtAddr) -> usize {
addr.0
}
}
impl Add<usize> for PhysAddr {
type Output = Self;
#[inline]
fn add(self, rhs: usize) -> Self {
Self(self.0 + rhs)
}
}
impl AddAssign<usize> for PhysAddr {
#[inline]
fn add_assign(&mut self, rhs: usize) {
*self = *self + rhs;
}
}
impl Sub<usize> for PhysAddr {
type Output = Self;
#[inline]
fn sub(self, rhs: usize) -> Self {
Self(self.0 - rhs)
}
}
impl SubAssign<usize> for PhysAddr {
#[inline]
fn sub_assign(&mut self, rhs: usize) {
*self = *self - rhs;
}
}
impl Add<usize> for VirtAddr {
type Output = Self;
#[inline]
fn add(self, rhs: usize) -> Self {
Self(self.0 + rhs)
}
}
impl AddAssign<usize> for VirtAddr {
#[inline]
fn add_assign(&mut self, rhs: usize) {
*self = *self + rhs;
}
}
impl Sub<usize> for VirtAddr {
type Output = Self;
#[inline]
fn sub(self, rhs: usize) -> Self {
Self(self.0 - rhs)
}
}
impl SubAssign<usize> for VirtAddr {
#[inline]
fn sub_assign(&mut self, rhs: usize) {
*self = *self - rhs;
}
}
impl fmt::Debug for PhysAddr {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_fmt(format_args!("PA:{:#x}", self.0))
}
}
impl fmt::Debug for VirtAddr {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_fmt(format_args!("VA:{:#x}", self.0))
}
}
impl fmt::LowerHex for PhysAddr {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_fmt(format_args!("PA:{:#x}", self.0))
}
}
impl fmt::UpperHex for PhysAddr {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_fmt(format_args!("PA:{:#X}", self.0))
}
}
impl fmt::LowerHex for VirtAddr {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_fmt(format_args!("VA:{:#x}", self.0))
}
}
impl fmt::UpperHex for VirtAddr {
#[inline]
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_fmt(format_args!("VA:{:#X}", self.0))
}
}
| 2,374
|
https://github.com/thanhcuong1990/react-native-SDWebImage/blob/master/ios/RNSDWebImage/WebImageView.h
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
react-native-SDWebImage
|
thanhcuong1990
|
C
|
Code
| 54
| 246
|
#import <UIKit/UIKit.h>
#import <SDWebImage/UIImageView+WebCache.h>
#import <SDWebImage/SDWebImageDownloader.h>
#import <React/RCTComponent.h>
#import <React/RCTResizeMode.h>
#import "WebImageSource.h"
#import <FLAnimatedImage/FLAnimatedImageView.h>
@interface WebImageView : FLAnimatedImageView
@property (nonatomic, copy) RCTDirectEventBlock onWebImageLoadStart;
@property (nonatomic, copy) RCTDirectEventBlock onWebImageProgress;
@property (nonatomic, copy) RCTDirectEventBlock onWebImageError;
@property (nonatomic, copy) RCTDirectEventBlock onWebImageLoad;
@property (nonatomic, copy) RCTDirectEventBlock onWebImageLoadEnd;
@property (nonatomic, assign) RCTResizeMode resizeMode;
@property (nonatomic, strong) WebImageSource *source;
@end
| 35,596
|
https://github.com/definiteIymaybe/website-screenshot/blob/master/src/components/form/CheckBox.vue
|
Github Open Source
|
Open Source
|
MIT
| 2,020
|
website-screenshot
|
definiteIymaybe
|
Vue
|
Code
| 8
| 37
|
<template functional>
<FontAwesomeIcon icon="check-circle" size="lg" class="text-primary-400" />
</template>
| 785
|
https://github.com/aytugeren/AspNetMicroservices/blob/master/src/Services/Ordering/Ordering.Infrastructure/Persistence/OrderContextSeed.cs
|
Github Open Source
|
Open Source
|
MIT
| null |
AspNetMicroservices
|
aytugeren
|
C#
|
Code
| 116
| 398
|
using Microsoft.Extensions.Logging;
using Ordering.Domain.Entities;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace Ordering.Infrastructure.Persistence
{
public class OrderContextSeed
{
public static async Task SeedAsync(OrderContext orderContext, ILogger<OrderContextSeed> logger)
{
if (!orderContext.Orders.Any())
{
orderContext.Orders.AddRange(GetPreconfiguredOrders());
await orderContext.SaveChangesAsync();
logger.LogInformation("Seed database associated with context {DbContextName}", typeof(OrderContext).Name);
}
}
private static IEnumerable<Order> GetPreconfiguredOrders()
{
return new List<Order>
{
new Order() {
UserName = "swn",
FirstName = "Mehmet",
LastName = "Ozkaya",
EmailAddress = "ezozkme@gmail.com",
AddressLine = "Bahcelievler",
Country = "Turkey",
TotalPrice = 350,
CardName = "Deneme",
CardNumber = "123456",
CVV = "123",
Expiration = "Deneme",
CreatedBy = "Aytug",
CreatedDate = DateTime.Now,
LastModifiedBy = "Aytug",
LastModifiedDate = DateTime.Now,
PaymentMethod = 2,
ZipCode = "123",
State = "Aktif"
}
};
}
}
}
| 5,700
|
https://github.com/kidharb/tsee/blob/master/mpeg2psi/_known_tables.py
|
Github Open Source
|
Open Source
|
Unlicense
| 2,020
|
tsee
|
kidharb
|
Python
|
Code
| 1,407
| 6,156
|
SAMPLE_CAT = [
0x01, 0xB0, 0x0F, 0xFF, 0xFF, 0xC1, 0x00, 0x00, 0x09,
0x04, 0x06, 0x06, 0x05, 0x00, 0x90, 0x64, 0xC6, 0xD0]
SAMPLE_PAT = [
0x00, 0xB0, 0x61, 0x00, 0x10, 0xE1, 0x00, 0x00, 0x06, 0x45, 0xE7, 0xC0,
0x06, 0x47, 0xE7, 0x43, 0x06, 0x49, 0xE7, 0x75, 0x06, 0x4D, 0xE7, 0xF2,
0x06, 0x4E, 0xE6, 0x62, 0x06, 0x53, 0xE7, 0xB0, 0x06, 0x54, 0xE8, 0x1F,
0x06, 0x5E, 0xE8, 0x1C, 0x06, 0x68, 0xE8, 0x18, 0x06, 0x6D, 0xE8, 0x10,
0x06, 0x78, 0xE7, 0x71, 0x06, 0x79, 0xE7, 0x6D, 0x06, 0x7A, 0xE7, 0x6A,
0x06, 0x7B, 0xE0, 0x20, 0x06, 0x7C, 0xE7, 0x64, 0x06, 0x9F, 0xE6, 0x46,
0x06, 0xA0, 0xE7, 0xD3, 0x0C, 0x51, 0xE6, 0x49, 0x27, 0x1A, 0xE6, 0x67,
0x27, 0x1B, 0xE6, 0x64, 0x27, 0x1C, 0xE6, 0x43, 0x27, 0x1D, 0xE6, 0x40,
0xAA, 0xFE, 0x7C, 0xBF]
SAMPLE_PMT = [
0x02, 0xB0, 0x48, 0x03, 0xF2, 0xC3, 0x00, 0x00, 0xE7, 0xD3, 0xF0, 0x08,
0x09, 0x06, 0x06, 0x06, 0xE5, 0xF4, 0xFF, 0xF1, 0x1B, 0xE7, 0xD3, 0xF0,
0x03, 0x1B, 0x01, 0xFF, 0x04, 0xE7, 0xD4, 0xF0, 0x06, 0x0A, 0x04, 0x65,
0x6E, 0x67, 0x01, 0x06, 0xE7, 0xD5, 0xF0, 0x10, 0x0A, 0x04, 0x65, 0x6E,
0x67, 0x00, 0x05, 0x04, 0x41, 0x43, 0x2D, 0x33, 0x6A, 0x02, 0x80, 0x02,
0x04, 0xE7, 0xD6, 0xF0, 0x06, 0x0A, 0x04, 0x65, 0x6E, 0x67, 0x00, 0x11,
0xF6, 0x2C, 0x03]
SAMPLE_NIT_1 = [
0x40, 0xF0, 0x91, 0x18, 0x00, 0xC3, 0x01, 0x01, 0xF0, 0x00, 0xF0, 0x84,
0x00, 0x0B, 0x18, 0x00, 0xF0, 0x36, 0x43, 0x0B, 0x01, 0x10, 0x50, 0x00,
0x06, 0x85, 0x81, 0x03, 0x00, 0x00, 0x04, 0x41, 0x27, 0x04, 0x56, 0x01,
0x04, 0x60, 0x01, 0x04, 0x6A, 0x01, 0x04, 0x74, 0x01, 0x04, 0x7E, 0x01,
0x04, 0x88, 0x01, 0x04, 0x92, 0x01, 0x04, 0x9C, 0x01, 0x04, 0xA6, 0x01,
0x04, 0xA9, 0x01, 0x04, 0xAA, 0x01, 0x04, 0xAB, 0x01, 0x04, 0xAF, 0x91,
0x00, 0x0C, 0x18, 0x00, 0xF0, 0x21, 0x43, 0x0B, 0x01, 0x15, 0x54, 0x00,
0x06, 0x85, 0xA1, 0x03, 0x00, 0x00, 0x04, 0x41, 0x12, 0x2E, 0xEA, 0x01,
0x2E, 0xF4, 0x01, 0x2E, 0xFE, 0x01, 0x2F, 0x08, 0x91, 0x2F, 0x12, 0x01,
0x2F, 0x1C, 0x01, 0x00, 0x0D, 0x18, 0x00, 0xF0, 0x1B, 0x43, 0x0B, 0x01,
0x10, 0x90, 0x00, 0x06, 0x85, 0x96, 0x03, 0x00, 0x00, 0x02, 0x41, 0x0C,
0x05, 0x1E, 0x01, 0x05, 0x28, 0x01, 0x05, 0x32, 0x01, 0x05, 0x46, 0x01,
0xCF, 0x1B, 0xEC, 0xB1]
SAMPLE_NIT_0 = [
0x40, 0xF3, 0xF6, 0x18, 0x00, 0xC3, 0x00, 0x01, 0xF0, 0x0E, 0x40, 0x0C,
0x44, 0x53, 0x54, 0x76, 0x20, 0x4E, 0x65, 0x74, 0x77, 0x6F, 0x72, 0x6B,
0xF3, 0xDB, 0x00, 0x14, 0x18, 0x00, 0xF0, 0x42, 0x43, 0x0B, 0x01, 0x15,
0x94, 0x00, 0x06, 0x85, 0xA1, 0x02, 0x75, 0x00, 0x04, 0x41, 0x33, 0x00,
0x6E, 0x01, 0x00, 0x78, 0x01, 0x00, 0x82, 0x01, 0x00, 0x8C, 0x01, 0x00,
0x91, 0x01, 0x00, 0x96, 0x01, 0x00, 0x9B, 0x01, 0x00, 0xA0, 0x01, 0x00,
0xB4, 0x01, 0x00, 0xBE, 0x01, 0x00, 0xC3, 0x01, 0x0C, 0x56, 0x02, 0x0C,
0x57, 0x02, 0x0C, 0x59, 0x02, 0x0C, 0x69, 0x02, 0x27, 0x10, 0x80, 0x27,
0x11, 0x80, 0x00, 0x02, 0x18, 0x00, 0xF0, 0x51, 0x43, 0x0B, 0x01, 0x09,
0x70, 0x00, 0x06, 0x85, 0xA1, 0x03, 0x00, 0x00, 0x04, 0x41, 0x42, 0x00,
0xF0, 0x01, 0x00, 0xFA, 0x01, 0x00, 0xFB, 0x01, 0x00, 0xFC, 0x02, 0x01,
0x04, 0x01, 0x01, 0x09, 0x01, 0x01, 0x0A, 0x91, 0x01, 0x0E, 0x01, 0x01,
0x18, 0x01, 0x01, 0x1E, 0x01, 0x01, 0x25, 0x01, 0x01, 0x26, 0x91, 0x01,
0x27, 0x01, 0x01, 0x28, 0x01, 0x01, 0x2A, 0x01, 0x01, 0x2B, 0x01, 0x0C,
0x68, 0x02, 0x0C, 0x6C, 0x02, 0x0C, 0x6D, 0x02, 0x27, 0x12, 0x80, 0x27,
0x13, 0x80, 0x27, 0x14, 0x80, 0x00, 0x03, 0x18, 0x00, 0xF0, 0xA8, 0x43,
0x0B, 0x01, 0x11, 0x30, 0x00, 0x06, 0x85, 0xA1, 0x03, 0x00, 0x00, 0x04,
0x41, 0x99, 0x01, 0x36, 0x01, 0x01, 0x48, 0x01, 0x01, 0x49, 0x01, 0x01,
0x4A, 0x01, 0x01, 0x54, 0x01, 0x01, 0x5E, 0x01, 0x01, 0x77, 0x01, 0x01,
0x7C, 0x01, 0x01, 0x83, 0x01, 0x01, 0x86, 0x01, 0x0B, 0xB9, 0x02, 0x0B,
0xBA, 0x02, 0x0B, 0xBB, 0x02, 0x0B, 0xBC, 0x02, 0x0B, 0xBD, 0x02, 0x0B,
0xBE, 0x02, 0x0B, 0xBF, 0x02, 0x0B, 0xC0, 0x02, 0x0B, 0xC1, 0x02, 0x0B,
0xC2, 0x02, 0x0B, 0xC3, 0x02, 0x0B, 0xC4, 0x02, 0x0B, 0xC5, 0x02, 0x0B,
0xC6, 0x02, 0x0B, 0xC7, 0x02, 0x0B, 0xC8, 0x02, 0x0B, 0xC9, 0x02, 0x0B,
0xCA, 0x02, 0x0B, 0xCB, 0x02, 0x0B, 0xCC, 0x02, 0x0B, 0xCD, 0x02, 0x0B,
0xCE, 0x02, 0x0B, 0xCF, 0x02, 0x0B, 0xD0, 0x02, 0x0B, 0xD1, 0x02, 0x0B,
0xD2, 0x02, 0x0B, 0xD3, 0x02, 0x0B, 0xD4, 0x02, 0x0B, 0xD5, 0x02, 0x0B,
0xD6, 0x02, 0x0B, 0xD7, 0x02, 0x0B, 0xD8, 0x02, 0x0B, 0xD9, 0x02, 0x0B,
0xDA, 0x02, 0x0B, 0xDB, 0x02, 0x0B, 0xDC, 0x02, 0x0B, 0xDD, 0x02, 0x0B,
0xDE, 0x02, 0x0B, 0xDF, 0x02, 0x0B, 0xE0, 0x02, 0x0C, 0x1C, 0x0C, 0x00,
0x04, 0x18, 0x00, 0xF0, 0x4E, 0x43, 0x0B, 0x01, 0x10, 0x90, 0x00, 0x06,
0x85, 0xA1, 0x03, 0x00, 0x00, 0x04, 0x41, 0x3F, 0x01, 0xA4, 0x01, 0x01,
0xA9, 0x01, 0x01, 0xAE, 0x01, 0x01, 0xAF, 0x01, 0x01, 0xB8, 0x01, 0x01,
0xC2, 0x01, 0x01, 0xC7, 0x01, 0x01, 0xD1, 0x01, 0x01, 0xD6, 0x01, 0x01,
0xE0, 0x01, 0x01, 0xEC, 0x01, 0x01, 0xED, 0x01, 0x01, 0xEF, 0x01, 0x01,
0xF1, 0x01, 0x01, 0xF2, 0x01, 0x01, 0xF3, 0x91, 0x0C, 0x4C, 0x02, 0x0C,
0x4D, 0x02, 0x0C, 0x64, 0x02, 0x27, 0x15, 0x80, 0x27, 0x17, 0x80, 0x00,
0x05, 0x18, 0x00, 0xF0, 0x7E, 0x43, 0x0B, 0x01, 0x10, 0x50, 0x00, 0x06,
0x85, 0xA1, 0x03, 0x00, 0x00, 0x04, 0x41, 0x6F, 0x01, 0xFE, 0x01, 0x02,
0x03, 0x01, 0x02, 0x08, 0x01, 0x02, 0x0D, 0x01, 0x02, 0x17, 0x91, 0x02,
0x1C, 0x01, 0x02, 0x26, 0x01, 0x02, 0x2B, 0x02, 0x02, 0x30, 0x01, 0x02,
0x31, 0x01, 0x02, 0x35, 0x01, 0x02, 0x36, 0x91, 0x02, 0x44, 0x01, 0x02,
0x45, 0x01, 0x02, 0x4E, 0x01, 0x02, 0x4F, 0x01, 0x02, 0x50, 0x91, 0x02,
0x51, 0x91, 0x06, 0x59, 0x91, 0x0C, 0x45, 0x02, 0x0C, 0x46, 0x02, 0x0C,
0x47, 0x02, 0x0C, 0x48, 0x02, 0x0C, 0x4A, 0x02, 0x0C, 0x4B, 0x02, 0x0C,
0x4F, 0x02, 0x0C, 0x5C, 0x02, 0x0C, 0x5E, 0x02, 0x0C, 0x5F, 0x02, 0x13,
0x92, 0x0C, 0x13, 0x9C, 0x0C, 0x13, 0xA6, 0x0C, 0x13, 0xB0, 0x0C, 0x13,
0xBA, 0x0C, 0x13, 0xEC, 0x80, 0x27, 0x18, 0x80, 0x27, 0x19, 0x80, 0x00,
0x10, 0x18, 0x00, 0xF0, 0x57, 0x43, 0x0B, 0x01, 0x10, 0x10, 0x00, 0x06,
0x85, 0xA1, 0x03, 0x00, 0x00, 0x04, 0x41, 0x48, 0x06, 0x45, 0x91, 0x06,
0x47, 0x91, 0x06, 0x49, 0x91, 0x06, 0x4D, 0x01, 0x06, 0x4E, 0x01, 0x06,
0x53, 0x91, 0x06, 0x54, 0x01, 0x06, 0x5E, 0x01, 0x06, 0x68, 0x01, 0x06,
0x6D, 0x01, 0x06, 0x78, 0x91, 0x06, 0x79, 0x91, 0x06, 0x7A, 0x91, 0x06,
0x7B, 0x91, 0x06, 0x7C, 0x91, 0x06, 0x9F, 0x91, 0x06, 0xA0, 0x91, 0x06,
0xA3, 0x01, 0x0C, 0x51, 0x02, 0x0C, 0x58, 0x02, 0x27, 0x1A, 0x80, 0x27,
0x1B, 0x80, 0x27, 0x1C, 0x80, 0x27, 0x1D, 0x80, 0x00, 0x88, 0x18, 0x00,
0xF0, 0x72, 0x43, 0x0B, 0x01, 0x09, 0x70, 0x00, 0x06, 0x85, 0x81, 0x03,
0x00, 0x00, 0x04, 0x41, 0x63, 0x00, 0x02, 0x91, 0x00, 0x70, 0x01, 0x00,
0x7C, 0x01, 0x00, 0x88, 0x01, 0x00, 0xB8, 0x01, 0x00, 0xB9, 0x01, 0x00,
0xC4, 0x01, 0x00, 0xC5, 0x01, 0x00, 0xD0, 0x01, 0x00, 0xDC, 0x01, 0x00,
0xE1, 0x01, 0x03, 0x84, 0x01, 0x03, 0x86, 0x01, 0x03, 0x87, 0x91, 0x03,
0x8A, 0x01, 0x03, 0x8C, 0x01, 0x03, 0xFA, 0x91, 0x08, 0x0E, 0x91, 0x0C,
0x5D, 0x02, 0x0C, 0x60, 0x02, 0x0C, 0x61, 0x02, 0x0C, 0x62, 0x02, 0x0C,
0x63, 0x02, 0x0C, 0x75, 0x02, 0x17, 0x75, 0x91, 0x17, 0x76, 0x91, 0x17,
0x77, 0x91, 0x1B, 0x5F, 0x91, 0x1F, 0x48, 0x91, 0x1F, 0x49, 0x91, 0x27,
0x16, 0x80, 0x27, 0x1E, 0x80, 0x27, 0x1F, 0x80, 0x00, 0x13, 0x18, 0x00,
0xF0, 0x4E, 0x43, 0x0B, 0x01, 0x10, 0x10, 0x00, 0x06, 0x85, 0x81, 0x03,
0x00, 0x00, 0x04, 0x41, 0x3F, 0x07, 0x70, 0x91, 0x07, 0x71, 0x01, 0x07,
0x73, 0x01, 0x07, 0x76, 0x01, 0x07, 0x80, 0x01, 0x07, 0x8A, 0x01, 0x07,
0x94, 0x01, 0x07, 0x9E, 0x01, 0x07, 0xA8, 0x01, 0x07, 0xB2, 0x01, 0x07,
0xB3, 0x01, 0x07, 0xB4, 0x01, 0x07, 0xB7, 0x01, 0x07, 0xBC, 0x01, 0x07,
0xC1, 0x01, 0x07, 0xC6, 0x01, 0x07, 0xCB, 0x01, 0x07, 0xCC, 0x0C, 0x0C,
0x52, 0x02, 0x0C, 0x53, 0x02, 0x0C, 0x54, 0x02, 0x00, 0x15, 0x18, 0x00,
0xF0, 0x4B, 0x43, 0x0B, 0x01, 0x11, 0x70, 0x00, 0x06, 0x85, 0x81, 0x03,
0x00, 0x00, 0x04, 0x41, 0x3C, 0x08, 0x39, 0x01, 0x08, 0x3E, 0x01, 0x08,
0x48, 0x01, 0x08, 0x4D, 0x01, 0x08, 0x52, 0x01, 0x08, 0x57, 0x01, 0x08,
0x5C, 0x01, 0x08, 0x6B, 0x01, 0x08, 0x70, 0x01, 0x08, 0x84, 0x01, 0x08,
0x8E, 0x01, 0x0C, 0x6E, 0x91, 0x0C, 0x6F, 0x02, 0x0C, 0x70, 0x02, 0x0C,
0x71, 0x02, 0x0C, 0x72, 0x02, 0x0C, 0x73, 0x02, 0x0C, 0x74, 0x02, 0x27,
0x20, 0x80, 0x27, 0x21, 0x80, 0x00, 0x0A, 0x18, 0x00, 0xF0, 0x36, 0x43,
0x0B, 0x01, 0x11, 0x30, 0x00, 0x06, 0x85, 0x81, 0x03, 0x00, 0x00, 0x04,
0x41, 0x27, 0x03, 0xF2, 0x01, 0x03, 0xF7, 0x91, 0x03, 0xFC, 0x01, 0x04,
0x01, 0x01, 0x04, 0x06, 0x01, 0x04, 0x10, 0x01, 0x04, 0x15, 0x91, 0x04,
0x1A, 0x01, 0x04, 0x24, 0x01, 0x04, 0x2E, 0x01, 0x04, 0x38, 0x01, 0x04,
0x42, 0x01, 0x04, 0x47, 0x01, 0xD9, 0x78, 0x7E, 0x8A]
def get_sample_cat_data():
return {0:SAMPLE_CAT}
def get_sample_pat_data():
return {0:SAMPLE_PAT}
def get_sample_pmt_data():
return {0:SAMPLE_PMT}
def get_sample_nit_data():
return {0:SAMPLE_NIT_0,
1:SAMPLE_NIT_1}
def get_sample_nit_sections():
return {0:Section(SAMPLE_NIT_0),
1:Section(SAMPLE_NIT_1)}
def get_sample_cat_sections():
return {0:Cat(SAMPLE_CAT)}
def get_sample_pat_sections():
return {0:Pat(SAMPLE_PAT)}
def get_sample_pmt_sections():
return {0:Pmt(SAMPLE_PMT)}
| 11,761
|
https://github.com/littleweaver/django-argus/blob/master/argus/config.rb
|
Github Open Source
|
Open Source
|
BSD-3-Clause
| null |
django-argus
|
littleweaver
|
Ruby
|
Code
| 28
| 80
|
# Configuration file for Compass
require 'bootstrap-sass'
css_dir = "static/argus/css"
sass_dir = "sass"
images_dir = "images"
javascripts_dir = "js"
relative_assets = true
line_comments = false
preferred_syntax = :sass
| 25,286
|
https://github.com/thiagomarquesrocha/tenebris/blob/master/src/main/java/control/learning/me/bazhenov/maxent/Main.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,016
|
tenebris
|
thiagomarquesrocha
|
Java
|
Code
| 30
| 104
|
package control.learning.me.bazhenov.maxent;
import java.io.IOException;
import java.sql.SQLException;
public class Main {
public static void main(String[] args) throws InstantiationException, IllegalAccessException, ClassNotFoundException, SQLException, IOException {
MaxEnt max = new MaxEnt();
max.Metodo(54);
}
}
| 3,089
|
https://github.com/sahmed62/cputime-estimation/blob/master/perf-stat-out/dual-core/matrix-add-l2-matrix-mult-l1-9sec-1.csv.raw
|
Github Open Source
|
Open Source
|
BSD-3-Clause
| 2,020
|
cputime-estimation
|
sahmed62
|
Raw token data
|
Code
| 101
| 1,682
|
# started on Wed Nov 18 09:09:21 2020
S0-D0-C0;1;9026566328;ns;duration_time;9026566328;100.00;;
S0-D0-C0;2;1011907346;;cpu-cycles;11279621216;62.50;;
S0-D0-C0;2;533529468;;instructions;11281122899;62.51;0.53;insn per cycle
S0-D0-C0;2;108527357;;branch-instructions;11281000749;62.51;;
S0-D0-C0;2;3480915;;branch-misses;11280882111;62.51;3.21;of all branches
S0-D0-C0;2;131163109;;L1-icache-loads;11280570247;62.51;;
S0-D0-C0;2;6312567;;L1-icache-misses;11279710838;62.50;4.81;of all L1-icache hits
S0-D0-C0;2;231355518;;L1-dcache-loads;11277866453;62.49;;
S0-D0-C0;2;13807719;;L1-dcache-misses;11278073587;62.49;5.97;of all L1-dcache hits
S0-D0-C0;1;5398593;;l3_lookup_state.all_l3_req_typs;9023137526;100.00;;
S0-D0-C0;1;4945464;;xi_ccx_sdp_req1.all_l3_miss_req_typs;9023138157;100.00;;
S0-D0-C1;0;<not counted>;ns;duration_time;0;100.00;;
S0-D0-C1;2;435421101;;cpu-cycles;11279520332;62.50;;
S0-D0-C1;2;223786391;;instructions;11281088991;62.51;0.51;insn per cycle
S0-D0-C1;2;45911387;;branch-instructions;11280963132;62.51;;
S0-D0-C1;2;1612853;;branch-misses;11280792857;62.51;3.51;of all branches
S0-D0-C1;2;82286072;;L1-icache-loads;11280552114;62.51;;
S0-D0-C1;2;2883127;;L1-icache-misses;11279710651;62.50;3.50;of all L1-icache hits
S0-D0-C1;2;104716221;;L1-dcache-loads;11277797815;62.49;;
S0-D0-C1;2;4005224;;L1-dcache-misses;11278029938;62.49;3.82;of all L1-dcache hits
S0-D0-C1;0;<not counted>;;l3_lookup_state.all_l3_req_typs;0;100.00;;
S0-D0-C1;0;<not counted>;;xi_ccx_sdp_req1.all_l3_miss_req_typs;0;100.00;;
S0-D0-C2;0;<not counted>;ns;duration_time;0;100.00;;
S0-D0-C2;2;24082349212;;cpu-cycles;11279490118;62.50;;
S0-D0-C2;2;28960868670;;instructions;11281010395;62.51;1.20;insn per cycle
S0-D0-C2;2;4123886341;;branch-instructions;11280926687;62.51;;
S0-D0-C2;2;3630511;;branch-misses;11280733828;62.51;0.09;of all branches
S0-D0-C2;2;76128265;;L1-icache-loads;11280535736;62.51;;
S0-D0-C2;2;3683072;;L1-icache-misses;11279762915;62.50;4.84;of all L1-icache hits
S0-D0-C2;2;16536240396;;L1-dcache-loads;11277922747;62.49;;
S0-D0-C2;2;2306734093;;L1-dcache-misses;11277993621;62.49;13.95;of all L1-dcache hits
S0-D0-C2;0;<not counted>;;l3_lookup_state.all_l3_req_typs;0;100.00;;
S0-D0-C2;0;<not counted>;;xi_ccx_sdp_req1.all_l3_miss_req_typs;0;100.00;;
S0-D0-C3;0;<not counted>;ns;duration_time;0;100.00;;
S0-D0-C3;2;24070171891;;cpu-cycles;11279420374;62.50;;
S0-D0-C3;2;22374648108;;instructions;11281021383;62.51;0.93;insn per cycle
S0-D0-C3;2;2296569484;;branch-instructions;11280993921;62.51;;
S0-D0-C3;2;43152166;;branch-misses;11280858884;62.51;1.88;of all branches
S0-D0-C3;2;471251578;;L1-icache-loads;11280557375;62.51;;
S0-D0-C3;2;17361701;;L1-icache-misses;11279741535;62.50;3.68;of all L1-icache hits
S0-D0-C3;2;20017020245;;L1-dcache-loads;11277830832;62.49;;
S0-D0-C3;2;2735987907;;L1-dcache-misses;11277935665;62.49;13.67;of all L1-dcache hits
S0-D0-C3;0;<not counted>;;l3_lookup_state.all_l3_req_typs;0;100.00;;
S0-D0-C3;0;<not counted>;;xi_ccx_sdp_req1.all_l3_miss_req_typs;0;100.00;;
| 31,963
|
https://github.com/jonasraoni/hackerrank/blob/master/data-structures/arrays/matchingStrings.js
|
Github Open Source
|
Open Source
|
MIT
| null |
hackerrank
|
jonasraoni
|
JavaScript
|
Code
| 55
| 120
|
//+ Jonas Raoni Soares Silva
//@ http://raoni.org
function matchingStrings(strings, queries) {
// I would use a map, but let it be an array exercise...
const r = [];
for (const query of queries) {
let count = 0;
for (const s of strings) {
if (s === query)
++count;
}
r.push(count);
}
return r;
}
| 29,727
|
https://github.com/anjone7/Takin-amdb-1/blob/master/amdb-app/src/main/java/io/shulie/amdb/service/impl/MachineMetricsReportServiceImpl.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,021
|
Takin-amdb-1
|
anjone7
|
Java
|
Code
| 345
| 1,802
|
/*
* Copyright 2021 Shulie Technology, Co.Ltd
* Email: shulie@shulie.io
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package io.shulie.amdb.service.impl;
import io.shulie.amdb.common.Response;
import io.shulie.amdb.convert.MachineMetricsReportConvert;
import io.shulie.amdb.dto.MachineMetricsReportDTO;
import io.shulie.amdb.entity.MachineMetricsReportDO;
import io.shulie.amdb.mapper.AppInstanceMapper;
import io.shulie.amdb.mapper.MachineMetricsReportMapper;
import io.shulie.amdb.mapper.MiddleWareInstanceMapper;
import io.shulie.amdb.request.query.MachineMetricsReportQueryRequest;
import io.shulie.amdb.request.submit.MachineMetricsReportSubmitRequest;
import io.shulie.amdb.response.metrics.MachineMetricsReportResponse;
import io.shulie.amdb.response.metrics.model.MachineMetricsReportModel;
import io.shulie.amdb.service.AppInstanceService;
import io.shulie.amdb.service.MachineMetricsReportService;
import lombok.extern.slf4j.Slf4j;
import org.apache.commons.lang3.StringUtils;
import org.apache.commons.lang3.time.DateFormatUtils;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import javax.annotation.Resource;
import java.util.*;
import java.util.stream.Collectors;
@Slf4j
@Service
public class MachineMetricsReportServiceImpl implements MachineMetricsReportService {
@Resource
MachineMetricsReportMapper machineMetricsReportMapper;
@Resource
MiddleWareInstanceMapper middleWareInstanceMapper;
@Resource
AppInstanceMapper appInstanceMapper;
@Autowired
AppInstanceService appInstanceService;
@Override
public Response batchInsert(List<MachineMetricsReportSubmitRequest> requestList) {
List<MachineMetricsReportDO> machineMetricsReportDos = requestList.stream().map(
request -> MachineMetricsReportConvert.convertRelationDO(request)
).collect(Collectors.toList());
try {
machineMetricsReportDos.forEach(machineMetricsReportDO -> {
machineMetricsReportMapper.insert(machineMetricsReportDO);
});
} catch (Exception e) {
log.error("批量新增异常", e);
return Response.fail();
}
return Response.emptySuccess();
}
@Override
public Response<MachineMetricsReportResponse> batchQuery(MachineMetricsReportQueryRequest request) {
final List<String> ipList;
if (StringUtils.isNotBlank(request.getIpList())) {
ipList = Arrays.asList(request.getIpList().split(","));
} else if ("app".equals(request.getServerType().toLowerCase())) {
ipList = getAppIpList(request.getServerName());
} else {
ipList = getMiddleWareIpList(request.getServerType(), request.getServerName());
}
List<MachineMetricsReportDTO> machineMetricsReportDtos = machineMetricsReportMapper.getReportsBySamplingInterval(request.getSamplingInterval(), DateFormatUtils.format(request.getStartTime(), "yyyy-MM-dd HH:mm:ss"), DateFormatUtils.format(request.getEndTime(), "yyyy-MM-dd HH:mm:ss"), "'" + StringUtils.join(ipList, "','") + "'");
Map<Long, MachineMetricsReportDTO> mGather = new HashMap<>();
machineMetricsReportDtos.forEach(machineMetricsReportDTO -> {
Long time = machineMetricsReportDTO.getM() * request.getSamplingInterval() * 1000 + request.getStartTime().getTime();
machineMetricsReportDTO.setTime(new Date(time));
mGather.put(time, machineMetricsReportDTO);
});
Set<Long> timeSet = mGather.keySet().stream().sorted().collect(Collectors.toSet());
Map<String, List<MachineMetricsReportDTO>> mMetricsReportResponseDTOList = new HashMap<>();
timeSet.forEach(time -> {
String day = DateFormatUtils.format(new Date(time), "yyyy-MM-dd");
if (mMetricsReportResponseDTOList.get(day) == null) {
mMetricsReportResponseDTOList.put(day, new ArrayList<>());
}
mMetricsReportResponseDTOList.get(day).add(mGather.get(time));
});
List<MachineMetricsReportModel> machineMetricsReportModelList = new ArrayList();
Set<String> days = mMetricsReportResponseDTOList.keySet();
days.forEach(day -> {
MachineMetricsReportModel model = new MachineMetricsReportModel();
model.setAvgCpuUs(mMetricsReportResponseDTOList.get(day).stream().mapToDouble(MachineMetricsReportDTO::getAvgCpuUs).average().getAsDouble());
model.setAvgIoRt(mMetricsReportResponseDTOList.get(day).stream().mapToDouble(MachineMetricsReportDTO::getAvgIoRt).average().getAsDouble());
model.setAvgIoUs(mMetricsReportResponseDTOList.get(day).stream().mapToDouble(MachineMetricsReportDTO::getAvgIoUs).average().getAsDouble());
model.setAvgMemUs(mMetricsReportResponseDTOList.get(day).stream().mapToDouble(MachineMetricsReportDTO::getAvgMemUs).average().getAsDouble());
model.setMaxCpuUs(mMetricsReportResponseDTOList.get(day).stream().mapToDouble(MachineMetricsReportDTO::getAvgCpuUs).max().getAsDouble());
model.setMaxMemUs(mMetricsReportResponseDTOList.get(day).stream().mapToDouble(MachineMetricsReportDTO::getAvgMemUs).max().getAsDouble());
model.setDay(day);
machineMetricsReportModelList.add(model);
});
MachineMetricsReportResponse machineMetricsReportResponse = new MachineMetricsReportResponse();
machineMetricsReportResponse.setServerType(request.getServerType());
machineMetricsReportResponse.setServerName(request.getServerName());
machineMetricsReportResponse.setIps(ipList);
machineMetricsReportResponse.setMetricsList(machineMetricsReportModelList);
return Response.success(machineMetricsReportResponse);
}
private List<String> getAppIpList(String appName) {
return appInstanceMapper.selectIpListByAppName(appName);
}
private List<String> getMiddleWareIpList(String type, String name) {
return middleWareInstanceMapper.selectIpListByTypeAndName(type, name);
}
}
| 8,567
|
https://github.com/hwong0305/ts-tabtracker/blob/master/client/src/components/TablePaginationActions.tsx
|
Github Open Source
|
Open Source
|
MIT
| null |
ts-tabtracker
|
hwong0305
|
TypeScript
|
Code
| 241
| 864
|
import { Theme } from '@material-ui/core';
import IconButton from '@material-ui/core/IconButton';
import { createStyles, withStyles, WithStyles } from '@material-ui/core/styles';
import FirstPageIcon from '@material-ui/icons/FirstPage';
import KeyboardArrowLeft from '@material-ui/icons/KeyboardArrowLeft';
import KeyboardArrowRight from '@material-ui/icons/KeyboardArrowRight';
import LastPageIcon from '@material-ui/icons/LastPage';
import * as React from 'react';
const actionsStyles = (theme: Theme) =>
createStyles({
root: {
flexShrink: 0,
color: theme.palette.text.secondary,
marginLeft: theme.spacing.unit * 2.5,
},
});
interface ActionsTableProps extends WithStyles<typeof actionsStyles> {
count: number;
onChangePage: (event: React.MouseEvent<HTMLButtonElement>, key: number) => void;
page: number;
rowsPerPage: number;
theme: Theme;
}
class TablePaginationActions extends React.Component<ActionsTableProps, {}> {
handleFirstPageButtonClick = (event: React.MouseEvent<HTMLButtonElement>) => {
this.props.onChangePage(event, 0);
};
handleBackButtonClick = (event: React.MouseEvent<HTMLButtonElement>) => {
this.props.onChangePage(event, this.props.page - 1);
};
handleNextButtonClick = (event: React.MouseEvent<HTMLButtonElement>) => {
this.props.onChangePage(event, this.props.page + 1);
};
handleLastPageButtonClick = (event: React.MouseEvent<HTMLButtonElement>) => {
this.props.onChangePage(
event,
Math.max(0, Math.ceil(this.props.count / this.props.rowsPerPage) - 1)
);
};
render() {
const { classes, count, page, rowsPerPage, theme } = this.props;
return (
<div className={classes.root}>
<IconButton
onClick={this.handleFirstPageButtonClick}
disabled={page === 0}
aria-label="First Page"
>
{theme.direction === 'rtl' ? <LastPageIcon /> : <FirstPageIcon />}
</IconButton>
<IconButton
onClick={this.handleBackButtonClick}
disabled={page === 0}
aria-label="Previous Page"
>
{theme.direction === 'rtl' ? <KeyboardArrowRight /> : <KeyboardArrowLeft />}
</IconButton>
<IconButton
onClick={this.handleNextButtonClick}
disabled={page >= Math.ceil(count / rowsPerPage) - 1}
aria-label="Next Page"
>
{theme.direction === 'rtl' ? <KeyboardArrowLeft /> : <KeyboardArrowRight />}
</IconButton>
<IconButton
onClick={this.handleLastPageButtonClick}
disabled={page >= Math.ceil(count / rowsPerPage) - 1}
aria-label="Last Page"
>
{theme.direction === 'rtl' ? <FirstPageIcon /> : <LastPageIcon />}
</IconButton>
</div>
);
}
}
export default withStyles(actionsStyles, { withTheme: true })(TablePaginationActions);
| 6,497
|
https://github.com/staafl/dotnet-bclext/blob/master/to-integrate/libcs_staaflutil/Classes/_Misc/Shared_Mem.cs
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
dotnet-bclext
|
staafl
|
C#
|
Code
| 188
| 641
|
namespace Fairweather.Service.Classes
{
using System;
using System.Runtime.InteropServices;
[StructLayout(LayoutKind.Sequential)]
unsafe struct Running_Apps_Id
{
public fixed int open_instances[100];
public fixed int pids[100];
}
// Todo: write this in C++
// Source: C# In a Nutshell 3rd ed.
public unsafe class SharedMem<T> : IDisposable where T : struct // serializable
{
static readonly IntPtr NoFileHandle = new IntPtr(-1);
IntPtr fileHandle, fileMap;
public IntPtr Root { get { return fileMap; } }
public unsafe void* Pointer {
get {
return (void*)Root.ToPointer();
}
}
public SharedMem(string name) {
uint size_in_bytes = (uint)Marshal.SizeOf(typeof(T));
const Native_Const.FileProtection rwp = Native_Const.FileProtection.ReadWrite;
const Native_Const.FileRights rwr = Native_Const.FileRights.ReadWrite;
fileHandle = Native_Methods.CreateFileMapping(
NoFileHandle,
0,
rwp,
0,
size_in_bytes,
name);
int ALREADY_OPEN = 0;
if (fileHandle == IntPtr.Zero && (Marshal.GetLastWin32Error() == ALREADY_OPEN))
fileHandle = Native_Methods.OpenFileMapping(rwr, false, name);
(fileHandle == IntPtr.Zero).Throw_If_True<Exception>("Open/create error: " + Marshal.GetLastWin32Error());
// Obtain a read/write map for the entire file
fileMap = Native_Methods.MapViewOfFile(fileHandle, rwr, 0, 0, 0);
(fileMap == IntPtr.Zero).Throw_If_True<Exception>("MapViewOfFile error: " + Marshal.GetLastWin32Error());
}
~SharedMem() { Dispose(false); }
public void Dispose() {
Dispose(true);
}
private void Dispose(bool disposing) {
if (fileMap != IntPtr.Zero)
Native_Methods.UnmapViewOfFile(fileMap);
if (fileHandle != IntPtr.Zero)
Native_Methods.CloseHandle(fileHandle);
fileMap = fileHandle = IntPtr.Zero;
}
}
}
| 31,384
|
https://github.com/TimeWarpEngineering/herc-in-blazorstate/blob/master/Source/Herc.Pwa.Server/Features/Web3/NftCreator/MintNft/MintNftController.cs
|
Github Open Source
|
Open Source
|
Unlicense
| 2,019
|
herc-in-blazorstate
|
TimeWarpEngineering
|
C#
|
Code
| 30
| 167
|
namespace Herc.Pwa.Server.Features.Web3.NftCreator.MintNft
{
using Herc.Pwa.Server.Features.Base;
using Herc.Pwa.Shared.Features.Web3.NftCreator.MintNft;
using Microsoft.AspNetCore.Mvc;
using System.Threading.Tasks;
[Route(MintNftRequest.Route)]
public class MintNftController : BaseController<MintNftRequest, MintNftResponse>
{
[HttpPost]
public async Task<IActionResult> Post(MintNftRequest aRequest) => await Send(aRequest);
}
}
| 30,953
|
https://github.com/ashish-amarnath/distributed-data-generator/blob/master/src/main/java/com/igeekinc/util/perf/MBPerSecondLog4jStopWatch.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,021
|
distributed-data-generator
|
ashish-amarnath
|
Java
|
Code
| 224
| 617
|
/*
* Copyright 2002-2014 iGeek, Inc.
* All Rights Reserved
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.igeekinc.util.perf;
import java.text.MessageFormat;
import org.perf4j.log4j.Log4JStopWatch;
public class MBPerSecondLog4jStopWatch extends Log4JStopWatch
{
private static final double kOneMegabyte = 1024.0*1024.0;
private static final long serialVersionUID = -4281765986363796440L;
long bytesProcessed = 0;
public MBPerSecondLog4jStopWatch()
{
super();
}
public MBPerSecondLog4jStopWatch(String tag)
{
super(tag);
}
/**
* Increases the number of bytes processed by bytesProcessed
* @param bytesProcessed
*/
public void bytesProcessed(long bytesProcessed)
{
this.bytesProcessed += bytesProcessed;
}
public double getBytesPerSecond()
{
double elapsedSeconds = ((double)getElapsedTime())/1000.0;
return (double)bytesProcessed/elapsedSeconds;
}
public double getMegaBytesPerSecond()
{
double elapsedSeconds = ((double)getElapsedTime())/1000.0;
double mbs = (double)bytesProcessed/kOneMegabyte;
return mbs/elapsedSeconds;
}
public String getBytesPerSecondString()
{
//TODO - this is probably slow, figure out if we need to speed it up
return MessageFormat.format("b={0,number,#},mbs={1,number,#.##}", bytesProcessed, getMegaBytesPerSecond());
}
@Override
public String stop()
{
setMessage(getBytesPerSecondString());
return super.stop();
}
}
| 45,632
|
https://github.com/Tomko10/pyecsca/blob/master/pyecsca/sca/trace_set/chipwhisperer.py
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
pyecsca
|
Tomko10
|
Python
|
Code
| 232
| 789
|
from configparser import ConfigParser
from itertools import zip_longest
from os.path import exists, isfile, join, basename, dirname
from pathlib import Path
from typing import Union, BinaryIO
import numpy as np
from public import public
from .base import TraceSet
from ..trace import Trace
@public
class ChipWhispererTraceSet(TraceSet):
"""ChipWhisperer trace set (native) format."""
@classmethod
def read(cls, input: Union[str, Path, bytes, BinaryIO]) -> "ChipWhispererTraceSet":
if isinstance(input, (str, Path)):
traces, kwargs = ChipWhispererTraceSet.__read(input)
return ChipWhispererTraceSet(*traces, **kwargs)
else:
raise ValueError
@classmethod
def inplace(
cls, input: Union[str, Path, bytes, BinaryIO]
) -> "ChipWhispererTraceSet":
raise NotImplementedError
def write(self, output: Union[str, Path, BinaryIO]):
raise NotImplementedError
@classmethod
def __read(cls, full_path):
file_name = basename(full_path)
if not file_name.startswith("config_") or not file_name.endswith(".cfg"):
raise ValueError
path = dirname(full_path)
name = file_name[7:-4]
data = ChipWhispererTraceSet.__read_data(path, name)
traces = []
for samples, key, textin, textout in zip_longest(
data["traces"], data["keylist"], data["textin"], data["textout"]
):
traces.append(
Trace(samples, {"key": key, "textin": textin, "textout": textout})
)
del data["traces"]
del data["keylist"]
del data["textin"]
del data["textout"]
config = ChipWhispererTraceSet.__read_config(path, name)
return traces, {**data, **config}
@classmethod
def __read_data(cls, path, name):
types = {
"keylist": None,
"knownkey": None,
"textin": None,
"textout": None,
"traces": None,
}
for type in types:
type_path = join(path, name + type + ".npy")
if exists(type_path) and isfile(type_path):
types[type] = np.load(type_path, allow_pickle=True)
return types
@classmethod
def __read_config(cls, path, name):
config_path = join(path, "config_" + name + ".cfg")
if exists(config_path) and isfile(config_path):
config = ConfigParser()
config.read(config_path)
return config["Trace Config"]
else:
return {}
def __repr__(self):
return "ChipWhispererTraceSet()"
| 4,621
|
https://github.com/freelife1191/mybatisplus-spring-boot/blob/master/src/main/java/com/baomidou/springboot/controller/UserController.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
mybatisplus-spring-boot
|
freelife1191
|
Java
|
Code
| 29
| 110
|
package com.baomidou.springboot.controller;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;
/**
* <p>
* 用户表 前端控制器
* </p>
*
* @author CuiCan
* @since 2017-06-10
*/
@Controller
@RequestMapping("/user")
public class UserController {
}
| 29,740
|
https://github.com/alpharameeztech/eCatalog/blob/master/resources/js/components/admin/Flash.vue
|
Github Open Source
|
Open Source
|
MIT
| null |
eCatalog
|
alpharameeztech
|
Vue
|
Code
| 113
| 349
|
<template>
<div v-show="show">
<v-alert dense :type="type">
{{ body }}
</v-alert>
</div>
</template>
<script>
export default {
props: ['message'],
data(){
return {
body: '',
show: false,
type: 'success'
}
},
created(){
//listen for the event flash-message along with a props and then fire it
window.events.$on('flash', data => {
this.flash(data)
this.hide();
});
},
methods: {
flash(data) {
this.body = data.message
this.show = true;
this.type = data.type;
},
// if a thread is posted-comes from php session
flashMessage(message){
this.body = message;
this.show = true;
},
hide() {
setTimeout(() => {
this.show = false;
}, 3000);
}
},
mounted() {
}
}
</script>
<style>
.flashComponent{
position: fixed;
bottom: 5px;
z-index: 0999;
right: 1px;
width: 40%;
}
</style>
| 11,610
|
https://github.com/Moe82/TTP-Capstone-Front-End/blob/master/src/back-end-url.js
|
Github Open Source
|
Open Source
|
ISC
| null |
TTP-Capstone-Front-End
|
Moe82
|
JavaScript
|
Code
| 7
| 30
|
const BACK_END = "https://attendancetracker-backend.herokuapp.com"
export default BACK_END
| 43,846
|
https://github.com/jackm97/mandelbrot_explorer_CUDA/blob/master/shaders/colormap-shaders-master/include/colormap/private/IDL/CB-Spectral.h
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
mandelbrot_explorer_CUDA
|
jackm97
|
C
|
Code
| 525
| 2,040
|
/**
* This file was automatically created with "create_c++_header.sh".
* Do not edit manually.
*/
#pragma once
#include "../../colormap.h"
namespace colormap
{
namespace IDL
{
class CBSpectral : public Colormap
{
private:
class Wrapper : public WrapperBase
{
public:
#ifdef float
#error "TODO"
#endif
#define float local_real_t
#include "../../../../shaders/glsl/IDL_CB-Spectral.frag"
#undef float
};
public:
Color getColor(double x) const override
{
Wrapper w;
vec4 c = w.colormap(x);
Color result;
result.r = std::max(0.0, std::min(1.0, c.r));
result.g = std::max(0.0, std::min(1.0, c.g));
result.b = std::max(0.0, std::min(1.0, c.b));
result.a = std::max(0.0, std::min(1.0, c.a));
return result;
}
std::string getTitle() const override
{
return std::string("CB-Spectral");
}
std::string getCategory() const override
{
return std::string("IDL");
}
std::string getSource() const override
{
return std::string(
"float colormap_red(float x) {\n"
" if (x < 0.09752005946586478) {\n"
" return 5.63203907203907E+02 * x + 1.57952380952381E+02;\n"
" } else if (x < 0.2005235116443438) {\n"
" return 3.02650769230760E+02 * x + 1.83361538461540E+02;\n"
" } else if (x < 0.2974133397506856) {\n"
" return 9.21045429665647E+01 * x + 2.25581007115501E+02;\n"
" } else if (x < 0.5003919130598823) {\n"
" return 9.84288115246108E+00 * x + 2.50046722689075E+02;\n"
" } else if (x < 0.5989021956920624) {\n"
" return -2.48619704433547E+02 * x + 3.79379310344861E+02;\n"
" } else if (x < 0.902860552072525) {\n"
" return ((2.76764884219295E+03 * x - 6.08393126459837E+03) * x + 3.80008072407485E+03) * x - 4.57725185424742E+02;\n"
" } else {\n"
" return 4.27603478260530E+02 * x - 3.35293188405479E+02;\n"
" }\n"
"}\n"
"\n"
"float colormap_green(float x) {\n"
" if (x < 0.09785836420571035) {\n"
" return 6.23754529914529E+02 * x + 7.26495726495790E-01;\n"
" } else if (x < 0.2034012006283468) {\n"
" return 4.60453201970444E+02 * x + 1.67068965517242E+01;\n"
" } else if (x < 0.302409765476316) {\n"
" return 6.61789401709441E+02 * x - 2.42451282051364E+01;\n"
" } else if (x < 0.4005965758690823) {\n"
" return 4.82379130434784E+02 * x + 3.00102898550747E+01;\n"
" } else if (x < 0.4981907026473237) {\n"
" return 3.24710622710631E+02 * x + 9.31717541717582E+01;\n"
" } else if (x < 0.6064345916502067) {\n"
" return -9.64699507389807E+01 * x + 3.03000000000023E+02;\n"
" } else if (x < 0.7987472620841592) {\n"
" return -2.54022986425337E+02 * x + 3.98545610859729E+02;\n"
" } else {\n"
" return -5.71281628959223E+02 * x + 6.51955082956207E+02;\n"
" }\n"
"}\n"
"\n"
"float colormap_blue(float x) {\n"
" if (x < 0.0997359608740309) {\n"
" return 1.26522393162393E+02 * x + 6.65042735042735E+01;\n"
" } else if (x < 0.1983790695667267) {\n"
" return -1.22037851037851E+02 * x + 9.12946682946686E+01;\n"
" } else if (x < 0.4997643530368805) {\n"
" return (5.39336225400169E+02 * x + 3.55461986381562E+01) * x + 3.88081126069087E+01;\n"
" } else if (x < 0.6025972254407099) {\n"
" return -3.79294261294313E+02 * x + 3.80837606837633E+02;\n"
" } else if (x < 0.6990141388105746) {\n"
" return 1.15990231990252E+02 * x + 8.23805453805459E+01;\n"
" } else if (x < 0.8032653181119567) {\n"
" return 1.68464957265204E+01 * x + 1.51683418803401E+02;\n"
" } else if (x < 0.9035796343050095) {\n"
" return 2.40199023199020E+02 * x - 2.77279202279061E+01;\n"
" } else {\n"
" return -2.78813846153774E+02 * x + 4.41241538461485E+02;\n"
" }\n"
"}\n"
"\n"
"vec4 colormap(float x) {\n"
" float r = clamp(colormap_red(x) / 255.0, 0.0, 1.0);\n"
" float g = clamp(colormap_green(x) / 255.0, 0.0, 1.0);\n"
" float b = clamp(colormap_blue(x) / 255.0, 0.0, 1.0);\n"
" return vec4(r, g, b, 1.0);\n"
"}\n"
);
}
};
} // namespace IDL
} // namespace colormap
| 28,131
|
https://github.com/MoncadaIngris/Aesthetic-Style/blob/master/database/factories/ProductoFactory.php
|
Github Open Source
|
Open Source
|
MIT
| null |
Aesthetic-Style
|
MoncadaIngris
|
PHP
|
Code
| 39
| 200
|
<?php
use App\Models\Producto;
namespace Database\Factories;
use Illuminate\Database\Eloquent\Factories\Factory;
class ProductoFactory extends Factory
{
/**
* Define the model's default state.
*
* @return array
*/
public function definition()
{
return [
'precio'=>$this->faker->numerify('######'),
'calidad'=>$this->faker->randomElement($array=array('usada','semi usado','nuevo')),
'tamaño'=>$this->faker->randomElement($array=array('mediana','pequeña')),
'cantidad'=>$this->faker->numerify('##'),
'nombre'=>$this->faker->name(),
];
}
}
| 39,471
|
https://github.com/parkerjj/Leetcode/blob/master/200. Number of Islands/200. Number of Islands/Solution.m
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,017
|
Leetcode
|
parkerjj
|
Objective-C
|
Code
| 203
| 656
|
//
// Solution.m
// 200. Number of Islands
//
// Created by Peigen.Liu on 2017/9/26.
// Copyright © 2017年 Leetcode. All rights reserved.
//
#import "Solution.h"
//Given a 2d grid map of '1's (land) and '0's (water), count the number of islands. An island is surrounded by water and is formed by connecting adjacent lands horizontally or vertically. You may assume all four edges of the grid are all surrounded by water.
@implementation Solution
- (instancetype)init{
self = [super init];
if (self) {
NSArray *grid = @[ [NSMutableArray arrayWithArray:@[@1,@1,@1,@1,@0]],
[NSMutableArray arrayWithArray:@[@1,@1,@0,@1,@0]],
[NSMutableArray arrayWithArray:@[@1,@1,@0,@0,@0]],
[NSMutableArray arrayWithArray:@[@0,@0,@0,@1,@1]]
];
NSLog(@"Number of Islands : %ld",[self numberOfIslands:grid]);
}
return self;
}
- (NSUInteger)numberOfIslands:(NSArray<NSMutableArray<NSNumber*>*>*)grid{
NSUInteger count = 0;
for (NSInteger y = 0; y < [grid count]; y++){
NSMutableArray *lineArray = [grid objectAtIndex:y];
for (NSInteger x = 0; x < [lineArray count]; x++) {
count += [self sink:grid withPositionX:x withPositionY:y];
}
}
return count;
}
- (NSUInteger)sink:(NSArray<NSMutableArray<NSNumber*>*>*)grid withPositionX:(NSInteger)x withPositionY:(NSInteger)y{
if (x < 0 || y < 0 || y >= [grid count] || x >= [grid[y] count] || grid[y][x].integerValue == 0) {
return 0;
}
[[grid objectAtIndex:y] setObject:@0 atIndexedSubscript:x];
[self sink:grid withPositionX:x-1 withPositionY:y];
[self sink:grid withPositionX:x+1 withPositionY:y];
[self sink:grid withPositionX:x withPositionY:y-1];
[self sink:grid withPositionX:x withPositionY:y+1];
return 1;
}
@end
| 43,551
|
https://github.com/ICTU/quality-time/blob/master/components/server/src/shared/model/subject.py
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,022
|
quality-time
|
ICTU
|
Python
|
Code
| 244
| 699
|
"""A class that represents a subject."""
from typing import TYPE_CHECKING, Optional
from shared.utils.type import SubjectId
from .measurement import Measurement
from .metric import Metric
if TYPE_CHECKING:
from .report import Report
class Subject(dict):
"""Class representing a subject."""
def __init__(self, data_model, subject_data: dict, subject_uuid: SubjectId, report: Optional["Report"]) -> None:
"""Instantiate a subject."""
self.__data_model = data_model
self.uuid = subject_uuid
self.report = report if report is not None else {}
metric_data = subject_data.get("metrics", {})
self.metrics_dict = self._instantiate_metrics(metric_data)
self.metrics = list(self.metrics_dict.values())
self.metric_uuids = list(self.metrics_dict.keys())
super().__init__(subject_data)
def __eq__(self, other):
"""Return whether the subjects are equal."""
return self.uuid == other.uuid # pragma: no cover-behave
def _instantiate_metrics(self, metric_data: dict) -> dict[str, Metric]:
"""Create metrics from metric_data."""
metrics = {}
for metric_uuid, metric_dict in metric_data.items():
metrics[metric_uuid] = Metric(self.__data_model, metric_dict, metric_uuid, self.uuid)
return metrics
def name(self):
"""Either a custom name or one from the subject type in the data model."""
return self.get("name") or self.__data_model["subjects"][self["type"]]["name"]
def tag_subject(self, tag: str, report: Optional["Report"] = None) -> Optional["Subject"]:
"""Return a Subject instance with only metrics belonging to one tag."""
metrics = {metric.uuid: metric for metric in self.metrics if tag in metric.get("tags", [])}
if len(metrics) == 0:
return None
data = dict(self)
data["metrics"] = metrics
data["name"] = self.report.get("title", "") + " ❯ " + self.name()
return Subject(self.__data_model, data, self.uuid, report)
def summarize(self, measurements: dict[str, list[Measurement]]):
"""Create a summary dict of this subject."""
summary = dict(self)
summary["metrics"] = {}
for metric in self.metrics:
metric_measurements = measurements.get(metric.uuid, [])
metric_measurements = [measurement for measurement in metric_measurements if measurement.sources_exist()]
summary["metrics"][metric.uuid] = metric.summarize(metric_measurements)
return summary
| 14,972
|
https://github.com/aabdulwahed/keeper-contracts/blob/master/contracts/SLA/ServiceAgreement.sol
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
keeper-contracts
|
aabdulwahed
|
Solidity
|
Code
| 1,290
| 3,871
|
pragma solidity 0.4.25;
import 'openzeppelin-solidity/contracts/cryptography/ECDSA.sol';
/**
@title Ocean Protocol Service Level Agreement
@author Team: Ahmed Ali, Samer Sallam
*/
contract ServiceAgreement {
struct ServiceAgreementTemplate {
bool state; // 1 -> Available 0 -> revoked template
address owner; // template owner
bytes32[] conditionKeys; // preserving the order in the condition state
uint256[] dependenciesBits; // 1st bit --> dependency, 2nd bit --> timeout flag (enabled/disabled)
uint8[] fulfillmentIndices; // if conditions true accept as this agreement as fulfiled agreement
uint8 fulfillmentOperator; // 0 --> AND, 1--> OR, N--> M-of-N
}
// conditions id (templateId, contract address , function fingerprint)
// it maps condition id to dependencies [uint256 is a compressed version]
mapping(bytes32 => uint256) conditionKeyToIndex;
struct Agreement {
bool state; // instance of SLA status
bool nonce; // avoid replay attack
bool terminated;
uint8[] conditionsState; // maps the condition status in the template
uint8[] conditionLockedState; // maps the condition status in the template
bytes32 templateId; // referes to SLA template id
address consumer;
address publisher;
bytes32[] conditionInstances; // condition Instance = [handler + value hash]
uint256[] timeoutValues; // in terms of block number not sec!
bytes32 did; // Decentralized Identifier
}
mapping(bytes32 => ServiceAgreementTemplate) templates;
// instances of SLA template
mapping(bytes32 => Agreement) agreements;
// map template Id to a list of agreement instances
mapping(bytes32 => bytes32[]) templateId2Agreements;
// is able to revoke agreement template (template is no longer accessible)
modifier canRevokeTemplate(bytes32 templateId){
for (uint256 i = 0; i < templateId2Agreements[templateId].length; i++) {
require(agreements[templateId2Agreements[templateId][i]].state == true, 'Owner can not revoke template!');
}
_;
}
// check if the no longer pending unfulfilled conditions in the SLA
modifier noPendingFulfillments(bytes32 serviceId){
if(templates[getTemplateId(serviceId)].fulfillmentOperator == 0){
for (uint256 i=0; i < templates[getTemplateId(serviceId)].fulfillmentIndices.length; i++) {
require(agreements[serviceId].conditionsState[templates[getTemplateId(serviceId)].fulfillmentIndices[i]] == 1, 'Indicating one of the fulfillment conditions is false');
}
}
else {
uint8 N = 0;
for(uint256 j=0; j < templates[getTemplateId(serviceId)].fulfillmentIndices.length; j++) {
if(agreements[serviceId].conditionsState[templates[getTemplateId(serviceId)].fulfillmentIndices[j]] == 1) N += 1;
}
if(templates[getTemplateId(serviceId)].fulfillmentOperator == 1) {
// OR operator (1 of M), N =1
require(N == 1, 'Indicating all fulfillment conditions are false');
}
if (templates[getTemplateId(serviceId)].fulfillmentOperator > 1) {
require(N >= templates[getTemplateId(serviceId)].fulfillmentOperator, 'Indicating N of M fulfillment conditions are false');
}
}
_;
}
// check if the controller contract is authorized to change the condition state
modifier isValidControllerHandler(bytes32 serviceId, bytes4 fingerprint, bytes32 valueHash) {
bytes32 conditionKey = getConditionByFingerprint(serviceId, msg.sender, fingerprint);
require(
agreements[serviceId].conditionInstances[conditionKeyToIndex[conditionKey]] ==
keccak256(abi.encodePacked(conditionKey, valueHash)),
'unable to reconstruct the right condition hash'
);
require(agreements[serviceId].conditionLockedState[conditionKeyToIndex[conditionKey]] == 0, 'This condition is locked, access denied.');
require(!hasUnfulfilledDependencies(serviceId, conditionKey), 'This condition has unfulfilled dependency');
_;
}
// is the sender authorized to create instance of the SLA template
modifier isTemplateOwner(bytes32 templateId){
require(templates[templateId].owner == msg.sender, 'Not a template owner');
_;
}
// validate agreement executation request
modifier isValidExecuteRequest(bytes32 templateId, bytes32 serviceAgreementId) {
require(templates[templateId].state == true, 'Template is revoked');
require(!agreements[serviceAgreementId].nonce, 'Indicating Replay attack');
_;
}
modifier isValidTemplateId(bytes32 templateId) {
require(!templates[templateId].state, 'Template ID already exists');
_;
}
// events
event SetupCondition(bytes32 serviceTemplate, bytes32 condition, address provider);
event SetupAgreementTemplate(bytes32 serviceTemplateId, address provider);
event ExecuteCondition(bytes32 serviceAgreementId, bytes32 condition, bytes32 did, bool status, address templateOwner, address consumer);
event ExecuteAgreement(bytes32 serviceAgreementId, bytes32 templateId, bytes32 did, bool status, address templateOwner, address consumer, bool state);
event ConditionFulfilled(bytes32 serviceAgreementId, bytes32 templateId, bytes32 condition);
event AgreementFulfilled(bytes32 serviceAgreementId, bytes32 templateId, address owner);
event SLATemplateRevoked(bytes32 templateId, bool state);
// Setup service agreement template only once!
function setupAgreementTemplate(bytes32 templateId, address[] contracts, bytes4[] fingerprints, uint256[] dependenciesBits, bytes32 service, uint8[] fulfillmentIndices, uint8 fulfillmentOperator)
public isValidTemplateId(templateId) returns (bool){
// TODO: whitelisting the contracts/fingerprints
require(contracts.length == fingerprints.length, 'fingerprints and contracts length do not match');
require(contracts.length == dependenciesBits.length, 'contracts and dependencies do not match');
require(fulfillmentIndices.length < contracts.length, 'Invalid fulfillment indices');
require(fulfillmentOperator <= fulfillmentIndices.length, 'Invalid fulfillment operator');
// 2. generate conditions
templates[templateId] = ServiceAgreementTemplate(true, msg.sender, new bytes32[](0), dependenciesBits, fulfillmentIndices, fulfillmentOperator);
for (uint256 i = 0; i < contracts.length; i++) {
templates[templateId].conditionKeys.push(keccak256(abi.encodePacked(templateId, contracts[i], fingerprints[i])));
conditionKeyToIndex[keccak256(abi.encodePacked(templateId, contracts[i], fingerprints[i]))] = i;
emit SetupCondition(templateId, keccak256(abi.encodePacked(templateId, contracts[i], fingerprints[i])), msg.sender);
}
emit SetupAgreementTemplate(templateId, msg.sender);
return true;
}
function isValidSignature(bytes32 hash, bytes signature, address consumer) private pure returns (bool){
return (consumer == ECDSA.recover(hash, signature));
}
function initConditions(bytes32 templateId, bytes32 serviceAgreementId, bytes32[] valueHash, uint256[] timeoutValues, bytes32 did) private returns (bool) {
for (uint256 i = 0; i < templates[templateId].conditionKeys.length; i++) {
if (timeoutValues[i] != 0) {
// TODO: define dynamic margin
require(
timeoutValues[i] > 2,
'invalid timeout with a margin (~ 30 to 40 seconds = 2 blocks intervals) to avoid race conditions'
);
agreements[serviceAgreementId].timeoutValues.push(block.timestamp + timeoutValues[i]);
} else {
agreements[serviceAgreementId].timeoutValues.push(0);
}
agreements[serviceAgreementId].conditionsState.push(0);
agreements[serviceAgreementId].conditionLockedState.push(0);
// add condition instance
agreements[serviceAgreementId].conditionInstances.push(keccak256(abi.encodePacked(templates[templateId].conditionKeys[i], valueHash[i])));
emit ExecuteCondition(
serviceAgreementId, keccak256(abi.encodePacked(templates[templateId].conditionKeys[i], valueHash[i])), did,
false, templates[templateId].owner, agreements[serviceAgreementId].consumer
);
}
return true;
}
function executeAgreement(bytes32 templateId, bytes signature, address consumer, bytes32[] valueHashes, uint256[] timeoutValues, bytes32 serviceAgreementId, bytes32 did) public
isValidExecuteRequest(templateId, serviceAgreementId) returns (bool) {
require(timeoutValues.length == templates[templateId].conditionKeys.length, 'invalid timeout values length');
ServiceAgreementTemplate storage slaTemplate = templates[templateId];
// reconstruct the agreement fingerprint and check the consumer signature
// embedding `serviceAgreementId` in signature as nonce generated by consumer to block Replay-attack
bytes32 prefixedHash = ECDSA.toEthSignedMessageHash(keccak256(abi.encodePacked(templateId, slaTemplate.conditionKeys, valueHashes, timeoutValues, serviceAgreementId)));
// verify consumer's signature and trigger the execution of agreement
if (isValidSignature(prefixedHash, signature, consumer)) {
agreements[serviceAgreementId] = Agreement(
false, true, false, new uint8[](0), new uint8[](0), templateId, consumer, msg.sender, new bytes32[](0), new uint256[](0), did
);
require(initConditions(templateId, serviceAgreementId, valueHashes, timeoutValues, did), 'unable to init conditions');
templateId2Agreements[templateId].push(serviceAgreementId);
emit ExecuteAgreement(serviceAgreementId, templateId, did, false, slaTemplate.owner, consumer, true);
} else {
emit ExecuteAgreement(serviceAgreementId, templateId, did, false, slaTemplate.owner, consumer, false);
}
return true;
}
function fulfillAgreement(bytes32 serviceId) public noPendingFulfillments(serviceId) returns (bool){
agreements[serviceId].state = true;
agreements[serviceId].terminated = true;
emit AgreementFulfilled(serviceId, agreements[serviceId].templateId, templates[agreements[serviceId].templateId].owner);
return true;
}
function fulfillCondition(bytes32 serviceId, bytes4 fingerprint, bytes32 valueHash)
public isValidControllerHandler(serviceId, fingerprint, valueHash) returns (bool){
bytes32 conditionKey = keccak256(abi.encodePacked(agreements[serviceId].templateId, msg.sender, fingerprint));
agreements[serviceId].conditionsState[conditionKeyToIndex[conditionKey]] = 1;
// Lock dependencies of this condition
uint dependenciesValue = templates[agreements[serviceId].templateId].dependenciesBits[conditionKeyToIndex[conditionKey]];
if (dependenciesValue != 0) {
lockChildConditions(serviceId, conditionKey, dependenciesValue);
}
emit ConditionFulfilled(serviceId, agreements[serviceId].templateId, conditionKey);
return true;
}
function revokeAgreementTemplate(bytes32 templateId) public isTemplateOwner(templateId) canRevokeTemplate(templateId) returns (bool) {
templates[templateId].state = false;
emit SLATemplateRevoked(templateId, true);
}
function getTemplateId(bytes32 serviceId) public view returns (bytes32 templateId){
return agreements[serviceId].templateId;
}
function getTemplateStatus(bytes32 templateId) public view returns (bool status){
return templates[templateId].state;
}
function getBitValue(uint256 value, uint16 i, uint16 bitPosition, uint16 numBits) private pure returns (uint8 bitValue) {
return uint8(value & (2 ** uint256((i * numBits) + bitPosition))) == 0 ? uint8(0) : uint8(1);
}
function lockChildConditions(bytes32 serviceId, bytes32 condition, uint256 dependenciesValue) private {
// check the dependency conditions
for (uint16 i = 0; i < templates[agreements[serviceId].templateId].conditionKeys.length; i++) {
if (getBitValue(dependenciesValue, i, 0, 2) != 0) {
// This is a dependency, lock it
// verify its state is either 1 or has timed out
uint8 timeoutFlag = getBitValue(dependenciesValue, i, 1, 2);
require((agreements[serviceId].conditionsState[i] == 1) || ((timeoutFlag == 1) && conditionTimedOut(serviceId, condition)), 'Invalid state, child dependency expected to be fulfilled or parent timeout occurred.');
agreements[serviceId].conditionLockedState[i] = 1;
}
}
}
function hasUnfulfilledDependencies(bytes32 serviceId, bytes32 condition) public view returns (bool status) {
uint dependenciesValue = templates[agreements[serviceId].templateId].dependenciesBits[conditionKeyToIndex[condition]];
// check the dependency conditions
if (dependenciesValue == 0) {
return false;
}
for (uint16 i = 0; i < templates[agreements[serviceId].templateId].conditionKeys.length; i++) {
if (getBitValue(dependenciesValue, i, 0, 2) != 0) {
uint8 timeoutFlag = getBitValue(dependenciesValue, i, 1, 2);
if (timeoutFlag == 1) {
if (agreements[serviceId].conditionsState[i] == 1 || !conditionTimedOut(serviceId, condition)) {
return true;
}
} else if (agreements[serviceId].conditionsState[i] == 0) {
return true;
}
}
}
return false;
}
function conditionTimedOut(bytes32 serviceId, bytes32 condition) public view returns (bool){
if (block.timestamp > agreements[serviceId].timeoutValues[conditionKeyToIndex[condition]]) return true;
return false;
}
function getCurrentBlockNumber() public view returns (uint){
return block.number;
}
function getConditionStatus(bytes32 serviceId, bytes32 condition) public view returns (uint8){
return agreements[serviceId].conditionsState[conditionKeyToIndex[condition]];
}
function getAgreementStatus(bytes32 serviceId) public view returns (bool){
return agreements[serviceId].state;
}
function getAgreementPublisher(bytes32 serviceId) public view returns (address publisher) {
return agreements[serviceId].publisher;
}
function getTemplateOwner(bytes32 templateId) public view returns (address owner) {
return templates[templateId].owner;
}
function getServiceAgreementConsumer(bytes32 serviceId) public view returns (address consumer){
return agreements[serviceId].consumer;
}
function getConditionByFingerprint(bytes32 serviceId, address _contract, bytes4 fingerprint) public view returns (bytes32) {
return keccak256(abi.encodePacked(getTemplateId(serviceId), _contract, fingerprint));
}
function isAgreementTerminated(bytes32 serviceAgreementId) public view returns(bool) {
return agreements[serviceAgreementId].terminated;
}
}
| 22,255
|
https://github.com/vrk-kpa/xroad-catalog-collector/blob/master/src/main/java/fi/vrk/xroad/monitor/elasticsearch/EnvMonitorDataStorageDaoImpl.java
|
Github Open Source
|
Open Source
|
MIT
| null |
xroad-catalog-collector
|
vrk-kpa
|
Java
|
Code
| 450
| 1,472
|
/**
* The MIT License
* Copyright (c) 2017, Population Register Centre (VRK)
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in
* all copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
* THE SOFTWARE.
*/
package fi.vrk.xroad.monitor.elasticsearch;
import lombok.extern.slf4j.Slf4j;
import org.elasticsearch.action.admin.indices.alias.IndicesAliasesResponse;
import org.elasticsearch.action.admin.indices.alias.exists.AliasesExistResponse;
import org.elasticsearch.action.admin.indices.alias.get.GetAliasesRequest;
import org.elasticsearch.action.admin.indices.create.CreateIndexRequest;
import org.elasticsearch.action.admin.indices.create.CreateIndexResponse;
import org.elasticsearch.action.admin.indices.delete.DeleteIndexResponse;
import org.elasticsearch.action.admin.indices.exists.indices.IndicesExistsResponse;
import org.elasticsearch.action.admin.indices.flush.FlushRequest;
import org.elasticsearch.action.admin.indices.flush.FlushResponse;
import org.elasticsearch.action.get.GetResponse;
import org.elasticsearch.action.index.IndexResponse;
import org.elasticsearch.action.search.SearchResponse;
import org.elasticsearch.client.transport.TransportClient;
import org.elasticsearch.common.settings.Settings;
import org.elasticsearch.common.transport.TransportAddress;
import org.elasticsearch.common.xcontent.XContentType;
import org.elasticsearch.transport.client.PreBuiltTransportClient;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.core.env.Environment;
import org.springframework.stereotype.Repository;
import javax.annotation.PostConstruct;
import javax.annotation.PreDestroy;
import java.net.InetAddress;
import java.net.UnknownHostException;
import java.util.concurrent.ExecutionException;
import static org.elasticsearch.index.query.QueryBuilders.matchAllQuery;
/**
* Default implementation for {@link EnvMonitorDataStorageDao} interface
* Loads and saves data to Elasticsearch
*/
@Slf4j
@Repository
public class EnvMonitorDataStorageDaoImpl implements EnvMonitorDataStorageDao {
@Autowired
private Environment environment;
private TransportClient client;
/**
* Initializes transport client
* @throws UnknownHostException
*/
@PostConstruct
public void init() throws UnknownHostException {
Settings settings = Settings.builder()
.put("cluster.name", environment.getProperty("xroad-monitor-collector-elasticsearch.cluster")).build();
client = new PreBuiltTransportClient(settings)
.addTransportAddress(new TransportAddress(
InetAddress.getByName(environment.getProperty("xroad-monitor-collector-elasticsearch.host")),
Integer.parseInt(environment.getProperty("xroad-monitor-collector-elasticsearch.port"))));
}
@Override
public IndexResponse save(String index, String type, String json) {
log.debug("Elasticsearch data: {}", json);
return client.prepareIndex(index, type).setSource(json, XContentType.JSON).get();
}
@Override
public GetResponse load(String index, String type, String json) {
return client.prepareGet(index, type, json).get();
}
@Override
public IndicesAliasesResponse addIndexToAlias(String index, String alias) {
return client.admin().indices().prepareAliases().addAlias(index, alias).get();
}
@Override
public IndicesAliasesResponse removeAllIndexesFromAlias(String alias) {
return client.admin().indices().prepareAliases().removeAlias("*", alias).get();
}
@Override
public AliasesExistResponse aliasExists(String alias) throws ExecutionException, InterruptedException {
return client.admin().indices().aliasesExist(new GetAliasesRequest(alias)).get();
}
@Override
public IndicesExistsResponse indexExists(String index) {
return client.admin().indices().prepareExists(index).get();
}
@Override
public DeleteIndexResponse removeIndex(String index) {
return client.admin().indices().prepareDelete(index).get();
}
@Override
public SearchResponse findAll(String index, String type) {
return client.prepareSearch(index).setTypes(type).setQuery(matchAllQuery()).get();
}
@Override
public FlushResponse flush() throws ExecutionException, InterruptedException {
return client.admin().indices().flush(new FlushRequest()).get();
}
@Override
public CreateIndexResponse createIndex(String index) throws ExecutionException, InterruptedException {
return client.admin().indices().create(new CreateIndexRequest(index)).get();
}
/**
* Closes transport client
*/
@PreDestroy
public void shutdown() {
client.close();
}
}
| 11,714
|
https://github.com/GIOVANNIRAOULGALLO/presto.it/blob/master/resources/views/announce/create.blade.php
|
Github Open Source
|
Open Source
|
MIT
| null |
presto.it
|
GIOVANNIRAOULGALLO
|
PHP
|
Code
| 147
| 793
|
<x-layout>
<x-slot name="title">{{__('ui.insert')}}</x-slot>
<div class="container">
<div class="row justify-content-center text-center my-4">
<div class="col-12 col-md-6">
<h1 class="text-first-color">{{__('ui.insert')}}</h1>
</div>
@if ($errors->any())
<div class="alert alert-danger">
<ul>
@foreach ($errors->all() as $error)
<li>{{ $error }}</li>
@endforeach
</ul>
</div>
@endif
</div>
<div class="row justify-content-center text-center">
<div class="col-12 col-md-5">
<form method="POST" action="{{route('announce.store')}}" enctype="multipart/form-data">
@csrf
<input type="hidden" name ="uniqueSecret" value ="{{$uniqueSecret}}">
<div class="mb-3">
<label for="announceInputName" class="form-label">{{__('ui.name')}}</label>
<input type="text" class="form-control input-border" id="announceInputName" aria-describedby="emailHelp" name="name">
</div>
<div class="mb-3">
<label for="exampleInputTextArea" class="form-label">{{__('ui.description')}}</label><br>
<textarea name="description" id="exampleInputTextArea" class="text-area-measure input-border"></textarea>
</div>
<div class="mb-3">
<div class="form-group row">
<label for="images" class="col-12 col-form-label text-md-left">{{__('ui.image')}}</label>
</div>
<div class="col-12 input-border ">
<div class="dropzone" id="drophere"></div>
@error('images')
<span class="invalid-feedback" role="alert"> <strong>{{$message}}</strong>
</span>
@enderror
</div>
</div>
<div class="mb-3">
<label for="exampleInputPrice" class="form-label">{{__('ui.price')}}</label>
<input type="number" class="form-control input-border" id="exampleInputPrice" aria-describedby="emailHelp" name="price">
</div>
<div class="mb-3">
<label for="exampleInputPassword1" class="form-label">{{__('ui.category')}}</label><br>
<select name="category_id" id="" class="w-50 input-border text-center">
@foreach ($categories as $category)
<option value="{{$category->id}}">{{$category->name}}</option>
@endforeach
</select>
</div>
<button type="submit" class="btn first-color text-light my-3">{{__('ui.put')}}</button>
</form>
</div>
</div>
</div>
</x-layout>
| 11,856
|
https://github.com/hatlabs/SH-ESP32-hardware/blob/master/UI.sch
|
Github Open Source
|
Open Source
|
CC0-1.0
| 2,022
|
SH-ESP32-hardware
|
hatlabs
|
Eagle
|
Code
| 1,235
| 2,984
|
EESchema Schematic File Version 4
EELAYER 30 0
EELAYER END
$Descr A4 11693 8268
encoding utf-8
Sheet 6 10
Title "Sailor Hat with ESP32"
Date "2021-04-26"
Rev "1.0.0"
Comp "Hat Labs Ltd"
Comment1 "https://creativecommons.org/licenses/by-sa/4.0"
Comment2 "To view a copy of this license, visit "
Comment3 "SH-ESP32 is licensed under CC BY-SA 4.0."
Comment4 ""
$EndDescr
$Comp
L Switch:SW_Push SW?
U 1 1 5FC5F7EF
P 2100 3050
AR Path="/5FC5F7EF" Ref="SW?" Part="1"
AR Path="/5FC50B89/5FC5F7EF" Ref="SW501" Part="1"
F 0 "SW501" H 2100 3335 50 0000 C CNN
F 1 "SW_Push" H 2100 3244 50 0000 C CNN
F 2 "Button_Switch_SMD:SW_SPST_TL3342" H 2100 3250 50 0001 C CNN
F 3 "~" H 2100 3250 50 0001 C CNN
F 4 "C318887" H 2100 3050 50 0001 C CNN "LCSC"
1 2100 3050
1 0 0 -1
$EndComp
$Comp
L Switch:SW_Push SW?
U 1 1 5FC5F7F5
P 2100 3900
AR Path="/5FC5F7F5" Ref="SW?" Part="1"
AR Path="/5FC50B89/5FC5F7F5" Ref="SW502" Part="1"
F 0 "SW502" H 2100 4185 50 0000 C CNN
F 1 "SW_Push" H 2100 4094 50 0000 C CNN
F 2 "Button_Switch_SMD:SW_SPST_TL3342" H 2100 4100 50 0001 C CNN
F 3 "~" H 2100 4100 50 0001 C CNN
F 4 "C318887" H 2100 3900 50 0001 C CNN "LCSC"
1 2100 3900
1 0 0 -1
$EndComp
Text Notes 3350 3200 0 50 ~ 0
Boot
Text Notes 3350 4050 0 50 ~ 0
Reset
$Comp
L Device:C_Small C?
U 1 1 5FC5F7FF
P 2100 3350
AR Path="/5FC5F7FF" Ref="C?" Part="1"
AR Path="/5FC50B89/5FC5F7FF" Ref="C501" Part="1"
F 0 "C501" V 1871 3350 50 0000 C CNN
F 1 "100nF/50V" V 1962 3350 50 0000 C CNN
F 2 "Capacitor_SMD:C_0603_1608Metric" H 2100 3350 50 0001 C CNN
F 3 "~" H 2100 3350 50 0001 C CNN
F 4 "C14663" H 2100 3350 50 0001 C CNN "LCSC"
1 2100 3350
0 1 1 0
$EndComp
$Comp
L Device:C_Small C?
U 1 1 5FC5F805
P 2100 4200
AR Path="/5FC5F805" Ref="C?" Part="1"
AR Path="/5FC50B89/5FC5F805" Ref="C502" Part="1"
F 0 "C502" V 1871 4200 50 0000 C CNN
F 1 "100nF/50V" V 1962 4200 50 0000 C CNN
F 2 "Capacitor_SMD:C_0603_1608Metric" H 2100 4200 50 0001 C CNN
F 3 "~" H 2100 4200 50 0001 C CNN
F 4 "C14663" H 2100 4200 50 0001 C CNN "LCSC"
1 2100 4200
0 1 1 0
$EndComp
Wire Wire Line
2450 3050 2350 3050
Wire Wire Line
2450 3900 2350 3900
Wire Wire Line
2350 3900 2350 4200
Wire Wire Line
2350 4200 2200 4200
Connection ~ 2350 3900
Wire Wire Line
2350 3900 2300 3900
Wire Wire Line
2200 3350 2350 3350
Wire Wire Line
2350 3350 2350 3050
Connection ~ 2350 3050
Wire Wire Line
2350 3050 2300 3050
$Comp
L power:GND #PWR?
U 1 1 5FC5F815
P 1750 3450
AR Path="/5FC5F815" Ref="#PWR?" Part="1"
AR Path="/5FC50B89/5FC5F815" Ref="#PWR0502" Part="1"
F 0 "#PWR0502" H 1750 3200 50 0001 C CNN
F 1 "GND" H 1755 3277 50 0000 C CNN
F 2 "" H 1750 3450 50 0001 C CNN
F 3 "" H 1750 3450 50 0001 C CNN
1 1750 3450
1 0 0 -1
$EndComp
$Comp
L power:GND #PWR?
U 1 1 5FC5F81B
P 1750 4300
AR Path="/5FC5F81B" Ref="#PWR?" Part="1"
AR Path="/5FC50B89/5FC5F81B" Ref="#PWR0503" Part="1"
F 0 "#PWR0503" H 1750 4050 50 0001 C CNN
F 1 "GND" H 1755 4127 50 0000 C CNN
F 2 "" H 1750 4300 50 0001 C CNN
F 3 "" H 1750 4300 50 0001 C CNN
1 1750 4300
1 0 0 -1
$EndComp
Wire Wire Line
1750 4300 1750 4200
Wire Wire Line
1750 3900 1900 3900
Wire Wire Line
2000 4200 1750 4200
Connection ~ 1750 4200
Wire Wire Line
1750 4200 1750 3900
Wire Wire Line
1750 3450 1750 3350
Wire Wire Line
1750 3050 1900 3050
Wire Wire Line
2000 3350 1750 3350
Connection ~ 1750 3350
Wire Wire Line
1750 3350 1750 3050
$Comp
L Device:LED D?
U 1 1 5FC5F82B
P 2350 1850
AR Path="/5FC5F82B" Ref="D?" Part="1"
AR Path="/5FC50B89/5FC5F82B" Ref="D502" Part="1"
F 0 "D502" V 2389 1732 50 0000 R CNN
F 1 "RED LED" V 2298 1732 50 0000 R CNN
F 2 "LED_SMD:LED_0603_1608Metric" H 2350 1850 50 0001 C CNN
F 3 "~" H 2350 1850 50 0001 C CNN
F 4 "C2286" H 2350 1850 50 0001 C CNN "LCSC"
1 2350 1850
0 -1 -1 0
$EndComp
$Comp
L Device:R R?
U 1 1 5FC5F831
P 2350 1450
AR Path="/5FC5F831" Ref="R?" Part="1"
AR Path="/5FC50B89/5FC5F831" Ref="R502" Part="1"
F 0 "R502" H 2420 1496 50 0000 L CNN
F 1 "2k" H 2420 1405 50 0000 L CNN
F 2 "Resistor_SMD:R_0402_1005Metric" V 2280 1450 50 0001 C CNN
F 3 "~" H 2350 1450 50 0001 C CNN
F 4 "C4109" H 2350 1450 50 0001 C CNN "LCSC"
1 2350 1450
1 0 0 -1
$EndComp
$Comp
L power:+3.3V #PWR?
U 1 1 5FC5F837
P 2350 1200
AR Path="/5FC5F837" Ref="#PWR?" Part="1"
AR Path="/5FC50B89/5FC5F837" Ref="#PWR0504" Part="1"
F 0 "#PWR0504" H 2350 1050 50 0001 C CNN
F 1 "+3.3V" H 2365 1373 50 0000 C CNN
F 2 "" H 2350 1200 50 0001 C CNN
F 3 "" H 2350 1200 50 0001 C CNN
1 2350 1200
1 0 0 -1
$EndComp
Wire Wire Line
2350 1200 2350 1300
Wire Wire Line
2350 1600 2350 1700
$Comp
L power:GND #PWR?
U 1 1 5FC5F83F
P 2350 2100
AR Path="/5FC5F83F" Ref="#PWR?" Part="1"
AR Path="/5FC50B89/5FC5F83F" Ref="#PWR0505" Part="1"
F 0 "#PWR0505" H 2350 1850 50 0001 C CNN
F 1 "GND" H 2355 1927 50 0000 C CNN
F 2 "" H 2350 2100 50 0001 C CNN
F 3 "" H 2350 2100 50 0001 C CNN
1 2350 2100
1 0 0 -1
$EndComp
Wire Wire Line
2350 2100 2350 2000
$Comp
L Device:LED D?
U 1 1 5FC5F846
P 1750 1850
AR Path="/5FC5F846" Ref="D?" Part="1"
AR Path="/5FC50B89/5FC5F846" Ref="D501" Part="1"
F 0 "D501" V 1789 1732 50 0000 R CNN
F 1 "BLUE LED" V 1698 1732 50 0000 R CNN
F 2 "LED_SMD:LED_0603_1608Metric" H 1750 1850 50 0001 C CNN
F 3 "~" H 1750 1850 50 0001 C CNN
F 4 "C72041" H 1750 1850 50 0001 C CNN "LCSC"
1 1750 1850
0 -1 -1 0
$EndComp
$Comp
L Device:R R?
U 1 1 5FC5F84C
P 1750 1450
AR Path="/5FC5F84C" Ref="R?" Part="1"
AR Path="/5FC50B89/5FC5F84C" Ref="R501" Part="1"
F 0 "R501" H 1820 1496 50 0000 L CNN
F 1 "2k" H 1820 1405 50 0000 L CNN
F 2 "Resistor_SMD:R_0402_1005Metric" V 1680 1450 50 0001 C CNN
F 3 "~" H 1750 1450 50 0001 C CNN
F 4 "C4109" H 1750 1450 50 0001 C CNN "LCSC"
1 1750 1450
1 0 0 -1
$EndComp
Wire Wire Line
1750 1200 1750 1300
Wire Wire Line
1750 1600 1750 1700
$Comp
L power:GND #PWR?
U 1 1 5FC5F854
P 1750 2100
AR Path="/5FC5F854" Ref="#PWR?" Part="1"
AR Path="/5FC50B89/5FC5F854" Ref="#PWR0501" Part="1"
F 0 "#PWR0501" H 1750 1850 50 0001 C CNN
F 1 "GND" H 1755 1927 50 0000 C CNN
F 2 "" H 1750 2100 50 0001 C CNN
F 3 "" H 1750 2100 50 0001 C CNN
1 1750 2100
1 0 0 -1
$EndComp
Wire Wire Line
1750 2100 1750 2000
Text HLabel 2450 3900 2 50 Input ~ 0
RESET_KEY
Text HLabel 2450 3050 2 50 Input ~ 0
BOOT_KEY
Text HLabel 1750 1200 1 50 Input ~ 0
LED
$EndSCHEMATC
| 23,359
|
https://github.com/Magomedali/yiiproject/blob/master/common/components/pusher/services/BaseService.php
|
Github Open Source
|
Open Source
|
BSD-3-Clause
| null |
yiiproject
|
Magomedali
|
PHP
|
Code
| 126
| 302
|
<?php
namespace pusher\services;
class BaseService
{
/**
* @var string push service id.
* This value mainly used as HTTP request parameter.
*/
private $_id;
/**
* @var string push service name.
* This value may be used in database records, CSS files and so on.
*/
private $_name;
/**
* @param string $id service id.
*/
public function setId($id)
{
$this->_id = $id;
}
/**
* @return string service id
*/
public function getId()
{
if (empty($this->_id)) {
$this->_id = $this->getName();
}
return $this->_id;
}
/**
* @param string $name service name.
*/
public function setName($name)
{
$this->_name = $name;
}
/**
* @return string service name.
*/
public function getName()
{
if ($this->_name === null) {
$this->_name = $this->defaultName();
}
return $this->_name;
}
}
| 34,587
|
https://github.com/leeyuesang/laravel-server-side-rendering-examples/blob/master/resources/assets/js/shared/constant.js
|
Github Open Source
|
Open Source
|
MIT
| null |
laravel-server-side-rendering-examples
|
leeyuesang
|
JavaScript
|
Code
| 55
| 158
|
// Key flags
export const IS_ON_DEVELOPMENTS = true;
export const DefaultCorsSetting = Object.freeze({
headers: {
'Content-Type': 'application/x-www-form-urlencoded;charset=utf-8;',
},
credentials: "include",
});
// Enumerations
export const CommentType = Object.freeze({
BLOG_POST: "BLOG_POST" // Comment type for blog post
});
export const ApiUrl = IS_ON_DEVELOPMENTS ? `http://localhost:8000` : ``;
export const RootPath = IS_ON_DEVELOPMENTS ? `` : ``;
| 8,268
|
https://github.com/nhatphuongb1/Flutter-Tiktok-Videos/blob/master/lib/data/get_data.dart
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
Flutter-Tiktok-Videos
|
nhatphuongb1
|
Dart
|
Code
| 251
| 2,097
|
import 'package:cachedrun/model/video.dart';
import 'package:cloud_firestore/cloud_firestore.dart';
import 'package:flutter/material.dart';
var data = [
{
"id": "2",
"comments": "21",
"likes": "3.2k",
"song_name": "Song Title 1 - Artist 1",
"url":
"https://firebasestorage.googleapis.com/v0/b/video-9ecef.appspot.com/o/video1920%2Fmaster.m3u8?alt=media&token=b2e3e560-a92f-492c-9984-cbaf601c8e74",
"user": "user1",
"user_pic":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/profile_pics%2Fprofile1.jpg?alt=media&token=567ea332-04e8-4c64-afb0-8152c6f12fec",
"video_title": "Video 1"
},
{
"id": "2",
"comments": "11",
"likes": "35k",
"song_name": "Song Title 2 - Artist 2",
"url":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/1.mp4?alt=media&token=36032747-7815-473d-beef-061098f08c18",
"user": "user2",
"user_pic":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/profile_pics%2Fprofile2.jpeg?alt=media&token=b1fdd00d-5d6e-4705-980d-4ef3e70ff6c5",
"video_title": "Video 2"
},
{
"id": "2",
"comments": "434",
"likes": "21.4k",
"song_name": "Song Title 3 - Artist 3",
"url":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/3.mp4?alt=media&token=a7ccda22-7264-4c64-9328-86a4c2ec31cd",
"user": "user3",
"user_pic":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/profile_pics%2Fprofile3.jpg?alt=media&token=d65b2ed7-4164-4149-a5c7-8620201e8411",
"video_title": "Video 3"
},
{
"id": "2",
"comments": "66",
"likes": "3m",
"song_name": "Song Title 4 - Artist 4",
"url":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/2.mp4?alt=media&token=b6218221-6699-402b-8b89-7e3354ac32dc",
"user": "user4",
"user_pic":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/profile_pics%2Fprofile4.jpg?alt=media&token=399ca1f4-2017-4f48-af21-0aa6a7b17550",
"video_title": "Video 4"
},
{
"id": "2",
"comments": "54",
"likes": "1.1k",
"song_name": "Song Title 6 - Artist 6",
"url":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/5.mp4?alt=media&token=965a0494-7aaf-4248-85c5-fefac581ee7f",
"user": "user5",
"user_pic":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/profile_pics%2Fprofile5.jpeg?alt=media&token=7fbe5118-c2e9-4550-a468-3eb8a4d34d6a",
"video_title": "Video 5"
},
{
"id": "2",
"comments": "43",
"likes": "5.2k",
"song_name": "Song Title 6 - Artist 6",
"url":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/7.mp4?alt=media&token=2f6a3c9b-bfc4-483e-ad5b-bb7d539ee765",
"user": "user6",
"user_pic":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/profile_pics%2Fprofile6.jpeg?alt=media&token=e747af9e-4775-484e-9a27-94b2426f319c",
"video_title": "Video 6"
},
{
"id": "2",
"comments": "43",
"likes": "5.2k",
"song_name": "Song Title 6 - Artist 6",
"url":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/8.mp4?alt=media&token=87e20ffd-2b5c-422a-ad85-33b90b4e2169",
"user": "user6",
"user_pic":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/profile_pics%2Fprofile6.jpeg?alt=media&token=e747af9e-4775-484e-9a27-94b2426f319c",
"video_title": "Video 7"
},
{
"id": "2",
"comments": "43",
"likes": "5.2k",
"song_name": "Song Title 6 - Artist 6",
"url":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/9.mp4?alt=media&token=83911bd2-6083-43d1-824e-2049f1fb11e7",
"user": "user6",
"user_pic":
"https://firebasestorage.googleapis.com/v0/b/testvideo-91d3a.appspot.com/o/profile_pics%2Fprofile6.jpeg?alt=media&token=e747af9e-4775-484e-9a27-94b2426f319c",
"video_title": "Video 8"
}
];
class VideosAPI extends ChangeNotifier {
List<Video> listVideos = <Video>[];
VideosAPI() {
load();
}
void load() async {
listVideos = await getVideoList();
}
Future<List<Video>> getVideoList() async {
var videoList = <Video>[];
var videos;
videos = (await FirebaseFirestore.instance.collection("Videos").get());
videos.docs.forEach((element) {
Video video = Video.fromJson(element.data());
videoList.add(video);
});
return videoList;
}
}
| 18,878
|
https://github.com/enrique2128/crudLaravel/blob/master/app/Models/Alumno.php
|
Github Open Source
|
Open Source
|
MIT
| null |
crudLaravel
|
enrique2128
|
PHP
|
Code
| 30
| 124
|
<?php
namespace App\Models;
use Illuminate\Database\Eloquent\Factories\HasFactory;
use Illuminate\Database\Eloquent\Model;
class Alumno extends Model
{
use HasFactory;
protected $fillable=['nombre', 'dni', 'direccion', 'telefono'];
public function index() {
$alumnos = Alumno::All();
return view("listado",['alumnos'=>$alumnos]);
}
}
| 11,563
|
https://github.com/django-fluent/django-fluent-contents/blob/master/fluent_contents/extensions/pluginpool.py
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,021
|
django-fluent-contents
|
django-fluent
|
Python
|
Code
| 910
| 2,401
|
"""
Internal module for the plugin system,
the API is exposed via __init__.py
"""
from threading import Lock
from django.contrib.contenttypes.models import ContentType
from django.core.exceptions import ImproperlyConfigured
from fluent_utils.load import import_apps_submodule
from fluent_contents import appsettings
from fluent_contents.forms import ContentItemForm
from fluent_contents.models import ContentItem
from .pluginbase import ContentPlugin
__all__ = ("PluginContext", "ContentPlugin", "plugin_pool")
# This mechanism is mostly inspired by Django CMS,
# which nice job at defining a clear extension model.
# (c) Django CMS developers, BSD licensed.
# Some standard request processors to use in the plugins,
# Naturally, you want STATIC_URL to be available in plugins.
class PluginAlreadyRegistered(Exception):
"""
Raised when attemping to register a plugin twice.
"""
pass
class ModelAlreadyRegistered(Exception):
"""
The model is already registered with another plugin.
"""
pass
class PluginNotFound(Exception):
"""
Raised when the plugin could not be found in the rendering process.
"""
pass
class PluginPool:
"""
The central administration of plugins.
"""
scanLock = Lock()
def __init__(self):
self.plugins = {}
self._name_for_model = {}
self._name_for_ctype_id = None
self.detected = False
def register(self, plugin):
"""
Make a plugin known to the CMS.
:param plugin: The plugin class, deriving from :class:`ContentPlugin`.
:type plugin: :class:`ContentPlugin`
The plugin will be instantiated once, just like Django does this with :class:`~django.contrib.admin.ModelAdmin` classes.
If a plugin is already registered, this will raise a :class:`PluginAlreadyRegistered` exception.
"""
# Duck-Typing does not suffice here, avoid hard to debug problems by upfront checks.
assert issubclass(plugin, ContentPlugin), "The plugin must inherit from `ContentPlugin`"
assert plugin.model, "The plugin has no model defined"
assert issubclass(
plugin.model, ContentItem
), "The plugin model must inherit from `ContentItem`"
assert issubclass(
plugin.form, ContentItemForm
), "The plugin form must inherit from `ContentItemForm`"
name = plugin.__name__ # using class here, no instance created yet.
name = name.lower()
if name in self.plugins:
raise PluginAlreadyRegistered(f"{name}: a plugin with this name is already registered")
# Avoid registering 2 plugins to the exact same model. If you want to reuse code, use proxy models.
if plugin.model in self._name_for_model:
# Having 2 plugins for one model breaks ContentItem.plugin and the frontend code
# that depends on using inline-model names instead of plugins. Good luck fixing that.
# Better leave the model==plugin dependency for now.
existing_plugin = self.plugins[self._name_for_model[plugin.model]]
raise ModelAlreadyRegistered(
"Can't register the model {0} to {2}, it's already registered to {1}!".format(
plugin.model.__name__, existing_plugin.name, plugin.__name__
)
)
# Make a single static instance, similar to ModelAdmin.
plugin_instance = plugin()
self.plugins[name] = plugin_instance
self._name_for_model[plugin.model] = name # Track reverse for model.plugin link
# Only update lazy indexes if already created
if self._name_for_ctype_id is not None:
self._name_for_ctype_id[plugin.type_id] = name
return plugin # Allow decorator syntax
def get_plugins(self):
"""
Return the list of all plugin instances which are loaded.
"""
self._import_plugins()
return list(self.plugins.values())
def get_allowed_plugins(self, placeholder_slot):
"""
Return the plugins which are supported in the given placeholder name.
"""
# See if there is a limit imposed.
slot_config = appsettings.FLUENT_CONTENTS_PLACEHOLDER_CONFIG.get(placeholder_slot) or {}
plugins = slot_config.get("plugins")
if not plugins:
return self.get_plugins()
else:
try:
return self.get_plugins_by_name(*plugins)
except PluginNotFound as e:
raise PluginNotFound(
str(e)
+ " Update the plugin list of the FLUENT_CONTENTS_PLACEHOLDER_CONFIG['{}'] setting.".format(
placeholder_slot
)
)
def get_plugins_by_name(self, *names):
"""
Return a list of plugins by plugin class, or name.
"""
self._import_plugins()
plugin_instances = []
for name in names:
if isinstance(name, str):
try:
plugin_instances.append(self.plugins[name.lower()])
except KeyError:
raise PluginNotFound(f"No plugin named '{name}'.")
elif isinstance(name, type) and issubclass(name, ContentPlugin):
# Will also allow classes instead of strings.
plugin_instances.append(self.plugins[self._name_for_model[name.model]])
else:
raise TypeError(
"get_plugins_by_name() expects a plugin name or class, not: {}".format(name)
)
return plugin_instances
def get_model_classes(self):
"""
Return all :class:`~fluent_contents.models.ContentItem` model classes which are exposed by plugins.
"""
self._import_plugins()
return [plugin.model for plugin in self.plugins.values()]
def get_plugin_by_model(self, model_class):
"""
Return the corresponding plugin for a given model.
You can also use the :attr:`ContentItem.plugin <fluent_contents.models.ContentItem.plugin>` property directly.
This is the low-level function that supports that feature.
"""
self._import_plugins() # could happen during rendering that no plugin scan happened yet.
# Avoid confusion between model instance and class here:
assert issubclass(model_class, ContentItem)
try:
name = self._name_for_model[model_class]
except KeyError:
raise PluginNotFound(f"No plugin found for model '{model_class.__name__}'.")
return self.plugins[name]
def _get_plugin_by_content_type(self, contenttype):
self._import_plugins()
self._setup_lazy_indexes()
ct_id = contenttype.id if isinstance(contenttype, ContentType) else int(contenttype)
try:
name = self._name_for_ctype_id[ct_id]
except KeyError:
# ContentType not found, likely a plugin is no longer registered or the app has been removed.
try:
# ContentType could be stale
ct = (
contenttype
if isinstance(contenttype, ContentType)
else ContentType.objects.get_for_id(ct_id)
)
except AttributeError: # should return the stale type but Django <1.6 raises an AttributeError in fact.
ct_name = "stale content type"
else:
ct_name = f"{ct.app_label}.{ct.model}"
raise PluginNotFound(
"No plugin found for content type #{} ({}).".format(contenttype, ct_name)
)
return self.plugins[name]
def _import_plugins(self):
"""
Internal function, ensure all plugin packages are imported.
"""
if self.detected:
return
try:
# In some cases, plugin scanning may start during a request.
# Make sure there is only one thread scanning for plugins.
self.scanLock.acquire()
if self.detected:
return # previous threaded released + completed
import_apps_submodule("content_plugins")
self.detected = True
finally:
self.scanLock.release()
def _setup_lazy_indexes(self):
# The ContentType is not read yet at .register() time, since that enforces the database to exist at that time.
# If a plugin library is imported via different paths that might not be the case when `./manage.py syncdb` runs.
if self._name_for_ctype_id is None:
plugin_ctypes = {} # separate dict to build, thread safe
self._import_plugins()
for name, plugin in self.plugins.items():
ct_id = plugin.type_id
if ct_id in plugin_ctypes:
raise ImproperlyConfigured(
"The plugin '{}' returns the same type_id as the '{}' plugin does".format(
plugin.name, plugin_ctypes[ct_id]
)
)
plugin_ctypes[ct_id] = name
self._name_for_ctype_id = plugin_ctypes
#: The global plugin pool, a instance of the :class:`PluginPool` class.
plugin_pool = PluginPool()
| 42,613
|
https://github.com/americanexpress/bloom/blob/master/bloom-core/src/main/java/com/americanexpress/bloom/constants/Constants.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,021
|
bloom
|
americanexpress
|
Java
|
Code
| 176
| 340
|
/**
*
* Copyright 2020 American Express Travel Related Services Company, Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except
* in compliance with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software distributed under the License
* is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express
* or implied. See the License for the specific language governing permissions and limitations under
* the License.
*/
package com.americanexpress.bloom.constants;
public class Constants {
public static final String APP_HOME = "APP_HOME";
public static final String ENV = "ENV";
public static final String FULL_REFRESH_MODE = "FULL-REFRESH";
public static final String LOAD_APPEND_MODE = "LOAD-APPEND";
public static final String UPSERT_MODE = "UPSERT";
public static final String TABLE_TYPE_ROWSTORE = "rowstore";
public static final String TABLE_TYPE_COLUMNSTORE = "columnstore";
private Constants() {
// Utility classes, which are collections of static members, are not meant to be instantiated
}
}
| 43,238
|
https://github.com/Slycir/SwerveTest/blob/master/src/main/java/frc/robot/subsystems/DriveTrain.java
|
Github Open Source
|
Open Source
|
BSD-3-Clause
| null |
SwerveTest
|
Slycir
|
Java
|
Code
| 116
| 406
|
// Copyright (c) FIRST and other WPILib contributors.
// Open Source Software; you can modify and/or share it under the terms of
// the WPILib BSD license file in the root directory of this project.
package frc.robot.subsystems;
import frc.robot.Constants;
import edu.wpi.first.wpilibj2.command.SubsystemBase;
import edu.wpi.first.wpilibj.motorcontrol.VictorSP;
public class DriveTrain extends SubsystemBase {
VictorSP frontLeftDrive = new VictorSP(Constants.MotorControllers.FRONT_LEFT_DRIVE);
VictorSP frontRightDrive = new VictorSP(Constants.MotorControllers.FRONT_RIGHT_DRIVE);
VictorSP backRightDrive = new VictorSP(Constants.MotorControllers.BACK_RIGHT_DRIVE);
VictorSP backLeftDrive = new VictorSP(Constants.MotorControllers.BACK_LEFT_DRIVE);
VictorSP frontLeftSteer = new VictorSP(Constants.MotorControllers.FRONT_LEFT_STEER);
VictorSP frontRightSteer = new VictorSP(Constants.MotorControllers.FRONT_RIGHT_STEER);
VictorSP backRightSteer = new VictorSP(Constants.MotorControllers.BACK_RIGHT_STEER);
VictorSP backLeftSteer = new VictorSP(Constants.MotorControllers.BACK_LEFT_STEER);
/** Creates a new DriveTrain. */
public DriveTrain() {
}
@Override
public void periodic() {
// This method will be called once per scheduler run
}
}
| 28,652
|
https://github.com/100dej/PlanningS/blob/master/Form/FrmUserVariant.Designer.vb
|
Github Open Source
|
Open Source
|
MIT
| null |
PlanningS
|
100dej
|
Visual Basic
|
Code
| 785
| 3,723
|
<Global.Microsoft.VisualBasic.CompilerServices.DesignerGenerated()> _
Partial Class FrmUserVariant
Inherits WeifenLuo.WinFormsUI.Docking.DockContent
'Form overrides dispose to clean up the component list.
<System.Diagnostics.DebuggerNonUserCode()> _
Protected Overrides Sub Dispose(ByVal disposing As Boolean)
Try
If disposing AndAlso components IsNot Nothing Then
components.Dispose()
End If
Finally
MyBase.Dispose(disposing)
End Try
End Sub
'Required by the Windows Form Designer
Private components As System.ComponentModel.IContainer
'NOTE: The following procedure is required by the Windows Form Designer
'It can be modified using the Windows Form Designer.
'Do not modify it using the code editor.
<System.Diagnostics.DebuggerStepThrough()> _
Private Sub InitializeComponent()
Me.dtgMasterVariant = New System.Windows.Forms.DataGridView
Me.Splitter1 = New System.Windows.Forms.Splitter
Me.pnHeader = New System.Windows.Forms.Panel
Me.Splitter2 = New System.Windows.Forms.Splitter
Me.dtgVariantDetails = New System.Windows.Forms.DataGridView
Me.cmdCancel = New PlanningS.NPIButton
Me.cmdSave = New PlanningS.NPIButton
Me.cmdImport = New PlanningS.NPIButton
Me.cmdNew = New PlanningS.NPIButton
Me.cmdDelete = New PlanningS.NPIButton
Me.cmdChange = New PlanningS.NPIButton
Me.cmdCopy = New PlanningS.NPIButton
Me.txtVname = New PlanningS.NPIText
Me.NpiLabel1 = New PlanningS.NPILabel
Me.lblVarUser = New PlanningS.NPILabel
CType(Me.dtgMasterVariant, System.ComponentModel.ISupportInitialize).BeginInit()
Me.pnHeader.SuspendLayout()
CType(Me.dtgVariantDetails, System.ComponentModel.ISupportInitialize).BeginInit()
Me.SuspendLayout()
'
'dtgMasterVariant
'
Me.dtgMasterVariant.ColumnHeadersHeightSizeMode = System.Windows.Forms.DataGridViewColumnHeadersHeightSizeMode.AutoSize
Me.dtgMasterVariant.Dock = System.Windows.Forms.DockStyle.Left
Me.dtgMasterVariant.Location = New System.Drawing.Point(0, 0)
Me.dtgMasterVariant.Name = "dtgMasterVariant"
Me.dtgMasterVariant.Size = New System.Drawing.Size(240, 498)
Me.dtgMasterVariant.TabIndex = 0
'
'Splitter1
'
Me.Splitter1.BackColor = System.Drawing.SystemColors.ControlDark
Me.Splitter1.Location = New System.Drawing.Point(240, 0)
Me.Splitter1.Name = "Splitter1"
Me.Splitter1.Size = New System.Drawing.Size(3, 498)
Me.Splitter1.TabIndex = 1
Me.Splitter1.TabStop = False
'
'pnHeader
'
Me.pnHeader.Controls.Add(Me.cmdCancel)
Me.pnHeader.Controls.Add(Me.cmdSave)
Me.pnHeader.Controls.Add(Me.cmdImport)
Me.pnHeader.Controls.Add(Me.cmdNew)
Me.pnHeader.Controls.Add(Me.cmdDelete)
Me.pnHeader.Controls.Add(Me.cmdChange)
Me.pnHeader.Controls.Add(Me.cmdCopy)
Me.pnHeader.Controls.Add(Me.txtVname)
Me.pnHeader.Controls.Add(Me.NpiLabel1)
Me.pnHeader.Controls.Add(Me.lblVarUser)
Me.pnHeader.Dock = System.Windows.Forms.DockStyle.Top
Me.pnHeader.Location = New System.Drawing.Point(243, 0)
Me.pnHeader.Name = "pnHeader"
Me.pnHeader.Size = New System.Drawing.Size(1010, 100)
Me.pnHeader.TabIndex = 2
'
'Splitter2
'
Me.Splitter2.BackColor = System.Drawing.SystemColors.ControlDark
Me.Splitter2.Dock = System.Windows.Forms.DockStyle.Top
Me.Splitter2.Location = New System.Drawing.Point(243, 100)
Me.Splitter2.Name = "Splitter2"
Me.Splitter2.Size = New System.Drawing.Size(1010, 3)
Me.Splitter2.TabIndex = 3
Me.Splitter2.TabStop = False
'
'dtgVariantDetails
'
Me.dtgVariantDetails.ColumnHeadersHeightSizeMode = System.Windows.Forms.DataGridViewColumnHeadersHeightSizeMode.AutoSize
Me.dtgVariantDetails.Dock = System.Windows.Forms.DockStyle.Fill
Me.dtgVariantDetails.Location = New System.Drawing.Point(243, 103)
Me.dtgVariantDetails.Name = "dtgVariantDetails"
Me.dtgVariantDetails.Size = New System.Drawing.Size(1010, 395)
Me.dtgVariantDetails.TabIndex = 4
'
'cmdCancel
'
Me.cmdCancel.BackColor = System.Drawing.SystemColors.Control
Me.cmdCancel.Cursor = System.Windows.Forms.Cursors.Hand
Me.cmdCancel.Font = New System.Drawing.Font("Arial", 8.0!, System.Drawing.FontStyle.Bold)
Me.cmdCancel.ForeColor = System.Drawing.Color.Blue
Me.cmdCancel.Location = New System.Drawing.Point(830, 50)
Me.cmdCancel.Name = "cmdCancel"
Me.cmdCancel.Size = New System.Drawing.Size(75, 23)
Me.cmdCancel.TabIndex = 6
Me.cmdCancel.Text = "C&ancel"
Me.cmdCancel.UseVisualStyleBackColor = True
'
'cmdSave
'
Me.cmdSave.BackColor = System.Drawing.SystemColors.Control
Me.cmdSave.Cursor = System.Windows.Forms.Cursors.Hand
Me.cmdSave.Font = New System.Drawing.Font("Arial", 8.0!, System.Drawing.FontStyle.Bold)
Me.cmdSave.ForeColor = System.Drawing.Color.Blue
Me.cmdSave.Location = New System.Drawing.Point(911, 50)
Me.cmdSave.Name = "cmdSave"
Me.cmdSave.Size = New System.Drawing.Size(75, 23)
Me.cmdSave.TabIndex = 7
Me.cmdSave.Text = "&Save"
Me.cmdSave.UseVisualStyleBackColor = True
'
'cmdImport
'
Me.cmdImport.BackColor = System.Drawing.SystemColors.Control
Me.cmdImport.Cursor = System.Windows.Forms.Cursors.Hand
Me.cmdImport.Font = New System.Drawing.Font("Arial", 8.0!, System.Drawing.FontStyle.Bold)
Me.cmdImport.ForeColor = System.Drawing.Color.Blue
Me.cmdImport.Location = New System.Drawing.Point(502, 50)
Me.cmdImport.Name = "cmdImport"
Me.cmdImport.Size = New System.Drawing.Size(75, 23)
Me.cmdImport.TabIndex = 2
Me.cmdImport.Text = "&Import"
Me.cmdImport.UseVisualStyleBackColor = True
'
'cmdNew
'
Me.cmdNew.BackColor = System.Drawing.SystemColors.Control
Me.cmdNew.Cursor = System.Windows.Forms.Cursors.Hand
Me.cmdNew.Font = New System.Drawing.Font("Arial", 8.0!, System.Drawing.FontStyle.Bold)
Me.cmdNew.ForeColor = System.Drawing.Color.Blue
Me.cmdNew.Location = New System.Drawing.Point(421, 50)
Me.cmdNew.Name = "cmdNew"
Me.cmdNew.Size = New System.Drawing.Size(75, 23)
Me.cmdNew.TabIndex = 1
Me.cmdNew.Text = "&New"
Me.cmdNew.UseVisualStyleBackColor = True
'
'cmdDelete
'
Me.cmdDelete.BackColor = System.Drawing.SystemColors.Control
Me.cmdDelete.Cursor = System.Windows.Forms.Cursors.Hand
Me.cmdDelete.Font = New System.Drawing.Font("Arial", 8.0!, System.Drawing.FontStyle.Bold)
Me.cmdDelete.ForeColor = System.Drawing.Color.Blue
Me.cmdDelete.Location = New System.Drawing.Point(749, 50)
Me.cmdDelete.Name = "cmdDelete"
Me.cmdDelete.Size = New System.Drawing.Size(75, 23)
Me.cmdDelete.TabIndex = 5
Me.cmdDelete.Text = "&Delete"
Me.cmdDelete.UseVisualStyleBackColor = True
'
'cmdChange
'
Me.cmdChange.BackColor = System.Drawing.SystemColors.Control
Me.cmdChange.Cursor = System.Windows.Forms.Cursors.Hand
Me.cmdChange.Font = New System.Drawing.Font("Arial", 8.0!, System.Drawing.FontStyle.Bold)
Me.cmdChange.ForeColor = System.Drawing.Color.Blue
Me.cmdChange.Location = New System.Drawing.Point(668, 50)
Me.cmdChange.Name = "cmdChange"
Me.cmdChange.Size = New System.Drawing.Size(75, 23)
Me.cmdChange.TabIndex = 4
Me.cmdChange.Text = "C&hange"
Me.cmdChange.UseVisualStyleBackColor = True
'
'cmdCopy
'
Me.cmdCopy.BackColor = System.Drawing.SystemColors.Control
Me.cmdCopy.Cursor = System.Windows.Forms.Cursors.Hand
Me.cmdCopy.Font = New System.Drawing.Font("Arial", 8.0!, System.Drawing.FontStyle.Bold)
Me.cmdCopy.ForeColor = System.Drawing.Color.Blue
Me.cmdCopy.Location = New System.Drawing.Point(587, 50)
Me.cmdCopy.Name = "cmdCopy"
Me.cmdCopy.Size = New System.Drawing.Size(75, 23)
Me.cmdCopy.TabIndex = 3
Me.cmdCopy.Text = "&Copy"
Me.cmdCopy.UseVisualStyleBackColor = True
'
'txtVname
'
Me.txtVname.Font = New System.Drawing.Font("Tahoma", 9.0!)
Me.txtVname.Location = New System.Drawing.Point(104, 53)
Me.txtVname.MaxLength = 30
Me.txtVname.Name = "txtVname"
Me.txtVname.Size = New System.Drawing.Size(299, 22)
Me.txtVname.TabIndex = 0
'
'NpiLabel1
'
Me.NpiLabel1.Cursor = System.Windows.Forms.Cursors.Hand
Me.NpiLabel1.Font = New System.Drawing.Font("Tahoma", 12.0!, System.Drawing.FontStyle.Bold)
Me.NpiLabel1.ImageAlign = System.Drawing.ContentAlignment.MiddleRight
Me.NpiLabel1.Location = New System.Drawing.Point(16, 51)
Me.NpiLabel1.Name = "NpiLabel1"
Me.NpiLabel1.Size = New System.Drawing.Size(82, 29)
Me.NpiLabel1.TabIndex = 1
Me.NpiLabel1.Text = "Variant :"
Me.NpiLabel1.TextAlign = System.Drawing.ContentAlignment.MiddleLeft
'
'lblVarUser
'
Me.lblVarUser.Cursor = System.Windows.Forms.Cursors.Hand
Me.lblVarUser.Font = New System.Drawing.Font("Tahoma", 12.0!, System.Drawing.FontStyle.Bold)
Me.lblVarUser.ImageAlign = System.Drawing.ContentAlignment.MiddleRight
Me.lblVarUser.Location = New System.Drawing.Point(16, 9)
Me.lblVarUser.Name = "lblVarUser"
Me.lblVarUser.Size = New System.Drawing.Size(158, 29)
Me.lblVarUser.TabIndex = 0
Me.lblVarUser.Text = "User :"
Me.lblVarUser.TextAlign = System.Drawing.ContentAlignment.MiddleLeft
'
'FrmUserVariant
'
Me.AutoScaleDimensions = New System.Drawing.SizeF(6.0!, 13.0!)
Me.AutoScaleMode = System.Windows.Forms.AutoScaleMode.Font
Me.ClientSize = New System.Drawing.Size(1253, 498)
Me.Controls.Add(Me.dtgVariantDetails)
Me.Controls.Add(Me.Splitter2)
Me.Controls.Add(Me.pnHeader)
Me.Controls.Add(Me.Splitter1)
Me.Controls.Add(Me.dtgMasterVariant)
Me.Name = "FrmUserVariant"
Me.TabText = "UserVariant"
Me.Text = "UserVariant"
CType(Me.dtgMasterVariant, System.ComponentModel.ISupportInitialize).EndInit()
Me.pnHeader.ResumeLayout(False)
Me.pnHeader.PerformLayout()
CType(Me.dtgVariantDetails, System.ComponentModel.ISupportInitialize).EndInit()
Me.ResumeLayout(False)
End Sub
Friend WithEvents dtgMasterVariant As System.Windows.Forms.DataGridView
Friend WithEvents Splitter1 As System.Windows.Forms.Splitter
Friend WithEvents pnHeader As System.Windows.Forms.Panel
Friend WithEvents Splitter2 As System.Windows.Forms.Splitter
Friend WithEvents dtgVariantDetails As System.Windows.Forms.DataGridView
Friend WithEvents lblVarUser As PlanningS.NPILabel
Friend WithEvents txtVname As PlanningS.NPIText
Friend WithEvents NpiLabel1 As PlanningS.NPILabel
Friend WithEvents cmdNew As PlanningS.NPIButton
Friend WithEvents cmdDelete As PlanningS.NPIButton
Friend WithEvents cmdChange As PlanningS.NPIButton
Friend WithEvents cmdCopy As PlanningS.NPIButton
Friend WithEvents cmdSave As PlanningS.NPIButton
Friend WithEvents cmdImport As PlanningS.NPIButton
Friend WithEvents cmdCancel As PlanningS.NPIButton
End Class
| 3,278
|
https://github.com/loftylabs/django-celsius/blob/master/celsius/backends/db.py
|
Github Open Source
|
Open Source
|
MIT
| null |
django-celsius
|
loftylabs
|
Python
|
Code
| 81
| 241
|
from celsius.backends import CelsiusBackend
from celsius.models import Event
class DatabaseBackend(CelsiusBackend):
"""
TODO: This classes' methods should be returning some abstracted object
that is consistent across backends, rather than QuerySets and Model instances
"""
def create_event(self, key, request=None):
if request is not None and request.user.is_authenticated:
user = request.user
else:
user = None
return Event.objects.create(
event=key,
user=user
)
def create_event_for_object(self, obj, key, request=None):
if request is not None and request.user.is_authenticated:
user = request.user
else:
user = None
return Event.objects.create(
event=key,
user=user,
content_object=obj,
)
| 14,660
|
https://github.com/warrenwchan/tango-tropical-grill/blob/master/src/components/contactInfo/index.js
|
Github Open Source
|
Open Source
|
MIT
| null |
tango-tropical-grill
|
warrenwchan
|
JavaScript
|
Code
| 7
| 15
|
import ContactInfo from './contactInfo';
export default ContactInfo
| 44,946
|
https://github.com/mlbendall/telescope/blob/master/setup.py
|
Github Open Source
|
Open Source
|
MIT
| 2,023
|
telescope
|
mlbendall
|
Python
|
Code
| 164
| 690
|
# -*- coding: utf-8 -*-
""" Setup telescope-ngs package
"""
from __future__ import print_function
from os import path, environ
from distutils.core import setup
from setuptools import Extension
from setuptools import find_packages
import versioneer
__author__ = 'Matthew L. Bendall'
__copyright__ = "Copyright (C) 2019 Matthew L. Bendall"
USE_CYTHON = True
CONDA_PREFIX = environ.get("CONDA_PREFIX", '.')
HTSLIB_INCLUDE_DIR = environ.get("HTSLIB_INCLUDE_DIR", None)
htslib_include_dirs = [
HTSLIB_INCLUDE_DIR,
path.join(CONDA_PREFIX, 'include'),
path.join(CONDA_PREFIX, 'include', 'htslib'),
]
htslib_include_dirs = [d for d in htslib_include_dirs if path.exists(str(d)) ]
ext = '.pyx' if USE_CYTHON else '.c'
extensions = [
Extension("telescope.utils.calignment",
["telescope/utils/calignment"+ext],
include_dirs=htslib_include_dirs,
),
]
if USE_CYTHON:
from Cython.Build import cythonize
extensions = cythonize(extensions)
setup(
name='telescope-ngs',
version=versioneer.get_version(),
cmdclass=versioneer.get_cmdclass(),
packages=find_packages(),
install_requires=[
'future',
'pyyaml',
'cython',
'numpy>=1.16.3',
'scipy>=1.2.1',
'pysam>=0.15.2',
'intervaltree>=3.0.2',
],
# Runnable scripts
entry_points={
'console_scripts': [
'telescope=telescope.__main__:main',
],
},
# cython
ext_modules=extensions,
# data
package_data = {
'telescope': [
'data/alignment.bam',
'data/annotation.gtf',
'data/telescope_report.tsv'
],
},
# metadata for upload to PyPI
author='Matthew L. Bendall',
author_email='bendall@gwu.edu',
description='Single locus resolution of Transposable ELEment expression using next-generation sequencing.',
license='MIT',
keywords='',
url='https://github.com/mlbendall/telescope',
zip_safe=False
)
| 28,161
|
https://github.com/Scout24/isphere/blob/master/src/main/python/isphere/command/__init__.py
|
Github Open Source
|
Open Source
|
WTFPL
| 2,023
|
isphere
|
Scout24
|
Python
|
Code
| 210
| 544
|
# Copyright (c) 2014-2015 Maximilien Riehl <max@riehl.io>
# This work is free. You can redistribute it and/or modify it under the
# terms of the Do What The Fuck You Want To Public License, Version 2,
# as published by Sam Hocevar. See the COPYING.wtfpl file for more details.
#
"""
The isphere command classes.
"""
import cmd
import cmd2
from isphere.command.core_command import CoreCommand
from isphere.command.esx_command import EsxCommand
from isphere.command.virtual_machine_command import VirtualMachineCommand
from isphere.command.dvs_command import DvsCommand
__pdoc__ = {}
class VSphereREPL(EsxCommand, VirtualMachineCommand, DvsCommand):
"""
The isphere REPL command class.
"""
for field in cmd.Cmd.__dict__.keys():
__pdoc__['VSphereREPL.%s' % field] = None
for field in cmd2.Cmd.__dict__.keys():
__pdoc__['VSphereREPL.%s' % field] = None
def __init__(self, hostname=None, username=None, password=None):
"""
Create a new REPL that connects to a vmware vCenter.
- hostname (type `str`) is the vCenter host name. Can be `None` and will
result in a prompt.
- username (type `str`) is the vCenter user name. Can be `None` and will
result in a prompt.
- password (type `str`) is the vCenter password. Can be `None` and will
result in a prompt.
"""
self.hostname = hostname
self.username = username
self.password = password
CoreCommand.__init__(self)
def cmdloop(self, **kwargs):
"""
Launches a REPL and swallows `KeyboardInterrupt`s.
"""
try:
cmd2.Cmd.cmdloop(self, **kwargs)
except KeyboardInterrupt:
print("Quit with Ctrl+D or `EOF`.")
self.cmdloop(**kwargs)
| 50,278
|
https://github.com/ARCANEDEV/LaravelMetrics/blob/master/src/Metrics/Concerns/HasRoundedValue.php
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
LaravelMetrics
|
ARCANEDEV
|
PHP
|
Code
| 136
| 415
|
<?php
declare(strict_types=1);
namespace Arcanedev\LaravelMetrics\Metrics\Concerns;
/**
* Trait HasRoundedValue
*
* @author ARCANEDEV <arcanedev.maroc@gmail.com>
*/
trait HasRoundedValue
{
/* -----------------------------------------------------------------
| Properties
| -----------------------------------------------------------------
*/
/**
* Rounding precision.
*
* @var int
*/
public $roundingPrecision = 0;
/**
* Rounding mode.
*
* @var int
*/
public $roundingMode = PHP_ROUND_HALF_UP;
/* -----------------------------------------------------------------
| Getters & Setters
| -----------------------------------------------------------------
*/
/**
* Set the precision level used when rounding the value.
*
* @param int $precision
* @param int $mode
*
* @return $this
*/
public function precision($precision = 0, $mode = PHP_ROUND_HALF_UP)
{
$this->roundingPrecision = $precision;
$this->roundingMode = $mode;
return $this;
}
/* -----------------------------------------------------------------
| Main Methods
| -----------------------------------------------------------------
*/
/**
* Round the value.
*
* @param int|float $value
*
* @return float
*/
public function roundValue($value)
{
return round((float) $value, $this->roundingPrecision, $this->roundingMode);
}
}
| 11,623
|
https://github.com/AudiusProject/audius-client/blob/master/packages/mobile/src/screens/explore-screen/tabs/PlaylistsTab.tsx
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,023
|
audius-client
|
AudiusProject
|
TSX
|
Code
| 112
| 328
|
import { useEffect } from 'react'
import {
Status,
explorePageSelectors,
useProxySelector,
explorePageActions
} from '@audius/common'
import { useSelector, useDispatch } from 'react-redux'
import { CollectionList } from 'app/components/collection-list'
import { TabInfo } from '../components/TabInfo'
const { getExplorePlaylists, getExploreStatus, getPlaylistsStatus } =
explorePageSelectors
const { fetchPlaylists } = explorePageActions
const messages = {
infoHeader: 'Featured Playlists'
}
export const PlaylistsTab = () => {
const playlists = useProxySelector(getExplorePlaylists, [])
const exploreStatus = useSelector(getExploreStatus)
const playlistsStatus = useSelector(getPlaylistsStatus)
const dispatch = useDispatch()
useEffect(() => {
if (exploreStatus === Status.SUCCESS) {
dispatch(fetchPlaylists())
}
}, [exploreStatus, dispatch])
return (
<CollectionList
isLoading={
exploreStatus === Status.LOADING || playlistsStatus !== Status.SUCCESS
}
ListHeaderComponent={<TabInfo header={messages.infoHeader} />}
collection={playlists}
/>
)
}
| 2,020
|
https://github.com/caseyscarborough/wanikani-api/blob/master/src/main/java/com/wanikani/api/v2/model/StudyMaterial.java
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
wanikani-api
|
caseyscarborough
|
Java
|
Code
| 45
| 162
|
package com.wanikani.api.v2.model;
import com.fasterxml.jackson.databind.annotation.JsonDeserialize;
import lombok.Data;
import java.time.ZonedDateTime;
import java.util.ArrayList;
import java.util.List;
@Data
public class StudyMaterial {
private ZonedDateTime createdAt;
private boolean hidden;
private String meaningNote;
private List<String> meaningSynonyms = new ArrayList<>();
private String readingNote;
private long subjectId;
@JsonDeserialize(using = SubjectType.Deserializer.class)
private SubjectType subjectType;
}
| 42,038
|
https://github.com/dhemery/utility-aggregator/blob/master/src/test/java/com/dhemery/aggregator/internal/MethodWriterVisitPrimitiveTypeTests.java
|
Github Open Source
|
Open Source
|
MIT
| null |
utility-aggregator
|
dhemery
|
Java
|
Code
| 179
| 744
|
package com.dhemery.aggregator.internal;
import com.dhemery.aggregator.helpers.FullTypeReferences;
import com.dhemery.aggregator.helpers.TestTarget;
import com.dhemery.annotation.testing.SourceFile;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.junit.runners.Parameterized;
import org.junit.runners.Parameterized.Parameter;
import org.junit.runners.Parameterized.Parameters;
import javax.lang.model.element.ExecutableElement;
import java.io.IOException;
import java.util.Arrays;
import java.util.Collection;
import static com.dhemery.annotation.testing.CompilationBuilder.process;
import static com.dhemery.annotation.testing.SourceFileBuilder.sourceFile;
import static java.lang.String.format;
import static org.hamcrest.MatcherAssert.assertThat;
import static org.hamcrest.Matchers.is;
@RunWith(Parameterized.class)
public class MethodWriterVisitPrimitiveTypeTests {
public MethodWriter writer;
@Before
public void setup() {
writer = new MethodWriter(new FullTypeReferences());
}
@Parameter
public TestType type;
@Parameters(name = "{0}")
public static Collection<TestType> types() {
return Arrays.asList(
new TestType("void", ""),
new TestType("byte", "return 0;"),
new TestType("char", "return 0;"),
new TestType("short", "return 0;"),
new TestType("long", "return 0;"),
new TestType("float", "return 0;"),
new TestType("double", "return 0;")
);
}
@Test
public void primitiveType() throws IOException {
SourceFile sourceFile = sourceFile()
.withLine(format("@%s", TestTarget.class.getName()))
.withLine(format("public static %s returnsPrimitiveType() { %s }", type.name, type.returnStatement))
.forClass("Simple");
StringBuilder declaration = new StringBuilder();
process().annotationType(TestTarget.class).inSourceFile(sourceFile).byPerformingOnEachRound(
re -> re.getElementsAnnotatedWith(TestTarget.class).stream()
.map(ExecutableElement.class::cast)
.map(ExecutableElement::getReturnType)
.forEach(t -> t.accept(writer, declaration::append)));
assertThat(declaration.toString(), is(type.name));
}
private static class TestType {
final String name;
final String returnStatement;
TestType(String name, String returnStatement) {
this.name = name;
this.returnStatement = returnStatement;
}
@Override
public String toString() {
return name;
}
}
}
| 14,202
|
https://github.com/Simalary/Dusk/blob/master/DebugLog.h
|
Github Open Source
|
Open Source
|
MIT
| null |
Dusk
|
Simalary
|
C
|
Code
| 163
| 608
|
//
// DebugLog.h
// NSLog wrapper
//
// DebugLog(msg) print Class, Selector, msg
// DebugLog0 print Class, Selector
// DebugLogMore(msg) print Filename, Line, Signature, msg
// DebugLogC(msg) print msg
//
// -Sticktron 2017
//
//
#ifdef DEBUG
// Default Prefix
#ifndef DEBUG_PREFIX
#define DEBUG_PREFIX @"[DebugLog]"
#endif
// Print styles
#define DebugLog(s, ...) \
NSLog(@"%@ %@::%@ >> %@", DEBUG_PREFIX, \
NSStringFromClass([self class]), \
NSStringFromSelector(_cmd), \
[NSString stringWithFormat:(s), ##__VA_ARGS__] \
)
#define DebugLog0 \
NSLog(@"%@ %@::%@", DEBUG_PREFIX, \
NSStringFromClass([self class]), \
NSStringFromSelector(_cmd) \
)
#define DebugLogC(s, ...) \
NSLog(@"%@ >> %@", DEBUG_PREFIX, \
[NSString stringWithFormat:(s), ##__VA_ARGS__] \
)
/*
#define DebugLogMore(s, ...) \
NSLog(@"%@ %s:(%d) >> %s >> %@", \
DEBUG_PREFIX, \
[[NSString stringWithUTF8String:__FILE__] lastPathComponent], \
__LINE__, \
__PRETTY_FUNCTION__, \
[NSString stringWithFormat:(s), \
##__VA_ARGS__] \
)
*/
//#define UA_SHOW_VIEW_BORDERS YES
//#define UA_showDebugBorderForViewColor(view, color) if (UA_SHOW_VIEW_BORDERS) { view.layer.borderColor = color.CGColor; view.layer.borderWidth = 1.0; }
//#define UA_showDebugBorderForView(view) UA_showDebugBorderForViewColor(view, [UIColor colorWithWhite:0.0 alpha:0.25])
#else
// Ignore macros
#define DebugLog(s, ...)
#define DebugLog0
#define DebugLogC(s, ...)
//#define DebugLogMore(s, ...)
#endif
| 36,425
|
https://github.com/vasi-axinte/Unit-Testing-Training/blob/master/Demo.AspnetMvc/Pos.DataAccess/Repositories/IRepository.cs
|
Github Open Source
|
Open Source
|
MIT
| null |
Unit-Testing-Training
|
vasi-axinte
|
C#
|
Code
| 13
| 46
|
using System.Linq;
namespace Pos.DataAccess.Repositories
{
public interface IRepository
{
IQueryable<T> GetEntity<T>();
}
}
| 4,727
|
https://github.com/braveheart12/Birake/blob/master/clean.sh
|
Github Open Source
|
Open Source
|
MIT
| 2,019
|
Birake
|
braveheart12
|
Shell
|
Code
| 6
| 19
|
#!/bin/sh
make clean
sh autogen.sh
./configure
| 12,565
|
https://github.com/kylastyles/donki-stream/blob/master/DONKI-stream/utils/kafka_writer.py
|
Github Open Source
|
Open Source
|
MIT
| 2,023
|
donki-stream
|
kylastyles
|
Python
|
Code
| 105
| 326
|
#!/usr/bin/env python3
from kafka import KafkaProducer
from kafka.errors import NoBrokersAvailable
import os
'''
Write space weather notifications to Kafka
'''
class KafkaWriter:
KAFKA_BROKER = os.getenv('KAFKA_BROKER', 'localhost:9092')
try:
producer = KafkaProducer(
bootstrap_servers=[KAFKA_BROKER],
value_serializer=lambda x: json.dumps(x).encode('utf-8')
)
except NoBrokersAvailable:
print("ERROR: Kafka service not available; unable to write. Either start kafka service or choose file output.")
exit()
def __init__(self, messages):
count = 0
for msg in messages:
try:
producer.send(topic='donki_events', value=msg)
count += 1
except Exception as e:
try:
producer.send(topic='errors', value=e)
except Exception as e2:
print(f"ERROR: Failed to Produce - {e2}")
producer.flush()
if count > 0:
print(f"SUCCESS: Loaded {count} messages to Kafka")
else:
print("FAILED: No messages loaded to Kafka")
| 11,022
|
https://github.com/mikesmayer/catarse_fork/blob/master/app/models/gateway_payment.rb
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
catarse_fork
|
mikesmayer
|
Ruby
|
Code
| 7
| 20
|
class GatewayPayment < ActiveRecord::Base
belongs_to :payment
end
| 30,588
|
https://github.com/NoenDex/Hikari/blob/master/HikariLex/HikariScript.Language.analyzer.lex
|
Github Open Source
|
Open Source
|
BSD-2-Clause
| null |
Hikari
|
NoenDex
|
Lex
|
Code
| 378
| 1,115
|
/*
Copyright (c) 2020, Stefan Bazelkov
All rights reserved.
Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:
1. Redistributions of source code must retain the above copyright notice, this
list of conditions and the following disclaimer.
2. Redistributions in binary form must reproduce the above copyright notice,
this list of conditions and the following disclaimer in the documentation
and/or other materials provided with the distribution.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
%namespace HikariLex
%scannertype HikariScriptScanner
%visibility internal
%tokentype Token
%option stack, minimize, parser, verbose, persistbuffer, noembedbuffers
%x C_BLOCKCOMMENT
%x COMMENT_SINGLE
Eol (\r\n?|\n|\n\r)
CR \r
NotWh [^ \t\r\n]
Space [ \t\n]
PBlockOpen \{
PBlockClose \}
POpen \(
PClose \)
DriveLetter [d-zD-Z]:
Assign =
HomeOp [Hh][Oo][Mm][Ee]
AllOp [Aa][Ll][Ll]
NotOp [Nn][Oo][Tt]
OrOp [Oo][Rr]
AndOp [Aa][Nn][Dd]
Group \"([^\"][A-Za-z0-9_\. \-&]*)\"
UNC \"([^\"][\\\\][A-Za-z0-9_\.\\ \-&]*\$?)\"
ContainsOp [Cc][Oo][Nn][Tt][Aa][Ii][Nn][Ss]
Printer [Pp][Rr][Ii][Nn][Tt][Ee][Rr]:
%{
%}
%%
{POpen} { return (int)Token.OPEN_BRACKET; }
{PClose} { return (int)Token.CLOSE_BRACKET; }
{PBlockOpen} { return (int)Token.BLOCKOPEN; }
{PBlockClose} { return (int)Token.BLOCKCLOSE; }
{OrOp} { return (int)Token.OR; }
{AndOp} { return (int)Token.AND; }
{DriveLetter} { GetDrive(); return (int)Token.DRIVELETTER; }
{Assign} { return (int)Token.ASSIGN; }
{Group} { GetString(); return (int)Token.GROUP; }
{UNC} { GetUNC(); return (int)Token.UNC; }
{NotOp} { return (int)Token.NOT; }
{HomeOp} { return (int)Token.HOME; }
{AllOp} { return (int)Token.ALL; }
{ContainsOp} { return (int)Token.CONTAINS; }
{Printer} { return (int)Token.PRINTER; }
"/*" { BEGIN(C_BLOCKCOMMENT); }
<C_BLOCKCOMMENT>"*/" { BEGIN(INITIAL); }
<C_BLOCKCOMMENT>. { }
<C_BLOCKCOMMENT>\n { }
<INITIAL>"//" { BEGIN(COMMENT_SINGLE); }
<COMMENT_SINGLE>\n { BEGIN(INITIAL); }
<COMMENT_SINGLE>[^\n]+ { }
{CR} {}
{Space} {} /* skip */
. { FlagError(); } /* anything else */
%%
| 16,458
|
https://github.com/altnight/django-bbs-lesson/blob/master/apps/users/views.py
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,014
|
django-bbs-lesson
|
altnight
|
Python
|
Code
| 124
| 497
|
# -*- coding: utf-8 -*-
from django.shortcuts import render_to_response
from django.http import HttpResponseRedirect
from django.core.urlresolvers import reverse
from core.utils import template_response
from users.models import User
from . import form
@template_response('users/signup.html')
def signup(request):
if request.method == "POST":
f = form.SignupForm(request.POST)
if f.is_valid():
user = User.objects.create_user(
name=f.cleaned_data['name'],
password=f.cleaned_data['password'],
age=f.cleaned_data['age'],
)
request.session['user'] = user
return HttpResponseRedirect(reverse('core:index'))
else:
return HttpResponseRedirect(reverse('users:signup'))
f = form.SignupForm()
return {'form': f}
@template_response('users/login.html')
def login(request):
# TODO: template fix to login(not password_confirm)
if request.method == "POST":
f = form.LoginForm(request.POST)
if f.is_valid():
d = f.cleaned_data
# TODO: moveform validation?
try:
u = User.objects.get(name=d['name'])
except User.DoesNotExist:
return HttpResponseRedirect(reverse('users:login'))
if not u.check_password(d['password']):
return HttpResponseRedirect(reverse('users:login'))
request.session['user'] = u
return HttpResponseRedirect(reverse('core:index'))
else:
return HttpResponseRedirect(reverse('users:login'))
f = form.LoginForm()
return {'form': f}
def logout(request):
if request.session.get('user', None):
del request.session['user']
return HttpResponseRedirect(reverse('core:index'))
| 8,629
|
https://github.com/PesiTheWizard/townsquare/blob/master/server/game/cards/16-DT2/RailroadStation2.js
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
townsquare
|
PesiTheWizard
|
JavaScript
|
Code
| 15
| 53
|
const RailroadStation = require('../01-DTR/RailroadStation');
class RailroadStation2 extends RailroadStation {}
RailroadStation2.code = '24141';
module.exports = RailroadStation2;
| 19,462
|
https://github.com/tony-azevedo/FlyAnalysis/blob/master/matlab_xunit_3_1_1/doc/example_subfunction_tests/testFliplr.m
|
Github Open Source
|
Open Source
|
MIT
| 2,023
|
FlyAnalysis
|
tony-azevedo
|
MATLAB
|
Code
| 29
| 88
|
function test_suite = testFliplr
% Copyright 2013 The MathWorks, Inc.
initTestSuite;
function testFliplrMatrix
in = magic(3);
assertEqual(fliplr(in), in(:, [3 2 1]));
function testFliplrVector
assertEqual(fliplr([1 4 10]), [10 4 1]);
| 47,739
|
https://github.com/gschlaich/Rhapsody-Apps/blob/master/RhapsodyOperationEditor/src/de/schlaich/gunnar/serializable/completion/SerializableBasicCompletion.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,021
|
Rhapsody-Apps
|
gschlaich
|
Java
|
Code
| 61
| 231
|
package de.schlaich.gunnar.serializable.completion;
import java.io.Serializable;
import org.fife.ui.autocomplete.BasicCompletion;
import org.fife.ui.autocomplete.CompletionProvider;
public class SerializableBasicCompletion implements Serializable {
private String replacementText;
private String shortDesc;
private String summary;
private int relevance;
public SerializableBasicCompletion(String replacementText, String shortDesc, String summary) {
this.replacementText = replacementText;
this.shortDesc = shortDesc;
this.summary = summary;
}
BasicCompletion getCompletion(CompletionProvider provider) {
BasicCompletion ret = new BasicCompletion(provider, replacementText, shortDesc, summary);
ret.setRelevance(relevance);
return ret;
}
}
| 10,010
|
https://github.com/xiaosean/leetcode_python/blob/master/Q844_Backspace-String-Compare_v2.py
|
Github Open Source
|
Open Source
|
MIT
| null |
leetcode_python
|
xiaosean
|
Python
|
Code
| 72
| 178
|
class Solution:
def backspaceCompare(self, s: str, t: str) -> bool:
t_s = ""
t_t = ""
cnt = 0
for i in range(len(s))[::-1]:
if s[i] == '#':
cnt += 1
elif cnt > 0:
cnt -= 1
continue
else:
t_s += s[i]
cnt = 0
for i in range(len(t))[::-1]:
if t[i] == '#':
cnt += 1
elif cnt > 0:
cnt -= 1
continue
else:
t_t += t[i]
return t_s == t_t
| 25,540
|
https://github.com/RadagastW/basic-js/blob/master/src/extended-repeater.js
|
Github Open Source
|
Open Source
|
MIT
| null |
basic-js
|
RadagastW
|
JavaScript
|
Code
| 136
| 320
|
const CustomError = require("../extensions/custom-error");
module.exports = function repeater(str, options) {
let repeatTimes = (options.repeatTimes) ? options.repeatTimes : 1;
let separator = (options.separator) ? options.separator : '+';
let addition = '';
if ((typeof options.addition !== 'boolean') && (typeof options.addition !== 'object'))
addition = (options.addition) ? options.addition : '';
else addition = String(options.addition);
let additionRepeatTimes = (options.additionRepeatTimes) ? options.additionRepeatTimes : 1;
let additionSeparator = (options.additionSeparator) ? options.additionSeparator : '|';
let right_result = '';
for (let i = 0; i < additionRepeatTimes; i++) {
if (i < additionRepeatTimes - 1) right_result += addition + additionSeparator;
else right_result += addition;
}
let result = '';
let rep_string = str + right_result;
for (let i = 0; i < repeatTimes; i++) {
if (i < repeatTimes - 1) result += rep_string + separator;
else result += rep_string;
}
return result;
};
| 26,699
|
https://github.com/fw-dev/piechart-panel/blob/master/src/types.ts
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
piechart-panel
|
fw-dev
|
TypeScript
|
Code
| 189
| 584
|
import { PanelProps } from '@grafana/data';
export interface Props extends PanelProps<PanelOptions> {}
export interface PanelOptions {
dataUnavailableMessage: string;
legendEnabled: boolean;
legendBoxWidth: string;
legendFontSize: string;
legendUsePointStyle: boolean;
linkEnabled: boolean;
chartOrder: string;
linkUrl: string;
linkTargetBlank: boolean;
highlightEnabled: boolean;
highlightCustomLabel: string;
highlightCustomExpression: string;
nullPointMode: string;
valueName: string;
cutoutPercentage: string;
tooltipTitle: string;
tooltipEnabled: boolean;
tooltipColorsEnabled: boolean;
xPadding: number;
yPadding: number;
aliasColors: {
[key: string]: string;
};
chartType: {
label: string;
value: string;
};
legendPosition: {
label: string;
value: string;
};
legendAlign: {
label: string;
value: string;
};
highlightValue: {
label: string;
value: string;
};
selectedHighlight: {
label: string;
value: string;
};
format: {
label: string;
value: string;
};
}
export interface ChartConfig {
type: string;
options: {
responsive: boolean;
aspectRatio: number;
maintainAspectRatio: boolean;
cutoutPercentage: number;
animation: {
animateRotate: boolean;
};
tooltips: {
enabled: boolean;
displayColors: boolean;
xPadding: number;
yPadding: number;
callbacks: {
title: () => string;
};
};
};
}
export interface State {
chartData: ChartData;
highlight: Highlight;
highlightData: {
series: Highlight[];
fallback: Highlight;
};
}
export interface DataSet {
data: number[];
backgroundColor: string[];
}
export interface ChartData {
labels: string[];
datasets: DataSet[];
}
export interface Highlight {
label: string;
value: string;
}
| 11,570
|
https://github.com/falgon/srookCppLibraries/blob/master/srook/cxx17/mpl/any_pack/algorithm/find_index.hpp
|
Github Open Source
|
Open Source
|
MIT
| 2,018
|
srookCppLibraries
|
falgon
|
C++
|
Code
| 132
| 338
|
// Copyright (C) 2011-2020 Roki. Distributed under the MIT License
#ifndef INCLUDED_SROOK_CXX17_MPL_ANY_PACK_FIND_INDEX_HPP
#define INCLUDED_SROOK_CXX17_MPL_ANY_PACK_FIND_INDEX_HPP
namespace srook {
namespace vmpl {
inline namespace mpl {
inline namespace v1 {
namespace detail {
template <std::size_t, auto, auto...>
struct find_index;
template <std::size_t counter, auto target, auto head, auto... tail>
struct find_index<counter, target, head, tail...> {
static constexpr int value = find_index<counter + 1, target, tail...>::value;
};
template <std::size_t counter, auto target, auto... tail>
struct find_index<counter, target, target, tail...> {
static constexpr int value = counter;
};
template <std::size_t counter, auto target>
struct find_index<counter, target> {
static constexpr int value = -1;
};
template <std::size_t target, auto... v>
constexpr int find_index_v = find_index<0, target, v...>::value;
} // namespace detail
} // namespace v1
} // namespace mpl
} // namespace vmpl
} // namespace srook
#endif
| 17,054
|
https://github.com/homelabaas/haas-application/blob/master/src/server/utils/ssh.ts
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,021
|
haas-application
|
homelabaas
|
TypeScript
|
Code
| 63
| 165
|
import * as ssh from "ssh-exec";
export interface ISSHReturn {
stdout: string;
stderr: string;
}
export function SSHExec(username: string, password: string, host: string, command: string): Promise<ISSHReturn> {
return new Promise<ISSHReturn>((resolve, reject) => {
ssh(command, {
host,
password,
user: username,
}, (err, stdout, stderr) => {
if (err) {
reject({ err, stderr });
} else {
resolve({ stdout, stderr });
}
});
});
}
| 28,958
|
https://github.com/dbrilman/SnakesAndLaddersMLAPI/blob/master/Assets/Prefabs/Player.prefab
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
SnakesAndLaddersMLAPI
|
dbrilman
|
Unity3D Asset
|
Code
| 3,269
| 14,534
|
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!1 &2369449235165825759
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 3747613918160698657}
- component: {fileID: 1460800179752884707}
m_Layer: 0
m_Name: Frog
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &3747613918160698657
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2369449235165825759}
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children: []
m_Father: {fileID: 610658425247763527}
m_RootOrder: 4
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &1460800179752884707
SpriteRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2369449235165825759}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_Sprite: {fileID: 21300000, guid: d6c2474f4b00702469a1baae84e285a2, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 1, y: 1}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_MaskInteraction: 0
m_SpriteSortPoint: 0
--- !u!1 &2791855860520205274
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 900481238312075413}
m_Layer: 0
m_Name: Model
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &900481238312075413
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2791855860520205274}
m_LocalRotation: {x: 0, y: 0, z: 0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children:
- {fileID: 4556007374599946740}
- {fileID: 610658425247763527}
m_Father: {fileID: 8606519908265066691}
m_RootOrder: 0
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!1 &3020076628904290733
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 3607825663121115645}
- component: {fileID: 3992977668758388361}
m_Layer: 0
m_Name: Eye
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &3607825663121115645
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3020076628904290733}
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children: []
m_Father: {fileID: 610658425247763527}
m_RootOrder: 3
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &3992977668758388361
SpriteRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3020076628904290733}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_Sprite: {fileID: 21300000, guid: c790f411ecb24d64cb1fa722b335e322, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 1, y: 1}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_MaskInteraction: 0
m_SpriteSortPoint: 0
--- !u!1 &3106424227908733802
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 8606519908265066691}
- component: {fileID: 3106424227908733807}
- component: {fileID: 3106424227908733800}
- component: {fileID: 268940083288674303}
- component: {fileID: 5520971544225251326}
m_Layer: 0
m_Name: Player
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &8606519908265066691
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3106424227908733802}
m_LocalRotation: {x: 0, y: 0, z: 0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children:
- {fileID: 900481238312075413}
- {fileID: 1414533449872853807}
m_Father: {fileID: 0}
m_RootOrder: 0
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!114 &3106424227908733807
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3106424227908733802}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: d5a57f767e5e46a458fc5d3c628d0cbb, type: 3}
m_Name:
m_EditorClassIdentifier:
NetworkInstanceId: 0
PrefabHash: 1897319656204293034
PrefabHashGenerator: Player
AlwaysReplicateAsRoot: 0
DontDestroyWithOwner: 0
--- !u!114 &3106424227908733800
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3106424227908733802}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: e96cb6065543e43c4a752faaa1468eb1, type: 3}
m_Name:
m_EditorClassIdentifier:
FixedSendsPerSecond: 20
AssumeSyncedSends: 1
InterpolatePosition: 1
SnapDistance: 10
InterpolateServer: 1
MinMeters: 0.15
MinDegrees: 1.5
ExtrapolatePosition: 0
MaxSendsToExtrapolate: 5
Channel:
EnableRange: 0
EnableNonProvokedResendChecks: 0
DistanceSendrate:
serializedVersion: 2
m_Curve:
- serializedVersion: 3
time: 0
value: 20
inSlope: 0
outSlope: 0
tangentMode: 0
weightedMode: 0
inWeight: 0
outWeight: 0
- serializedVersion: 3
time: 500
value: 20
inSlope: 0
outSlope: 0
tangentMode: 0
weightedMode: 0
inWeight: 0
outWeight: 0
m_PreInfinity: 2
m_PostInfinity: 2
m_RotationOrder: 4
--- !u!222 &268940083288674303
CanvasRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3106424227908733802}
m_CullTransparentMesh: 1
--- !u!114 &5520971544225251326
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3106424227908733802}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 5f7bb162de4adb64b8ee9e14e676ddf0, type: 3}
m_Name:
m_EditorClassIdentifier:
CurrentPosition: 0
nameText: {fileID: 4180743381876790022}
models:
- {fileID: 5311950417440392952}
- {fileID: 8975880229189731957}
- {fileID: 7472831175152706419}
- {fileID: 3020076628904290733}
- {fileID: 2369449235165825759}
- {fileID: 8371341067806536896}
- {fileID: 4960436510956899419}
- {fileID: 4176952146048445918}
--- !u!1 &3128768105731020390
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 5102736452800780538}
- component: {fileID: 4921470170291565954}
- component: {fileID: 4180743381876790022}
m_Layer: 5
m_Name: Text (TMP)
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!224 &5102736452800780538
RectTransform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3128768105731020390}
m_LocalRotation: {x: 0, y: 0, z: 0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children: []
m_Father: {fileID: 1414533449872853807}
m_RootOrder: 0
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
m_AnchorMin: {x: 0, y: 0}
m_AnchorMax: {x: 1, y: 1}
m_AnchoredPosition: {x: 0, y: 0}
m_SizeDelta: {x: 0, y: 0}
m_Pivot: {x: 0.5, y: 0.5}
--- !u!222 &4921470170291565954
CanvasRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3128768105731020390}
m_CullTransparentMesh: 1
--- !u!114 &4180743381876790022
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3128768105731020390}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: f4688fdb7df04437aeb418b961361dc5, type: 3}
m_Name:
m_EditorClassIdentifier:
m_Material: {fileID: 0}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_RaycastTarget: 1
m_RaycastPadding: {x: 0, y: 0, z: 0, w: 0}
m_Maskable: 1
m_OnCullStateChanged:
m_PersistentCalls:
m_Calls: []
m_text: <PlayerName>
m_isRightToLeft: 0
m_fontAsset: {fileID: 11400000, guid: 0619c06fadc9e7446841b1445e2d94b6, type: 2}
m_sharedMaterial: {fileID: -3421581514100617736, guid: 0619c06fadc9e7446841b1445e2d94b6, type: 2}
m_fontSharedMaterials: []
m_fontMaterial: {fileID: 0}
m_fontMaterials: []
m_fontColor32:
serializedVersion: 2
rgba: 4294967295
m_fontColor: {r: 1, g: 1, b: 1, a: 1}
m_enableVertexGradient: 0
m_colorMode: 3
m_fontColorGradient:
topLeft: {r: 1, g: 1, b: 1, a: 1}
topRight: {r: 1, g: 1, b: 1, a: 1}
bottomLeft: {r: 1, g: 1, b: 1, a: 1}
bottomRight: {r: 1, g: 1, b: 1, a: 1}
m_fontColorGradientPreset: {fileID: 0}
m_spriteAsset: {fileID: 0}
m_tintAllSprites: 0
m_StyleSheet: {fileID: 0}
m_TextStyleHashCode: -1183493901
m_overrideHtmlColors: 0
m_faceColor:
serializedVersion: 2
rgba: 4294967295
m_fontSize: 0.15
m_fontSizeBase: 36
m_fontWeight: 400
m_enableAutoSizing: 1
m_fontSizeMin: 0.1
m_fontSizeMax: 72
m_fontStyle: 0
m_HorizontalAlignment: 2
m_VerticalAlignment: 512
m_textAlignment: 65535
m_characterSpacing: 0
m_wordSpacing: 0
m_lineSpacing: 0
m_lineSpacingMax: 0
m_paragraphSpacing: 0
m_charWidthMaxAdj: 0
m_enableWordWrapping: 0
m_wordWrappingRatios: 0.4
m_overflowMode: 1
m_linkedTextComponent: {fileID: 0}
parentLinkedComponent: {fileID: 0}
m_enableKerning: 1
m_enableExtraPadding: 0
checkPaddingRequired: 0
m_isRichText: 1
m_parseCtrlCharacters: 1
m_isOrthographic: 1
m_isCullingEnabled: 0
m_horizontalMapping: 0
m_verticalMapping: 0
m_uvLineOffset: 0
m_geometrySortingOrder: 0
m_IsTextObjectScaleStatic: 0
m_VertexBufferAutoSizeReduction: 0
m_useMaxVisibleDescender: 1
m_pageToDisplay: 1
m_margin: {x: 0, y: 0, z: 0, w: 0}
m_isUsingLegacyAnimationComponent: 0
m_isVolumetricText: 0
m_hasFontAssetChanged: 0
m_baseMaterial: {fileID: 0}
m_maskOffset: {x: 0, y: 0, z: 0, w: 0}
--- !u!1 &4176952146048445918
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 2042807795930797237}
- component: {fileID: 8770234389840746560}
m_Layer: 0
m_Name: Robot
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &2042807795930797237
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 4176952146048445918}
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children: []
m_Father: {fileID: 610658425247763527}
m_RootOrder: 7
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &8770234389840746560
SpriteRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 4176952146048445918}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_Sprite: {fileID: 21300000, guid: a8d7877afce4446439ab3e828dbee476, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 1, y: 1}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_MaskInteraction: 0
m_SpriteSortPoint: 0
--- !u!1 &4960436510956899419
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 3133239935640049267}
- component: {fileID: 1430600950063464904}
m_Layer: 0
m_Name: Mask
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &3133239935640049267
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 4960436510956899419}
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children: []
m_Father: {fileID: 610658425247763527}
m_RootOrder: 6
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &1430600950063464904
SpriteRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 4960436510956899419}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_Sprite: {fileID: 21300000, guid: b017de18fcdc9cc4a91d8c22194fc1b7, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 1, y: 1}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_MaskInteraction: 0
m_SpriteSortPoint: 0
--- !u!1 &5014408867013739734
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 4556007374599946740}
- component: {fileID: 8529878958068729686}
m_Layer: 0
m_Name: Border
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &4556007374599946740
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 5014408867013739734}
m_LocalRotation: {x: 0, y: 0, z: 0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 0.675, y: 0.675, z: 0.675}
m_Children: []
m_Father: {fileID: 900481238312075413}
m_RootOrder: 0
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &8529878958068729686
SpriteRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 5014408867013739734}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_Sprite: {fileID: 21300000, guid: 10316d36aee4615459ff8a19e947ead6, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 1, y: 1}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_MaskInteraction: 0
m_SpriteSortPoint: 0
--- !u!1 &5311950417440392952
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 1792672024811047207}
- component: {fileID: 1356219658328241203}
m_Layer: 0
m_Name: Joker
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &1792672024811047207
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 5311950417440392952}
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children: []
m_Father: {fileID: 610658425247763527}
m_RootOrder: 0
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &1356219658328241203
SpriteRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 5311950417440392952}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_Sprite: {fileID: 21300000, guid: 0cf90c5ed23f2fa47943829ebf7f7966, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 1, y: 1}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_MaskInteraction: 0
m_SpriteSortPoint: 0
--- !u!1 &5386468591891898403
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 1414533449872853807}
- component: {fileID: 6106741888623567144}
- component: {fileID: 1597408216317091478}
- component: {fileID: 451149999281865161}
m_Layer: 5
m_Name: Canvas
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!224 &1414533449872853807
RectTransform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 5386468591891898403}
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children:
- {fileID: 5102736452800780538}
m_Father: {fileID: 8606519908265066691}
m_RootOrder: 1
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
m_AnchorMin: {x: 0, y: 0}
m_AnchorMax: {x: 0, y: 0}
m_AnchoredPosition: {x: 0.007, y: -0.369}
m_SizeDelta: {x: 1, y: 0.3}
m_Pivot: {x: 0.5, y: 0.5}
--- !u!223 &6106741888623567144
Canvas:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 5386468591891898403}
m_Enabled: 1
serializedVersion: 3
m_RenderMode: 2
m_Camera: {fileID: 0}
m_PlaneDistance: 100
m_PixelPerfect: 0
m_ReceivesEvents: 1
m_OverrideSorting: 0
m_OverridePixelPerfect: 0
m_SortingBucketNormalizedSize: 0
m_AdditionalShaderChannelsFlag: 25
m_SortingLayerID: 0
m_SortingOrder: 4
m_TargetDisplay: 0
--- !u!114 &1597408216317091478
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 5386468591891898403}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 0cd44c1031e13a943bb63640046fad76, type: 3}
m_Name:
m_EditorClassIdentifier:
m_UiScaleMode: 0
m_ReferencePixelsPerUnit: 100
m_ScaleFactor: 1
m_ReferenceResolution: {x: 800, y: 600}
m_ScreenMatchMode: 0
m_MatchWidthOrHeight: 0
m_PhysicalUnit: 3
m_FallbackScreenDPI: 96
m_DefaultSpriteDPI: 96
m_DynamicPixelsPerUnit: 1
m_PresetInfoIsWorld: 1
--- !u!114 &451149999281865161
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 5386468591891898403}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: dc42784cf147c0c48a680349fa168899, type: 3}
m_Name:
m_EditorClassIdentifier:
m_IgnoreReversedGraphics: 1
m_BlockingObjects: 0
m_BlockingMask:
serializedVersion: 2
m_Bits: 4294967295
--- !u!1 &7472831175152706419
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 7362424631347162780}
- component: {fileID: 351162392514741510}
m_Layer: 0
m_Name: Chicken
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &7362424631347162780
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 7472831175152706419}
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children: []
m_Father: {fileID: 610658425247763527}
m_RootOrder: 2
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &351162392514741510
SpriteRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 7472831175152706419}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_Sprite: {fileID: 21300000, guid: f1e9f06d3db5fc64b9bbbf421bd7993a, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 1, y: 1}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_MaskInteraction: 0
m_SpriteSortPoint: 0
--- !u!1 &8371341067806536896
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 2747267591505454695}
- component: {fileID: 994725802698282453}
m_Layer: 0
m_Name: Goblin
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &2747267591505454695
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 8371341067806536896}
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children: []
m_Father: {fileID: 610658425247763527}
m_RootOrder: 5
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &994725802698282453
SpriteRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 8371341067806536896}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_Sprite: {fileID: 21300000, guid: b5fb46084dfe9194eb7feae9c2982a28, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 1, y: 1}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_MaskInteraction: 0
m_SpriteSortPoint: 0
--- !u!1 &8975880229189731957
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 8768407881030072497}
- component: {fileID: 4268726078059387708}
m_Layer: 0
m_Name: Cat
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &8768407881030072497
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 8975880229189731957}
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children: []
m_Father: {fileID: 610658425247763527}
m_RootOrder: 1
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &4268726078059387708
SpriteRenderer:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 8975880229189731957}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_Sprite: {fileID: 21300000, guid: c8e09c95fcd2a72438df81203359767a, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 1, y: 1}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_MaskInteraction: 0
m_SpriteSortPoint: 0
--- !u!1 &9076775409117979775
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 610658425247763527}
m_Layer: 0
m_Name: Characters
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &610658425247763527
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 9076775409117979775}
m_LocalRotation: {x: 0, y: 0, z: 0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_Children:
- {fileID: 1792672024811047207}
- {fileID: 8768407881030072497}
- {fileID: 7362424631347162780}
- {fileID: 3607825663121115645}
- {fileID: 3747613918160698657}
- {fileID: 2747267591505454695}
- {fileID: 3133239935640049267}
- {fileID: 2042807795930797237}
m_Father: {fileID: 900481238312075413}
m_RootOrder: 1
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
| 25,951
|
https://github.com/AdobeDocs/commerce-marketplace/blob/master/src/data/navigation/sections/api.js
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
commerce-marketplace
|
AdobeDocs
|
JavaScript
|
Code
| 108
| 497
|
module.exports = [
{
title: "Introduction",
path: "/guides/eqp/v1/"
},
{
title: "Getting started",
path: "/guides/eqp/v1/getting-started/",
pages: [
{
title: "Sandbox",
path: "/guides/eqp/v1/sandbox/",
},
{
title: "API access keys",
path: "/guides/eqp/v1/access-keys/",
}
]
},
{
title: "REST API",
path: "/guides/eqp/v1/rest-api/",
pages: [
{
title: "Authentication",
path: "/guides/eqp/v1/auth/",
},
{
title: "Users",
path: "/guides/eqp/v1/users/",
},
{
title: "Files",
path: "/guides/eqp/v1/files/",
},
{
title: "Packages",
path: "/guides/eqp/v1/packages/",
},
{
title: "Test results",
path: "/guides/eqp/v1/test-results/",
},
{
title: "Reports",
path: "/guides/eqp/v1/reports/",
},
{
title: "API callbacks",
path: "/guides/eqp/v1/callbacks/",
},
{
title: "Filtering",
path: "/guides/eqp/v1/filtering/",
},
{
title: "Handling errors",
path: "/guides/eqp/v1/handling-errors/",
}
]
},
{
title: "Getting help",
path: "/guides/eqp/v1/help/",
}
];
| 32,150
|
https://github.com/TheWover/Family/blob/master/Unix Family/Linux.lrk.e/ssh-2.0.13/include/sshcrc32.h
|
Github Open Source
|
Open Source
|
MIT, LicenseRef-scancode-proprietary-license, LicenseRef-scancode-warranty-disclaimer
| 2,019
|
Family
|
TheWover
|
C
|
Code
| 704
| 1,207
|
/*
crc32.h
Author: Tatu Ylonen <ylo@cs.hut.fi>
Copyright (c) 1992 Tatu Ylonen, Espoo, Finland
All rights reserved
Created: Tue Feb 11 14:37:27 1992 ylo
Functions for computing 32-bit CRC.
*/
/*
* $Id: sshcrc32.h,v 1.2 1999/05/04 00:14:48 kivinen Exp $
* $Log: sshcrc32.h,v $
* $EndLog$
*/
#ifndef SSHCRC32_H
#define SSHCRC32_H
/* This computes a 32 bit CRC of the data in the buffer, and returns the
CRC. The polynomial used is 0xedb88320. */
SshUInt32 crc32_buffer(const unsigned char *buf, size_t len);
/* This computes a 32 bit 'modified' CRC of the data in the buffer,
and returns the CRC. The polynomial used is 0xedb88320.
As a matter of fact, there is a reason why this function exists. Given
simple CRC function (of any bit length) there is a significant weakness
that makes it vulnerable to some input buffers. That is, the CRC
is defined in GF(2^n) as
b(x) (mod f(x)) = crc
where b(x) is the buffer and f(x) the polynomial mentioned before. That
is we compute the remainder of division of polynomials with coefficients
having values 0 or 1.
It follows that if the buffer starts with zeroes (zero bits) the
resulting CRC will match a CRC of the buffer without those leading
zero bits.
This function removes that problem by inserting the length of the
buffer into the CRC state variable before CRC computation. It doesn't
follow any standard so use with caution in protocols etc.
Now the main purpose of this change for me is that when I'm using
CRC as a hash function, it is good to handle all cases well, also
those that might have the first bits equal to zero. There are other
good hash functions but CRC is provably able to detect even one bit
differences in long periods thus making it particularly well suited
to some applications. */
SshUInt32 crc32_buffer_altered(const unsigned char *buf, size_t len);
/* Once in a while one has to compute CRC's of very long buffers.
Indeed, of so long that one doesn't even want to do that very
often, but for some reason needs to do. Thus it would be nice to
have a function that would allow a short cut, and update the CRC
with indirect computations.
And lo and behold, one can do it pretty easily. Following few
functions give access to CRC's innerworlds. One shall be able to
alter contents of a buffer and compute the corresponding CRC without
having to run the whole buffer through a CRC routine.
Although these routines are rather cumbersome in many ways, they
work in polynomial time (O(log(n)^k), where n is the length of the
buffer and k is some small integer) and thus are rather efficient
and suitable for manipulation of very large buffers. */
/* We first present the masking function. This allows one to select a
suitable mask which xored onto the buffer will yield a desired
result buffer. One needs to know the previous CRC value and the
total size of the buffer, and the offset where the mask shall be
placed. No access to the buffer is needed. This function cannot
alter the length of the buffer. Mask can be of any length that is
smaller or equal to the length of the buffer.
*/
SshUInt32 crc32_mask(const unsigned char *mask, size_t mask_len,
size_t offset,
size_t total_len,
SshUInt32 prev_crc32);
/* A function that allows one to enlarge the buffer and keep the CRC
still correct, without computing it by brute force in exponential
time. This function can be used when expanding the buffer with a
number of zero octets.
Note: using this function and the masking function one can indeed
append new data to a buffer without having to compute the CRC all
over again. */
SshUInt32 crc32_extend(SshUInt32 prev_crc32, size_t len);
/* A function that allows one to truncate, or shorten, the buffer, while
keeping the CRC correct. Unfortunately this is not a general purpose
in a sense that one needs to use this in conjunction with the masking
method to zero the number of octets wanted to truncate and only
after that truncate. However, all things considered this seems
reasonable. */
SshUInt32 crc32_truncate(SshUInt32 prev_crc32,
size_t len);
#if 0
/* Test code. */
void gf_division_test(void);
#endif
#endif /* SSHCRC32_H */
| 31,298
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.